Module: Familia::Features::Relationships::Indexing::UniqueIndexGenerators

Defined in:
lib/familia/features/relationships/indexing/unique_index_generators.rb

Overview

Generators for unique index (1:1) methods

Unique indexes use HashKey DataType for field-to-object identifier mapping. Each field value maps to exactly one object identifier.

Example (instance-scoped): unique_index :badge_number, :badge_index, within: Company

Generates on Company (destination):

  • company.find_by_badge_number(badge)
  • company.find_all_by_badge_number([badges])
  • company.badge_index
  • company.rebuild_badge_index

Generates on Employee (self):

  • employee.add_to_company_badge_index(company)
  • employee.remove_from_company_badge_index(company)
  • employee.update_in_company_badge_index(company, old_badge)

Example (class-level): unique_index :email, :email_index

Generates on Employee (class):

  • Employee.find_by_email(email)
  • Employee.find_all_by_email([emails])
  • Employee.email_index
  • Employee.rebuild_email_index

Generates on Employee (self):

  • employee.add_to_class_email_index (called automatically on save)
  • employee.remove_from_class_email_index
  • employee.update_in_class_email_index(old_email)

Note: Class-level indexes auto-populate on save(). Instance-scoped indexes (with within:) remain manual as they require parent context.

Class Method Summary collapse

Class Method Details

.generate_mutation_methods_class(field, index_name, indexed_class) ⇒ Object

Generates mutation methods ON THE INDEXED CLASS (Employee): Instance methods for class-level index operations:

  • employee.add_to_class_email_index
  • employee.remove_from_class_email_index
  • employee.update_in_class_email_index(old_email)


409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
# File 'lib/familia/features/relationships/indexing/unique_index_generators.rb', line 409

def generate_mutation_methods_class(field, index_name, indexed_class)
  indexed_class.class_eval do
    define_method(:"add_to_class_#{index_name}") do
      index_hash = self.class.send(index_name)  # Access the class-level hashkey DataType
      field_value = send(field)

      return unless field_value

      # Just set the value - uniqueness should be validated before save
      index_hash[field_value.to_s] = identifier
    end

    # Add a guard method to enforce unique constraint on this specific index
    #
    # @raise [Familia::RecordExistsError] if a record with the same
    # field value exists. Values are compared as strings.
    #
    # @return [void]
    define_method(:"guard_unique_#{index_name}!") do
      field_value = send(field)
      return unless field_value

      index_hash = self.class.send(index_name)
      existing_id = index_hash.get(field_value.to_s)

      if existing_id && existing_id != identifier
        raise Familia::RecordExistsError, "#{self.class} exists #{field}=#{field_value}"
      end
    end

    define_method(:"remove_from_class_#{index_name}") do
      index_hash = self.class.send(index_name)  # Access the class-level hashkey DataType
      field_value = send(field)

      return unless field_value

      index_hash.remove(field_value.to_s)
    end

    define_method(:"update_in_class_#{index_name}") do |old_field_value = nil|
      new_field_value = send(field)

      # Use class-level transaction for atomicity with DataType abstraction
      self.class.transaction do |_tx|
        index_hash = self.class.send(index_name) # Access the class-level hashkey DataType

        # Remove old value if provided
        index_hash.remove(old_field_value.to_s) if old_field_value

        # Add new value if present
        index_hash[new_field_value.to_s] = identifier if new_field_value
      end
    end
  end
end

.generate_mutation_methods_self(indexed_class, field, scope_class, index_name) ⇒ Object

Generates mutation methods ON THE INDEXED CLASS (Employee)

Instance methods for scope-scoped unique index operations:

  • employee.add_to_company_badge_index(company) - automatically validates uniqueness
  • employee.remove_from_company_badge_index(company)
  • employee.update_in_company_badge_index(company, old_badge)
  • employee.guard_unique_company_badge_index!(company) - manual validation

Parameters:

  • indexed_class (Class)

    The class being indexed (e.g., Employee)

  • field (Symbol)

    The field to index (e.g., :badge_number)

  • scope_class (Class)

    The scope class providing uniqueness context (e.g., Company)

  • index_name (Symbol)

    Name of the index (e.g., :badge_index)



235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
# File 'lib/familia/features/relationships/indexing/unique_index_generators.rb', line 235

