Class: DataMapper::Property

Inherits:
Object
  • Object
show all
Extended by:
Chainable, Deprecate, Equalizer
Includes:
Assertions, Subject
Defined in:
lib/dm-core/property.rb,
lib/dm-core/property/date.rb,
lib/dm-core/property/text.rb,
lib/dm-core/property/time.rb,
lib/dm-core/property/class.rb,
lib/dm-core/property/float.rb,
lib/dm-core/property/binary.rb,
lib/dm-core/property/lookup.rb,
lib/dm-core/property/object.rb,
lib/dm-core/property/serial.rb,
lib/dm-core/property/string.rb,
lib/dm-core/property/boolean.rb,
lib/dm-core/property/decimal.rb,
lib/dm-core/property/integer.rb,
lib/dm-core/property/numeric.rb,
lib/dm-core/property/date_time.rb,
lib/dm-core/property/discriminator.rb,
lib/dm-core/property/typecast/time.rb,
lib/dm-core/property/typecast/numeric.rb

Overview

Properties

Properties for a model are not derived from a database structure, but instead explicitly declared inside your model class definitions. These properties then map (or, if using automigrate, generate) fields in your repository/database.

If you are coming to DataMapper from another ORM framework, such as ActiveRecord, this may be a fundamental difference in thinking to you. However, there are several advantages to defining your properties in your models:

  • information about your model is centralized in one place: rather than having to dig out migrations, xml or other configuration files.

  • use of mixins can be applied to model properties: better code reuse

  • having information centralized in your models, encourages you and the developers on your team to take a model-centric view of development.

  • it provides the ability to use Ruby’s access control functions.

  • and, because DataMapper only cares about properties explicitly defined in your models, DataMapper plays well with legacy databases, and shares databases easily with other applications.

Declaring Properties

Inside your class, you call the property method for each property you want to add. The only two required arguments are the name and type, everything else is optional.

class Post
  include DataMapper::Resource

  property :title,   String,  :required => true  # Cannot be null
  property :publish, Boolean, :default => false  # Default value for new records is false
end

By default, DataMapper supports the following primitive (Ruby) types also called core properties:

  • Boolean

  • Class (datastore primitive is the same as String. Used for Inheritance)

  • Date

  • DateTime

  • Decimal

  • Float

  • Integer

  • Object (marshalled out during serialization)

  • String (default length is 50)

  • Text (limit of 65k characters by default)

  • Time

Limiting Access

Property access control is uses the same terminology Ruby does. Properties are public by default, but can also be declared private or protected as needed (via the :accessor option).

class Post
 include DataMapper::Resource

  property :title, String, :accessor => :private    # Both reader and writer are private
  property :body,  Text,   :accessor => :protected  # Both reader and writer are protected
end

Access control is also analogous to Ruby attribute readers and writers, and can be declared using :reader and :writer, in addition to :accessor.

class Post
  include DataMapper::Resource

  property :title, String, :writer => :private    # Only writer is private
  property :tags,  String, :reader => :protected  # Only reader is protected
end

Overriding Accessors

The reader/writer for any property can be overridden in the same manner that Ruby attr readers/writers can be. After the property is defined, just add your custom reader or writer:

class Post
  include DataMapper::Resource

  property :title, String

  def title=(new_title)
    raise ArgumentError if new_title != 'Luke is Awesome'
    @title = new_title
  end
end

Lazy Loading

By default, some properties are not loaded when an object is fetched in DataMapper. These lazily loaded properties are fetched on demand when their accessor is called for the first time (as it is often unnecessary to instantiate -every- property -every- time an object is loaded). For instance, DataMapper::Property::Text fields are lazy loading by default, although you can over-ride this behavior if you wish:

Example:

class Post
  include DataMapper::Resource

  property :title, String  # Loads normally
  property :body,  Text    # Is lazily loaded by default
end

If you want to over-ride the lazy loading on any field you can set it to a context or false to disable it with the :lazy option. Contexts allow multipule lazy properties to be loaded at one time. If you set :lazy to true, it is placed in the :default context

