Module: Familia::Horreum::ManagementMethods
- Includes:
- RelatedFieldsManagement
- Defined in:
- lib/familia/horreum/management.rb
Overview
ManagementMethods - Class-level methods for Horreum model management
This module is extended into classes that include Familia::Horreum, providing class methods for database operations and object management (e.g., Customer.create, Customer.find_by_id)
Key features:
- Includes RelatedFieldsManagement for DataType field handling
- Provides utility methods for working with Database objects
Instance Method Summary collapse
- #all(suffix = nil) ⇒ Object
-
#any? ⇒ Boolean
Checks if any tracked instances exist (fast, from instances sorted set).
-
#config_name ⇒ String
Converts the class name into a string that can be used to look up configuration values.
-
#count ⇒ Integer
(also: #size, #length)
Returns the number of tracked instances (fast, from instances sorted set).
-
#create! {|hobj| ... } ⇒ Object
Creates and persists a new instance of the class.
- #dbkey(identifier, suffix = self.suffix) ⇒ Object
-
#destroy!(identifier, suffix = nil) ⇒ Boolean
Destroys an object in Database with the given identifier.
-
#exists?(identifier, suffix = nil) ⇒ Boolean
Checks if an object with the given identifier exists in the database.
-
#familia_name ⇒ Object
Familia::Horreum::DefinitionMethods#familia_name.
-
#find_by_dbkey(objkey, check_exists: true) ⇒ Object?
(also: #find_by_key)
Retrieves and instantiates an object from Database using the full object key.
-
#find_by_identifier(identifier, suffix: nil, check_exists: true) ⇒ Object?
(also: #find_by_id)
Retrieves and instantiates an object from Database using its identifier.
-
#find_keys(suffix = '*') ⇒ Array<String>
Finds all keys in Database matching the given suffix pattern.
-
#instantiate_from_hash(obj_hash) ⇒ Object
private
Instantiates an object from a hash of field values.
-
#key_prefix ⇒ String
Returns the key prefix for this class including the delimiter.
-
#keys_any?(filter = '*') ⇒ Boolean
Checks if any objects exist using blocking KEYS command (production-dangerous).
-
#keys_count(filter = '*') ⇒ Integer
Returns authoritative count using blocking KEYS command (production-dangerous).
-
#load_multi(identifiers, suffix = nil) ⇒ Array<Object>
(also: #load_batch)
Loads multiple objects by their identifiers using pipelined HGETALL commands.
-
#load_multi_by_keys(objkeys) ⇒ Array<Object>
Loads multiple objects by their full dbkeys using pipelined HGETALL commands.
- #multiget ⇒ Object
- #rawmultiget(*hids) ⇒ Object
-
#scan_any?(filter = '*') ⇒ Boolean
(also: #any!)
Checks if any objects exist using non-blocking SCAN command (production-safe).
-
#scan_count(filter = '*') ⇒ Integer
(also: #count!)
Returns authoritative count using non-blocking SCAN command (production-safe).
-
#scan_pattern(match_suffix = suffix) ⇒ String
Returns the SCAN pattern for finding all objects of this class.
Methods included from RelatedFieldsManagement
#attach_class_related_field, #attach_instance_related_field
Instance Method Details
#all(suffix = nil) ⇒ Object
512 513 514 515 516 |
# File 'lib/familia/horreum/management.rb', line 512 def all(suffix = nil) suffix ||= self.suffix # objects that could not be parsed will be nil find_keys(suffix).filter_map { |k| find_by_key(k) } end |
#any? ⇒ Boolean
For authoritative check, use #scan_any? (production-safe) or #keys_any? (blocking)
Checks if any tracked instances exist (fast, from instances sorted set).
This method provides O(1) performance by querying the instances sorted set.
However, objects deleted outside Familia may leave stale entries.
609 610 611 |
# File 'lib/familia/horreum/management.rb', line 609 def any? count.positive? end |
#config_name ⇒ String
Converts the class name into a string that can be used to look up configuration values. This is particularly useful when mapping familia models with specific database numbers in the configuration.
Familia::Horreum::DefinitionMethods#config_name
89 90 91 92 93 |
# File 'lib/familia/horreum/management.rb', line 89 def config_name return nil if name.nil? name.demodularize.snake_case end |
#count ⇒ Integer Also known as: size, length
For authoritative count, use #scan_count (production-safe) or #keys_count (blocking)
Returns the number of tracked instances (fast, from instances sorted set).
This method provides O(1) performance by querying the instances sorted set,
which is automatically maintained when objects are created/destroyed through
Familia. However, objects deleted outside Familia (e.g., direct Redis commands)
may leave stale entries.
536 537 538 |
# File 'lib/familia/horreum/management.rb', line 536 def count instances.count end |
#create! {|hobj| ... } ⇒ Object
The behavior of this method depends on the implementation of #new,
exists?, and #save in the class and its superclasses.
Creates and persists a new instance of the class.
This method serves as a factory method for creating and persisting new instances of the class. It combines object instantiation, existence checking, and persistence in a single operation.
The method is flexible in accepting both positional and keyword arguments:
- Positional arguments (*args) are passed directly to the constructor.
- Keyword arguments (**kwargs) are passed as a hash to the constructor.
After instantiation, the method checks if an object with the same identifier already exists. If it does, a Familia::RecordExistsError exception is raised to prevent overwriting existing data.
Finally, the method saves the new instance returns it.
57 58 59 60 61 62 63 64 65 66 |
# File 'lib/familia/horreum/management.rb', line 57 def create!(...) hobj = new(...) hobj.save_if_not_exists! # If a block is given, yield the created object # This allows for additional operations on successful creation yield hobj if block_given? hobj end |
#dbkey(identifier, suffix = self.suffix) ⇒ Object
503 504 505 506 507 508 509 510 |
# File 'lib/familia/horreum/management.rb', line 503 def dbkey(identifier, suffix = self.suffix) if identifier.to_s.empty? raise NoIdentifier, "#{self} requires non-empty identifier, got: #{identifier.inspect}" end identifier &&= identifier.to_s Familia.dbkey(prefix, identifier, suffix) end |
#destroy!(identifier, suffix = nil) ⇒ Boolean
Destroys an object in Database with the given identifier.
This method is part of Familia's high-level object lifecycle management. While delete!
operates directly on dbkeys, destroy! operates at the object level and is used for
ORM-style operations. Use destroy! when removing complete objects from the system, and
delete! when working directly with dbkeys.
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 |
# File 'lib/familia/horreum/management.rb', line 417 def destroy!(identifier, suffix = nil) suffix ||= self.suffix raise Familia::NoIdentifier, "#{self} requires non-empty identifier" if identifier.to_s.empty? objkey = dbkey identifier, suffix # Execute all deletion operations within a transaction transaction do |conn| # Clean up related fields first to avoid orphaned keys if relations? Familia.trace :DESTROY_RELATIONS!, nil, "#{self} has relations: #{.keys}" if Familia.debug? # Create a temporary instance to access related fields. # Pass identifier in constructor so init() sees it and can set dependent fields. identifier_field_name = self.identifier_field temp_instance = identifier_field_name ? new(identifier_field_name => identifier.to_s) : new .each do |name, _definition| obj = temp_instance.send(name) Familia.trace :DESTROY_RELATION!, name, "Deleting related field #{name} (#{obj.dbkey})" if Familia.debug? conn.del(obj.dbkey) end end # Delete the main object key ret = conn.del(objkey) Familia.trace :DESTROY!, nil, "#{objkey} #{ret.inspect}" if Familia.debug? end end |
#exists?(identifier, suffix = nil) ⇒ Boolean
Checks if an object with the given identifier exists in the database.
This method constructs the full dbkey using the provided identifier and suffix, then checks if the key exists in the database.
387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 |
# File 'lib/familia/horreum/management.rb', line 387 def exists?(identifier, suffix = nil) raise NoIdentifier, 'Empty identifier' if identifier.to_s.empty? suffix ||= self.suffix objkey = dbkey identifier, suffix ret = dbclient.exists objkey Familia.trace :EXISTS, nil, "#{objkey} #{ret.inspect}" if Familia.debug? # Handle Redis::Future objects during transactions return ret if ret.is_a?(Redis::Future) ret.positive? # differs from Valkey API but I think it's okay bc `exists?` is a predicate method. end |
#familia_name ⇒ Object
Familia::Horreum::DefinitionMethods#familia_name
99 100 101 102 103 |
# File 'lib/familia/horreum/management.rb', line 99 def familia_name return nil if name.nil? name.demodularize end |
#find_by_dbkey(objkey, check_exists: true) ⇒ Object? Also known as: find_by_key
When check_exists: false, HGETALL on non-existent keys returns {} which we detect and return nil (not an empty object instance).
Retrieves and instantiates an object from Database using the full object key.
This method can operate in two modes:
Safe mode (check_exists: true, default):
- First checks if the key exists with EXISTS command
- Returns nil immediately if key doesn't exist
- If exists, retrieves data with HGETALL and instantiates object
- Best for: Single object lookups, defensive code
- Commands: 2 per object (EXISTS + HGETALL)
Optimized mode (check_exists: false):
- Directly calls HGETALL without EXISTS check
- Returns nil if HGETALL returns empty hash (key doesn't exist)
- Otherwise instantiates object with returned data
- Best for: Bulk operations, performance-critical paths, when keys likely exist
- Commands: 1 per object (HGETALL only)
- Reduction: 50% fewer Redis commands
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 |
# File 'lib/familia/horreum/management.rb', line 142 def find_by_dbkey(objkey, check_exists: true) raise ArgumentError, 'Empty key' if objkey.to_s.empty? if check_exists # Safe mode: Check existence first (original behavior) # We use a lower-level method here b/c we're working with the # full key and not just the identifier. does_exist = dbclient.exists(objkey).positive? Familia.debug "[find_by_key] #{self} from key #{objkey} (exists: #{does_exist})" Familia.trace :FIND_BY_DBKEY_KEY, nil, objkey # This is the reason for calling exists first. We want to definitively # and without any ambiguity know if the object exists in the database. If it # doesn't, we return nil. If it does, we proceed to load the object. # Otherwise, hgetall will return an empty hash, which will be passed to # the constructor, which will then be annoying to debug. unless does_exist cleanup_stale_instance_entry(objkey) return nil end else # Optimized mode: Skip existence check Familia.debug "[find_by_key] #{self} from key #{objkey} (check_exists: false)" Familia.trace :FIND_BY_DBKEY_KEY, nil, objkey end obj = dbclient.hgetall(objkey) # horreum objects are persisted as database hashes Familia.trace :FIND_BY_DBKEY_INSPECT, nil, "#{objkey}: #{obj.inspect}" # Always check for empty hash to handle race conditions where the key # expires between EXISTS check and HGETALL (when check_exists: true), # or simply doesn't exist (when check_exists: false). if obj.empty? cleanup_stale_instance_entry(objkey) return nil end # Create instance and deserialize fields using shared helper method instantiate_from_hash(obj) end |
#find_by_identifier(identifier, suffix: nil, check_exists: true) ⇒ Object? Also known as: find_by_id
Retrieves and instantiates an object from Database using its identifier.
This method constructs the full dbkey using the provided identifier
and suffix, then delegates to find_by_key for the actual retrieval and
instantiation.
It's a higher-level method that abstracts away the key construction, making it easier to retrieve objects when you only have their identifier.
237 238 239 240 241 242 243 244 245 246 |
# File 'lib/familia/horreum/management.rb', line 237 def find_by_identifier(identifier, suffix: nil, check_exists: true) suffix ||= self.suffix return nil if identifier.to_s.empty? objkey = dbkey(identifier, suffix) Familia.debug "[find_by_id] #{self} from key #{objkey})" Familia.trace :FIND_BY_ID, nil, objkey if Familia.debug? find_by_dbkey objkey, check_exists: check_exists end |
#find_keys(suffix = '*') ⇒ Array<String>
Finds all keys in Database matching the given suffix pattern.
This method searches for all dbkeys that match the given suffix pattern. It uses the class's dbkey method to construct the search pattern.
459 460 461 |
# File 'lib/familia/horreum/management.rb', line 459 def find_keys(suffix = '*') dbclient.keys(dbkey('*', suffix)) || [] end |
#instantiate_from_hash(obj_hash) ⇒ Object
This method is part of a private API. You should avoid using this method if possible, as it may be removed or be changed in the future.
This method:
- Allocates a new instance without calling initialize
- Initializes related DataType fields
- Deserializes and assigns field values from the hash
Instantiates an object from a hash of field values.
This is an internal helper method used by find_by_dbkey, load_multi, and load_multi_by_keys to eliminate code duplication. Not intended for direct use.
677 678 679 680 681 682 |
# File 'lib/familia/horreum/management.rb', line 677 def instantiate_from_hash(obj_hash) instance = allocate instance.send(:initialize_relatives) instance.send(:initialize_with_keyword_args_deserialize_value, **obj_hash) instance end |
#key_prefix ⇒ String
Returns the key prefix for this class including the delimiter.
Centralizes key prefix generation to prevent bugs from manual string interpolation across the codebase.
484 485 486 |
# File 'lib/familia/horreum/management.rb', line 484 def key_prefix "#{prefix}#{Familia.delim}" end |
#keys_any?(filter = '*') ⇒ Boolean
For production-safe authoritative check, use #scan_any?
Checks if any objects exist using blocking KEYS command (production-dangerous).
⚠️ WARNING: This method uses the KEYS command which blocks Redis during execution. It scans ALL keys in the database and should NEVER be used in production.
629 630 631 |
# File 'lib/familia/horreum/management.rb', line 629 def keys_any?(filter = '*') keys_count(filter).positive? end |
#keys_count(filter = '*') ⇒ Integer
For production-safe authoritative count, use #scan_count
Returns authoritative count using blocking KEYS command (production-dangerous).
⚠️ WARNING: This method uses the KEYS command which blocks Redis during execution. It scans ALL keys in the database and should NEVER be used in production.
558 559 560 |
# File 'lib/familia/horreum/management.rb', line 558 def keys_count(filter = '*') dbclient.keys(dbkey(filter)).compact.size end |
#load_multi(identifiers, suffix = nil) ⇒ Array<Object> Also known as: load_batch
Returns nil for non-existent keys (maintains same contract as find_by_id)
Objects are returned in the same order as input identifiers
Empty/nil identifiers are skipped and return nil in result array
Loads multiple objects by their identifiers using pipelined HGETALL commands.
This method provides significant performance improvements for bulk loading by:
- Batching all HGETALL commands into a single Redis pipeline
- Eliminating network round-trip overhead
- Skipping individual EXISTS checks (like check_exists: false)
Performance characteristics:
- Standard approach: N objects × 2 commands (EXISTS + HGETALL) = 2N round trips
- check_exists: false: N objects × 1 command (HGETALL) = N round trips
- load_multi: 1 pipeline with N commands = 1 round trip
- Improvement: Up to 2N× faster for bulk operations
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 |
# File 'lib/familia/horreum/management.rb', line 279 def load_multi(identifiers, suffix = nil) suffix ||= self.suffix return [] if identifiers.empty? # Build list of valid keys and track their original positions valid_keys = [] valid_positions = [] identifiers.each_with_index do |identifier, idx| next if identifier.to_s.empty? valid_keys << dbkey(identifier, suffix) valid_positions << idx end Familia.trace :LOAD_MULTI, nil, "Loading #{identifiers.size} objects" if Familia.debug? # Pipeline all HGETALL commands multi_result = pipelined do |pipeline| valid_keys.each do |objkey| pipeline.hgetall(objkey) end end # Extract results array from MultiResult results = multi_result.results # Map results back to original positions objects = Array.new(identifiers.size) valid_positions.each_with_index do |pos, result_idx| obj_hash = results[result_idx] # Skip empty hashes (non-existent keys) next if obj_hash.nil? || obj_hash.empty? # Instantiate object using shared helper method objects[pos] = instantiate_from_hash(obj_hash) end objects end |
#load_multi_by_keys(objkeys) ⇒ Array<Object>
Returns nil for empty/nil keys, maintaining position alignment with input array
Loads multiple objects by their full dbkeys using pipelined HGETALL commands.
This is a lower-level variant of load_multi that works directly with dbkeys instead of identifiers. Useful when you already have the full keys.
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 |
# File 'lib/familia/horreum/management.rb', line 338 def load_multi_by_keys(objkeys) return [] if objkeys.empty? Familia.trace :LOAD_MULTI_BY_KEYS, nil, "Loading #{objkeys.size} objects" if Familia.debug? # Track which positions have valid keys to maintain result array alignment valid_positions = [] objkeys.each_with_index do |objkey, idx| valid_positions << idx unless objkey.to_s.empty? end # Pipeline all HGETALL commands for valid keys multi_result = pipelined do |pipeline| objkeys.each do |objkey| next if objkey.to_s.empty? pipeline.hgetall(objkey) end end # Extract results array from MultiResult results = multi_result.results # Map results back to original positions objects = Array.new(objkeys.size) valid_positions.each_with_index do |pos, result_idx| obj_hash = results[result_idx] # Skip empty hashes (non-existent keys) next if obj_hash.nil? || obj_hash.empty? # Instantiate object using shared helper method objects[pos] = instantiate_from_hash(obj_hash) end objects end |
#multiget ⇒ Object
68 69 70 |
# File 'lib/familia/horreum/management.rb', line 68 def multiget(...) rawmultiget(...).filter_map { |json| Familia::JsonSerializer.parse(json) } end |
#rawmultiget(*hids) ⇒ Object
72 73 74 75 76 77 78 |
# File 'lib/familia/horreum/management.rb', line 72 def rawmultiget(*hids) hids.collect! { |hobjid| dbkey(hobjid) } return [] if hids.compact.empty? Familia.trace :MULTIGET, nil, "#{hids.size}: #{hids}" if Familia.debug? dbclient.mget(*hids) end |
#scan_any?(filter = '*') ⇒ Boolean Also known as: any!
For fast check (potentially stale), use #any?
Checks if any objects exist using non-blocking SCAN command (production-safe).
This method uses cursor-based SCAN iteration to check for matching keys without blocking Redis. Safe for production use and returns early on first match.
649 650 651 652 653 654 655 656 657 658 659 660 |
# File 'lib/familia/horreum/management.rb', line 649 def scan_any?(filter = '*') pattern = dbkey(filter) cursor = "0" loop do cursor, keys = dbclient.scan(cursor, match: pattern, count: 100) return true unless keys.empty? break if cursor == "0" end false end |
#scan_count(filter = '*') ⇒ Integer Also known as: count!
For fast count (potentially stale), use #count
Returns authoritative count using non-blocking SCAN command (production-safe).
This method uses cursor-based SCAN iteration to count matching keys without blocking Redis. Safe for production use as it processes keys in chunks.
578 579 580 581 582 583 584 585 586 587 588 589 590 |
# File 'lib/familia/horreum/management.rb', line 578 def scan_count(filter = '*') pattern = dbkey(filter) count = 0 cursor = "0" loop do cursor, keys = dbclient.scan(cursor, match: pattern, count: 1000) count += keys.size break if cursor == "0" end count end |
#scan_pattern(match_suffix = suffix) ⇒ String
Returns the SCAN pattern for finding all objects of this class.
Centralizes SCAN pattern generation to ensure consistency across rebuild strategies and other key enumeration operations.
499 500 501 |
# File 'lib/familia/horreum/management.rb', line 499 def scan_pattern(match_suffix = suffix) "#{prefix}:*:#{match_suffix}" end |