def generate_mutation_methods_self(indexed_class, field, scope_class, index_name)
  scope_class_config = scope_class.config_name
  indexed_class.class_eval do
    method_name = :"add_to_#{scope_class_config}_#{index_name}"
    Familia.debug("[UniqueIndexGenerators] #{name} method #{method_name}")

    define_method(method_name) do |scope_instance|
      return unless scope_instance

      field_value = send(field)
      return unless field_value

      # Automatically validate uniqueness before adding to index.
      # Skip validation inside transactions since guard methods require read
      # operations not available in MULTI/EXEC blocks.
      unless Fiber[:familia_transaction]
        guard_method = :"guard_unique_#{scope_class_config}_#{index_name}!"
        send(guard_method, scope_instance) if respond_to?(guard_method)
      end

      # Use declared field accessor on scope instance
      index_hash = scope_instance.send(index_name)

      # Set the value (guard already validated uniqueness)
      index_hash[field_value.to_s] = identifier
    end

    # Add a guard method to enforce unique constraint on this instance-scoped index
    #
    # @param scope_instance [Object] The scope instance providing uniqueness context (e.g., a Company)
    # @raise [Familia::RecordExistsError] if a record with the same field value
    #   exists in the scope's index. Values are compared as strings.
    # @return [void]
    #
    # @example
    #   employee.guard_unique_company_badge_index!(company)
    #
    method_name = :"guard_unique_#{scope_class_config}_#{index_name}!"
    Familia.debug("[UniqueIndexGenerators] #{name} method #{method_name}")

    define_method(method_name) do |scope_instance|
      return unless scope_instance

      field_value = send(field)
      return unless field_value

      # Use declared field accessor on scope instance
      index_hash = scope_instance.send(index_name)
      existing_id = index_hash.get(field_value.to_s)

      if existing_id && existing_id != identifier
        raise Familia::RecordExistsError,
          "#{self.class} exists in #{scope_instance.class} with #{field}=#{field_value}"
      end
    end

    method_name = :"remove_from_#{scope_class_config}_#{index_name}"
    Familia.debug("[UniqueIndexGenerators] #{name} method #{method_name}")

    define_method(method_name) do |scope_instance|
      return unless scope_instance

      field_value = send(field)
      return unless field_value

      # Use declared field accessor on scope instance
      index_hash = scope_instance.send(index_name)

      # Remove using HashKey DataType method
      index_hash.remove(field_value.to_s)
    end

    method_name = :"update_in_#{scope_class_config}_#{index_name}"
    Familia.debug("[UniqueIndexGenerators] #{name} method #{method_name}")

    define_method(method_name) do |scope_instance, old_field_value = nil|
      return unless scope_instance

      new_field_value = send(field)

      # Use Familia's transaction method for atomicity with DataType abstraction
      scope_instance.transaction do |_tx|
        # Use declared field accessor on scope instance
        index_hash = scope_instance.send(index_name)

        # Remove old value if provided
        index_hash.remove(old_field_value.to_s) if old_field_value

        # Add new value if present
        index_hash[new_field_value.to_s] = identifier if new_field_value
      end
    end
  end
end

.generate_query_methods_class(field, index_name, indexed_class) ⇒ Object

Generates query methods ON THE INDEXED CLASS (Employee): Class-level methods (singleton):

  • Employee.find_by_email(email)
  • Employee.find_all_by_email([emails])
  • Employee.email_index
  • Employee.rebuild_email_index


336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
# File 'lib/familia/features/relationships/indexing/unique_index_generators.rb', line 336