class Post
  include DataMapper::Resource

  property :title,   String                                    # Loads normally
  property :body,    Text,   :lazy => false                    # The default is now over-ridden
  property :comment, String, :lazy => [ :detailed ]            # Loads in the :detailed context
  property :author,  String, :lazy => [ :summary, :detailed ]  # Loads in :summary & :detailed context
end

Delaying the request for lazy-loaded attributes even applies to objects accessed through associations. In a sense, DataMapper anticipates that you will likely be iterating over objects in associations and rolls all of the load commands for lazy-loaded properties into one request from the database.

Example:

Widget.get(1).components
  # loads when the post object is pulled from database, by default

Widget.get(1).components.first.body
  # loads the values for the body property on all objects in the
  # association, rather than just this one.

Widget.get(1).components.first.comment
  # loads both comment and author for all objects in the association
  # since they are both in the :detailed context

Keys

Properties can be declared as primary or natural keys on a table. You should a property as the primary key of the table:

Examples:

property :id,        Serial                # auto-incrementing key
property :legacy_pk, String, :key => true  # 'natural' key

This is roughly equivalent to ActiveRecord’s set_primary_key, though non-integer data types may be used, thus DataMapper supports natural keys. When a property is declared as a natural key, accessing the object using the indexer syntax Class[key] remains valid.

User.get(1)
   # when :id is the primary key on the users table
User.get('bill')
   # when :name is the primary (natural) key on the users table

Indices

You can add indices for your properties by using the :index option. If you use true as the option value, the index will be automatically named. If you want to name the index yourself, use a symbol as the value.

property :last_name,  String, :index => true
property :first_name, String, :index => :name

You can create multi-column composite indices by using the same symbol in all the columns belonging to the index. The columns will appear in the index in the order they are declared.

property :last_name,  String, :index => :name
property :first_name, String, :index => :name
   # => index on (last_name, first_name)

If you want to make the indices unique, use :unique_index instead of :index

Inferred Validations

If you require the dm-validations plugin, auto-validations will automatically be mixed-in in to your model classes: validation rules that are inferred when properties are declared with specific column restrictions.

class Post
  include DataMapper::Resource

  property :title, String, :length => 250
    # => infers 'validates_length :title,
           :minimum => 0, :maximum => 250'

  property :title, String, :required => true
    # => infers 'validates_present :title

  property :email, String, :format => :email_address
    # => infers 'validates_format :email, :with => :email_address

  property :title, String, :length => 255, :required => true
    # => infers both 'validates_length' as well as
    #    'validates_present'
    #    better: property :title, String, :length => 1..255

end

This functionality is available with the dm-validations gem. For more information about validations, check the documentation for dm-validations.

Default Values

To set a default for a property, use the :default key. The property will be set to the value associated with that key the first time it is accessed, or when the resource is saved if it hasn’t been set with another value already. This value can be a static value, such as ‘hello’ but it can also be a proc that will be evaluated when the property is read before its value has been set. The property is set to the return of the proc. The proc is passed two values, the resource the property is being set for and the property itself.

property :display_name, String, :default => { |resource, property| resource.login }

Word of warning. Don’t try to read the value of the property you’re setting the default for in the proc. An infinite loop will ensue.

Embedded Values (not implemented yet)

As an alternative to extraneous has_one relationships, consider using an EmbeddedValue.

Property options reference

:accessor            if false, neither reader nor writer methods are
                     created for this property

:reader              if false, reader method is not created for this property

:writer              if false, writer method is not created for this property

:lazy                if true, property value is only loaded when on first read
                     if false, property value is always loaded
                     if a symbol, property value is loaded with other properties
                     in the same group

:default             default value of this property

:allow_nil           if true, property may have a nil value on save

:key                 name of the key associated with this property.

:field               field in the data-store which the property corresponds to

:length              string field length

:format              format for autovalidation. Use with dm-validations plugin.

:index               if true, index is created for the property. If a Symbol, index
                     is named after Symbol value instead of being based on property name.

:unique_index        true specifies that index on this property should be unique

:auto_validation     if true, automatic validation is performed on the property

:validates           validation context. Use together with dm-validations.

:unique              if true, property column is unique. Properties of type Serial
                     are unique by default.

:precision           Indicates the number of significant digits. Usually only makes sense
                     for float type properties. Must be >= scale option value. Default is 10.

:scale               The number of significant digits to the right of the decimal point.
                     Only makes sense for float type properties. Must be > 0.
                     Default is nil for Float type and 10 for BigDecimal

All other keys you pass to +property+ method are stored and available
as options[:extra_keys].

Overriding default Property options

There is the ability to reconfigure a Property and it’s subclasses by explicitly setting a value in the Property, eg:

# set all String properties to have a default length of 255
DataMapper::Property::String.length(255)

# set all Boolean properties to not allow nil (force true or false)
DataMapper::Property::Boolean.allow_nil(false)

# set all properties to be required by default
DataMapper::Property.required(true)

# turn off auto-validation for all properties by default
DataMapper::Property.auto_validation(false)

# set all mutator methods to be private by default
DataMapper::Property.writer(false)

Please note that this has no effect when a subclass has explicitly defined it’s own option. For example, setting the String length to 255 will not affect the Text property even though it inherits from String, because it sets it’s own default length to 65535.

Misc. Notes

  • Properties declared as strings will default to a length of 50, rather than 255 (typical max varchar column size). To overload the default, pass :length => 255 or :length => 0..255. Since DataMapper does not introspect for properties, this means that legacy database tables may need their String columns defined with a :length so that DM does not apply an un-needed length validation, or allow overflow.

  • You may declare a Property with the data-type of Class. see SingleTableInheritance for more on how to use Class columns.

Direct Known Subclasses

Object

Defined Under Namespace

Modules: Lookup, PassThroughLoadDump, Typecast Classes: Binary, Boolean, Class, Date, DateTime, Decimal, Discriminator, Float, Integer, Numeric, Object, Serial, String, Text, Time

Constant Summary collapse

PRIMITIVES =
[
  TrueClass,
  ::String,
  ::Float,
  ::Integer,
  ::BigDecimal,
  ::DateTime,
  ::Date,
  ::Time,
  ::Class
].to_set.freeze
OPTIONS =
[
  :accessor, :reader, :writer,
  :lazy, :default, :key, :field,
  :index, :unique_index,
  :unique, :allow_nil, :allow_blank, :required
]
VISIBILITY_OPTIONS =

Possible :visibility option values

[ :public, :protected, :private ].to_set.freeze
INVALID_NAMES =

Invalid property names

(Resource.instance_methods + Resource.private_instance_methods + Query::OPTIONS.to_a).map { |name| name.to_s }.freeze

Instance Attribute Summary collapse

Class Method Summary collapse

Instance Method Summary collapse

Methods included from Chainable

chainable, extendable

Methods included from Equalizer

equalize

Methods included from Deprecate

deprecate

Methods included from Subject

#default?, #default_for

Methods included from Assertions

#assert_kind_of

Constructor Details

#initialize(model, name, options = {}) ⇒ Property (protected)

Returns a new instance of Property.



749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
# File 'lib/dm-core/property.rb', line 749

def initialize(model, name, options = {})
  options = options.to_hash.dup

  if INVALID_NAMES.include?(name.to_s)
    raise ArgumentError, "+name+ was #{name.inspect}, which cannot be used as a property name since it collides with an existing method or a query option"
  end

  assert_valid_options(options)

  predefined_options = self.class.options

  @repository_name        = model.repository_name
  @model                  = model
  @name                   = name.to_s.chomp('?').to_sym
  @options                = predefined_options.merge(options).freeze
  @instance_variable_name = "@#{@name}".freeze

  @primitive = self.class.primitive
  @field     = @options[:field].freeze unless @options[:field].nil?
  @default   = @options[:default]

  @serial       = @options.fetch(:serial,       false)
  @key          = @options.fetch(:key,          @serial)
  @unique       = @options.fetch(:unique,       @key ? :key : false)
  @required     = @options.fetch(:required,     @key)
  @allow_nil    = @options.fetch(:allow_nil,    !@required)
  @allow_blank  = @options.fetch(:allow_blank,  !@required)
  @index        = @options.fetch(:index,        false)
  @unique_index = @options.fetch(:unique_index, @unique)
  @lazy         = @options.fetch(:lazy,         false) && !@key

  determine_visibility

  bind