def generate_query_methods_class(field, index_name, indexed_class)
  # Generate class-level single record method
  indexed_class.define_singleton_method(:"find_by_#{field}") do |provided_id|
    index_hash = send(index_name) # access the class-level hashkey DataType

    # Get the identifier from the db hashkey using .get method.
    #
    # We use .get instead of [] because it's part of the standard interface
    # common across all DataType classes (List, UnsortedSet, SortedSet, HashKey).
    # While unique indexes always use HashKey, using .get maintains consistency
    # with the broader DataType API patterns used throughout Familia.
    record_id = index_hash.get(provided_id)

    return nil unless record_id

    indexed_class.find_by_identifier(record_id)
  end

  # Generate class-level bulk query method
  indexed_class.define_singleton_method(:"find_all_by_#{field}") do |provided_ids|
    # Convert to array and filter nil inputs before querying Redis.
    # This prevents wasteful lookups for empty string keys (nil.to_s → "").
    # Output may contain fewer elements than input (standard ORM behavior).
    provided_ids = Array(provided_ids).compact
    return [] if provided_ids.empty?

    index_hash = send(index_name) # access the class-level hashkey DataType

    # Get multiple identifiers from the db hashkey using .values_at
    record_ids = index_hash.values_at(*provided_ids.map(&:to_s))

    # Filter out nil values (non-existent records) and instantiate objects
    record_ids.compact.map { |record_id|
      indexed_class.find_by_identifier(record_id)
    }
  end

  # The index accessor method is already created by the class_hashkey declaration
  # No need to manually create it - Horreum handles this automatically

  # Generate method to rebuild the class-level index
  indexed_class.define_singleton_method(:"rebuild_#{index_name}") do |batch_size: 100, &progress_block|
    if respond_to?(:instances)
      # Strategy 1: Use instances collection (fastest)
      index_hashkey = send(index_name)  # Get the index HashKey for serialization
      Familia::Features::Relationships::Indexing::RebuildStrategies.rebuild_via_instances(
        self,                                 # indexed_class (e.g., User)
        field,                                # e.g., :email
        :"add_to_class_#{index_name}",       # e.g., :add_to_class_email_lookup
        index_hashkey,                        # Pass index for serialization
        batch_size: batch_size,
        &progress_block
      )
    else
      # Strategy 3: Fall back to SCAN
      index_hashkey = send(index_name)  # Get the index HashKey for serialization
      Familia::Features::Relationships::Indexing::RebuildStrategies.rebuild_via_scan(
        self,
        field,
        :"add_to_class_#{index_name}",
        index_hashkey,                        # Pass index for serialization
        batch_size: batch_size,
        &progress_block
      )
    end
  end
end

.generate_query_methods_destination(indexed_class, field, scope_class, index_name) ⇒ Object

Generates query methods ON THE SCOPE CLASS (Company when within: Company)

  • company.find_by_badge_number(badge) - find by field value
  • company.find_all_by_badge_number([badges]) - batch lookup
  • company.badge_index - DataType accessor
  • company.rebuild_badge_index - rebuild index

Parameters:

  • indexed_class (Class)

    The class being indexed (e.g., Employee)

  • field (Symbol)

    The field to index (e.g., :badge_number)

  • scope_class (Class)

    The scope class providing uniqueness context (e.g., Company)

  • index_name (Symbol)

    Name of the index (e.g., :badge_index)



104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
# File 'lib/familia/features/relationships/indexing/unique_index_generators.rb', line 104