end

Instance Attribute Details

#allow_blankObject (readonly)

Returns the value of attribute allow_blank.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def allow_blank
  @allow_blank
end

#allow_nilObject (readonly)

Returns the value of attribute allow_nil.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def allow_nil
  @allow_nil
end

#defaultObject (readonly)

Returns the value of attribute default.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def default
  @default
end

#indexBoolean, ... (readonly)

Returns index name if property has index.

Returns:

  • (Boolean, Symbol, Array)

    returns true if property is indexed by itself returns a Symbol if the property is indexed with other properties returns an Array if the property belongs to multiple indexes returns false if the property does not belong to any indexes



517
518
519
# File 'lib/dm-core/property.rb', line 517

def index
  @index
end

#instance_variable_nameObject (readonly)

Returns the value of attribute instance_variable_name.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def instance_variable_name
  @instance_variable_name
end

#modelObject (readonly)

Returns the value of attribute model.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def model
  @model
end

#nameObject (readonly)

Returns the value of attribute name.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def name
  @name
end

#optionsObject (readonly)

Returns the value of attribute options.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def options
  @options
end

#primitiveObject (readonly)

Returns the value of attribute primitive.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def primitive
  @primitive
end

#reader_visibilityObject (readonly)

Returns the value of attribute reader_visibility.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def reader_visibility
  @reader_visibility
end

#repository_nameObject (readonly)

Returns the value of attribute repository_name.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def repository_name
  @repository_name
end

#requiredObject (readonly)

Returns the value of attribute required.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def required
  @required
end

#unique_indexBoolean, ... (readonly)

Returns true if property has unique index. Serial properties and keys are unique by default.

Returns:

  • (Boolean, Symbol, Array)

    returns true if property is indexed by itself returns a Symbol if the property is indexed with other properties returns an Array if the property belongs to multiple indexes returns false if the property does not belong to any indexes



529
530
531
# File 'lib/dm-core/property.rb', line 529

def unique_index
  @unique_index
end

#writer_visibilityObject (readonly)

Returns the value of attribute writer_visibility.



362
363
364
# File 'lib/dm-core/property.rb', line 362

def writer_visibility
  @writer_visibility
end

Class Method Details

.accept_options(*args) ⇒ Object



431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
# File 'lib/dm-core/property.rb', line 431