def generate_query_methods_destination(indexed_class, field, scope_class, index_name)
  # Resolve scope class using Familia pattern
  actual_scope_class = Familia.resolve_class(scope_class)

  # Ensure the index field is declared (creates accessor that returns DataType)
  actual_scope_class.send(:ensure_index_field, actual_scope_class, index_name, :hashkey)

  # Get scope_class_config for method naming (needed for rebuild methods)
  scope_class_config = actual_scope_class.config_name

  # Generate instance query method (e.g., company.find_by_badge_number)
  actual_scope_class.class_eval do
    define_method(:"find_by_#{field}") do |provided_value|
      # Use declared field accessor instead of manual instantiation
      index_hash = send(index_name)

      # Get the identifier from the hash using .get method.
      # We use .get instead of [] because it's part of the standard interface
      # common across all DataType classes (List, UnsortedSet, SortedSet, HashKey).
      # While unique indexes always use HashKey, using .get maintains consistency
      # with the broader DataType API patterns used throughout Familia.
      record_id = index_hash.get(provided_value)
      return nil unless record_id

      indexed_class.find_by_identifier(record_id)
    end

    # Generate bulk query method (e.g., company.find_all_by_badge_number)
    define_method(:"find_all_by_#{field}") do |provided_ids|
      # Convert to array and filter nil inputs before querying Redis.
      # This prevents wasteful lookups for empty string keys (nil.to_s → "").
      # Output may contain fewer elements than input (standard ORM behavior).
      provided_ids = Array(provided_ids).compact
      return [] if provided_ids.empty?

      # Use declared field accessor instead of manual instantiation
      index_hash = send(index_name)

      # Get all identifiers from the hash
      record_ids = index_hash.values_at(*provided_ids.map(&:to_s))

      # Filter out nil values (non-existent records) and instantiate objects
      record_ids.compact.map { |record_id|
        indexed_class.find_by_identifier(record_id)
      }
    end

    # Accessor method already created by ensure_index_field above
    # No need to manually define it here

    # Generate method to rebuild the unique index for this parent instance
    define_method(:"rebuild_#{index_name}") do |batch_size: 100, &progress_block|
      # Find the collection containing the indexed class.
      #
      # Strategy 1: Check if indexed_class has a participation relationship
      # pointing back to this scope class. Participation relationships are
      # stored on the PARTICIPANT class (indexed_class), not the target.
      #
      # Example: When RebuildTestEmployee.participates_in(RebuildTestCompany, :employees),
      # the relationship is stored on RebuildTestEmployee, and we need to find it
      # by matching target_class (RebuildTestCompany) with self.class.
      collection = nil
      if indexed_class.respond_to?(:participation_relationships)
        participation = indexed_class.participation_relationships.find do |rel|
          rel.target_class == self.class
        end

        if participation
          collection = send(participation.collection_name)
        end
      end

      # Strategy 2: Fallback to checking related_fields for explicit class: option
      unless collection
        if self.class.respond_to?(:related_fields)
          self.class.related_fields&.each do |name, field_def|
            # Check if this DataType's class option matches the indexed class
            if field_def.opts[:class] == indexed_class
              collection = send(name)
              break
            end
          end
        end
      end

      if collection
        # Find the IndexingRelationship to get cardinality metadata
        index_config = indexed_class.indexing_relationships.find { |rel| rel.index_name == index_name }

        # Strategy 2: Use participation-based rebuild
        index_hashkey = send(index_name)  # Get the index HashKey for serialization
        Familia::Features::Relationships::Indexing::RebuildStrategies.rebuild_via_participation(
          self,                                      # scope_instance (e.g., company)
          indexed_class,                             # e.g., Employee
          field,                                     # e.g., :badge_number
          :"add_to_#{scope_class_config}_#{index_name}",  # e.g., :add_to_company_badge_index
          collection,
          index_config.cardinality,                  # :unique or :multi
          index_hashkey,                             # Pass index for serialization
          batch_size: batch_size,
          &progress_block
        )
      else
        # Strategy 3: Fall back to SCAN with filtering
        index_hashkey = send(index_name)  # Get the index HashKey for serialization
        Familia::Features::Relationships::Indexing::RebuildStrategies.rebuild_via_scan(
          indexed_class,
          field,
          :"add_to_#{scope_class_config}_#{index_name}",
          index_hashkey,                             # Pass index for serialization
          scope_instance: self,
          batch_size: batch_size,
          &progress_block
        )
      end
    end
  end
end

.setup(indexed_class:, field:, index_name:, within:, query:) ⇒ Object

Main setup method that orchestrates unique index creation

Parameters:

  • indexed_class (Class)

    The class being indexed (e.g., Employee)

  • field (Symbol)

    The field to index

  • index_name (Symbol)

    Name of the index

  • within (Class, Symbol, nil)

    Scope class for instance-scoped index

  • query (Boolean)

    Whether to generate query methods



58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
# File 'lib/familia/features/relationships/indexing/unique_index_generators.rb', line 58

def setup(indexed_class:, field:, index_name:, within:, query:)
  # Normalize parameters and determine scope type
  scope_class, scope_type = if within
    k = Familia.resolve_class(within)
    [k, :instance]
  else
    [indexed_class, :class]
  end

  # Store metadata for this indexing relationship
  indexed_class.indexing_relationships << IndexingRelationship.new(
    field:             field,
    scope_class:       scope_class,
    within:            within,
    index_name:        index_name,
    query:             query,
    cardinality:       :unique,
  )

  # Generate appropriate methods based on scope type
  case scope_type
  when :instance
    # Instance-scoped index (within: Company)
    if query && scope_class.is_a?(Class)
      generate_query_methods_destination(indexed_class, field, scope_class, index_name)
    end
    generate_mutation_methods_self(indexed_class, field, scope_class, index_name)
  when :class
    # Class-level index (no within:)
    indexed_class.send(:ensure_index_field, indexed_class, index_name, :class_hashkey)
    generate_query_methods_class(field, index_name, indexed_class) if query
    generate_mutation_methods_class(field, index_name, indexed_class)
  end
end