def accept_options(*args)
  accepted_options.concat(args)

  # create methods for each new option
  args.each do |property_option|
    class_eval <<-RUBY, __FILE__, __LINE__ + 1
      def self.#{property_option}(value = Undefined)                         # def self.unique(value = Undefined)
        return @#{property_option} if value.equal?(Undefined)                #   return @unique if value.equal?(Undefined)
        descendants.each do |descendant|                                     #   descendants.each do |descendant|
          unless descendant.instance_variable_defined?(:@#{property_option}) #     unless descendant.instance_variable_defined?(:@unique)
            descendant.#{property_option}(value)                             #       descendant.unique(value)
          end                                                                #     end
        end                                                                  #   end
        @#{property_option} = value                                          #   @unique = value
      end                                                                    # end
    RUBY
  end

  descendants.each { |descendant| descendant.accepted_options.concat(args) }
end

.accepted_optionsObject



426
427
428
# File 'lib/dm-core/property.rb', line 426

def accepted_options
  @accepted_options ||= []
end

.demodulized_namesObject

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.



378
379
380
# File 'lib/dm-core/property.rb', line 378

def demodulized_names
  @demodulized_names ||= {}
end

.descendantsObject



390
391
392
# File 'lib/dm-core/property.rb', line 390

def descendants
  @descendants ||= DescendantSet.new
end

.determine_class(type) ⇒ Object



372
373
374
375
# File 'lib/dm-core/property.rb', line 372

def determine_class(type)
  return type if type < DataMapper::Property::Object
  find_class(DataMapper::Inflector.demodulize(type.name))
end

.find_class(name) ⇒ Object



383
384
385
386
387
# File 'lib/dm-core/property.rb', line 383

def find_class(name)
  klass   = demodulized_names[name]
  klass ||= const_get(name) if const_defined?(name)
  klass
end

.inherited(descendant) ⇒ 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.



395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
# File 'lib/dm-core/property.rb', line 395

def inherited(descendant)
  # Descendants is a tree rooted in DataMapper::Property that tracks
  # inheritance.  We pre-calculate each comparison value (demodulized
  # class name) to achieve a Hash[]-time lookup, rather than walk the
  # entire descendant tree and calculate names on-demand (expensive,
  # redundant).
  #
  # Since the algorithm relegates property class name lookups to a flat
  # namespace, we need to ensure properties defined outside of DM don't
  # override built-ins (Serial, String, etc) by merely defining a property
  # of a same name.  We avoid this by only ever adding to the lookup
  # table.  Given that DM loads its own property classes first, we can
  # assume that their names are "reserved" when added to the table.
  #
  # External property authors who want to provide "replacements" for
  # builtins (e.g. in a non-DM-supported adapter) should follow the
  # convention of wrapping those properties in a module, and include'ing
  # the module on the model class directly.  This bypasses the DM-hooked
  # const_missing lookup that would normally check this table.
  descendants << descendant

  Property.demodulized_names[DataMapper::Inflector.demodulize(descendant.name)] ||= descendant

  # inherit accepted options
  descendant.accepted_options.concat(accepted_options)

  # inherit the option values
  options.each { |key, value| descendant.send(key, value) }
end

.nullable(*args) ⇒ 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.



453
454
455
456
# File 'lib/dm-core/property.rb', line 453

def nullable(*args)
  # :required is preferable to :allow_nil, but :nullable maps precisely to :allow_nil
  raise "#nullable is deprecated, use #required instead (#{caller.first})"
end

.optionsHash

Gives all the options set on this property

Returns:

  • (Hash)

    with all options and their values set on this property



463
464
465
466
467
468
469
470
# File 'lib/dm-core/property.rb', line 463

def options
  options = {}
  accepted_options.each do |method|
    value = send(method)
    options[method] = value unless value.nil?
  end
  options
end

Instance Method Details

#allow_blank?Boolean

Returns whether or not the property can be a blank value

Returns:

  • (Boolean)

    whether or not the property can be blank



587
588
589
# File 'lib/dm-core/property.rb', line 587

def allow_blank?
  @allow_blank
end

#allow_nil?Boolean

Returns whether or not the property can accept ‘nil’ as it’s value

Returns:

  • (Boolean)

    whether or not the property can accept ‘nil’



577
578
579
# File 'lib/dm-core/property.rb', line 577

def allow_nil?
  @allow_nil
end

#assert_valid_options(options) ⇒ Object (protected)

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.



786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
# File 'lib/dm-core/property.rb', line 786

def assert_valid_options(options)
  keys = options.keys

  if (unknown_keys = keys - self.class.accepted_options).any?
    raise ArgumentError, "options #{unknown_keys.map { |key| key.inspect }.join(' and ')} are unknown"
  end

  options.each do |key, value|
    boolean_value = value == true || value == false

    case key
      when :field
        assert_kind_of "options[:#{key}]", value, ::String

      when :default
        if value.nil?
          raise ArgumentError, "options[:#{key}] must not be nil"
        end

      when :serial, :key, :allow_nil, :allow_blank, :required, :auto_validation
        unless boolean_value
          raise ArgumentError, "options[:#{key}] must be either true or false"
        end

        if key == :required && (keys.include?(:allow_nil) || keys.include?(:allow_blank))
          raise ArgumentError, 'options[:required] cannot be mixed with :allow_nil or :allow_blank'
        end

      when :index, :unique_index, :unique, :lazy
        unless boolean_value || value.kind_of?(Symbol) || (value.kind_of?(Array) && value.any? && value.all? { |val| val.kind_of?(Symbol) })
          raise ArgumentError, "options[:#{key}] must be either true, false, a Symbol or an Array of Symbols"
        end

      when :length
        assert_kind_of "options[:#{key}]", value, Range, ::Integer

      when :size, :precision, :scale
        assert_kind_of "options[:#{key}]", value, ::Integer

      when :reader, :writer, :accessor
        assert_kind_of "options[:#{key}]", value, Symbol

        unless VISIBILITY_OPTIONS.include?(value)
          raise ArgumentError, "options[:#{key}] must be #{VISIBILITY_OPTIONS.join(' or ')}"
        end
    end
  end
end

#bindObject

A hook to allow properties to extend or modify the model it’s bound to. Implementations are not supposed to modify the state of the property class, and should produce no side-effects on the property instance.



478
479
480
# File 'lib/dm-core/property.rb', line 478

def bind
  # no op
end

#determine_visibilityundefined (protected)

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.

Assert given visibility value is supported.

Will raise ArgumentError if this Property’s reader and writer visibilities are not included in VISIBILITY_OPTIONS.

Returns:

  • (undefined)

Raises:

  • (ArgumentError)

    “property visibility must be :public, :protected, or :private”



845
846
847
848
849
850
# File 'lib/dm-core/property.rb', line 845

def determine_visibility
  default_accessor = @options.fetch(:accessor, :public)

  @reader_visibility = @options.fetch(:reader, default_accessor)
  @writer_visibility = @options.fetch(:writer, default_accessor)
end

#field(repository_name = nil) ⇒ String

Supplies the field in the data-store which the property corresponds to

Returns:

  • (String)

    name of field in data-store



487
488
489
490
491
492
493
494
495
# File 'lib/dm-core/property.rb', line 487

def field(repository_name = nil)
  if repository_name
    raise "Passing in +repository_name+ to #{self.class}#field is deprecated (#{caller.first})"
  end

  # defer setting the field with the adapter specific naming
  # conventions until after the adapter has been setup
  @field ||= model.field_naming_convention(self.repository_name).call(self).freeze
end

#get(resource) ⇒ 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.

Standardized reader method for the property

Parameters:

  • resource (Resource)

    model instance for which this property is to be loaded

Returns:

  • (Object)

    the value of this property for the provided instance

Raises:

  • (ArgumentError)

    resource should be a Resource, but was .…”



602
603
604
# File 'lib/dm-core/property.rb', line 602

def get(resource)
  get!(resource)
end

#get!(resource) ⇒ 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.

Fetch the ivar value in the resource

Parameters:

  • resource (Resource)

    model instance for which this property is to be unsafely loaded

Returns:

  • (Object)

    current @ivar value of this property in resource



615
616
617
# File 'lib/dm-core/property.rb', line 615

def get!(resource)
  resource.instance_variable_get(instance_variable_name)
end

#inspectString

Returns a concise string representation of the property instance.

Returns:

  • (String)

    Concise string representation of the property instance.



723
724
725
# File 'lib/dm-core/property.rb', line 723

def inspect
  "#<#{self.class.name} @model=#{model.inspect} @name=#{name.inspect}>"
end

#key?Boolean

Returns whether or not the property is a key or a part of a key

Returns:

  • (Boolean)

    true if the property is a key or a part of a key



547
548
549
# File 'lib/dm-core/property.rb', line 547

def key?
  @key
end

#lazy?Boolean

Returns whether or not the property is to be lazy-loaded

Returns:

  • (Boolean)

    true if the property is to be lazy-loaded



537
538
539
# File 'lib/dm-core/property.rb', line 537

def lazy?
  @lazy
end

#lazy_load(resource) ⇒ 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.

Loads lazy columns when get or set is called.

Parameters:

  • resource (Resource)

    model instance for which lazy loaded attribute are loaded



670
671
672
673
# File 'lib/dm-core/property.rb', line 670

def lazy_load(resource)
  return if loaded?(resource)
  resource.__send__(:lazy_load, lazy_load_properties)
end

#lazy_load_propertiesObject

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.



676
677
678
679
680
681
682
# File 'lib/dm-core/property.rb', line 676

def lazy_load_properties
  @lazy_load_properties ||=
    begin
      properties = self.properties
      properties.in_context(lazy? ? [ self ] : properties.defaults)
    end
end

#loaded?(resource) ⇒ Boolean

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.

Check if the attribute corresponding to the property is loaded

Parameters:

  • resource (Resource)

    model instance for which the attribute is to be tested

Returns:

  • (Boolean)

    true if the attribute is loaded in the resource



660
661
662
# File 'lib/dm-core/property.rb', line 660

def loaded?(resource)
  resource.instance_variable_defined?(instance_variable_name)
end

#primitive?(value) ⇒ Boolean

Test a value to see if it matches the primitive type

Parameters:

  • value (Object)

    value to test

Returns:

  • (Boolean)

    true if the value is the correct type



736
737
738
# File 'lib/dm-core/property.rb', line 736

def primitive?(value)
  value.kind_of?(primitive)
end

#propertiesObject

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.



685
686
687
# File 'lib/dm-core/property.rb', line 685

def properties
  @properties ||= model.properties(repository_name)
end

#required?Boolean

Returns whether or not the property must be non-nil and non-blank

Returns:

  • (Boolean)

    whether or not the property is required



567
568
569
# File 'lib/dm-core/property.rb', line 567

def required?
  @required
end

#serial?Boolean

Returns whether or not the property is “serial” (auto-incrementing)

Returns:

  • (Boolean)

    whether or not the property is “serial”



557
558
559
# File 'lib/dm-core/property.rb', line 557

def serial?
  @serial
end

#set(resource, value) ⇒ 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.

Provides a standardized setter method for the property

Parameters:

  • resource (Resource)

    the resource to get the value from

  • value (Object)

    the value to set in the resource

Returns:

  • (Object)

    value after being typecasted according to this property’s primitive

Raises:

  • (ArgumentError)

    resource should be a Resource, but was .…”



632
633
634
# File 'lib/dm-core/property.rb', line 632

def set(resource, value)
  set!(resource, typecast(value))
end

#set!(resource, value) ⇒ 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.

Set the ivar value in the resource

Parameters:

  • resource (Resource)

    the resource to set

  • value (Object)

    the value to set in the resource

Returns:

  • (Object)

    the value set in the resource



647
648
649
# File 'lib/dm-core/property.rb', line 647

def set!(resource, value)
  resource.instance_variable_set(instance_variable_name, value)
end

#typecast(value) ⇒ Object



690
691
692
693
694
695
696
# File 'lib/dm-core/property.rb', line 690

def typecast(value)
  if value.nil? || primitive?(value)
    value
  elsif respond_to?(:typecast_to_primitive)
    typecast_to_primitive(value)
  end
end

#unique?Boolean

Returns true if property is unique. Serial properties and keys are unique by default.

Returns:

  • (Boolean)

    true if property has uniq index defined, false otherwise



504
505
506
# File 'lib/dm-core/property.rb', line 504

def unique?
  !!@unique
end

#valid?(value, negated = false) ⇒ Boolean

Test the value to see if it is a valid value for this Property

Parameters:

  • loaded_value (Object)

    the value to be tested

Returns:

  • (Boolean)

    true if the value is valid



707
708
709
710
711
712
713
714
715
# File 'lib/dm-core/property.rb', line 707

def valid?(value, negated = false)
  dumped_value = dump(value)

  if required? && dumped_value.nil?
    negated || false
  else
    primitive?(dumped_value) || (dumped_value.nil? && (allow_nil? || negated))
  end
end