Using DataMapper, I have noticed that unless I modify the entire Object
, the property is not updated - updating fields of an object and then saving does not persist changes.
I'm updating the value
attribute of my UnitValue
class, which I store as an Object
property in my ProductQuantity
class.
require 'data_mapper'
class ProductQuantity
include DataMapper::Resource
property :id, Serial
property :quantity, Object, :required => true
end
# RSpec:
# Create a UnitValue with value 300, save as the Object property of this ProductQuantity
prod_quantity1 = ProductQuantity.create(:quantity => UnitValue.new(300, 'kg'))
expect(prod_quantity1.quantity.value).to eql(300) # true
# Replace the entire UnitValue object
prod_quantity1.quantity = UnitValue.new(400, 'kg')
expect(prod_quantity1.quantity.value).to eql(400)
prod_quantity1.save
# Check save worked when modifying the entire object
expect(ProductQuantity.get(prod_quantity1.id).quantity.value).to eql(400) # true
# Modify only a single field
prod_quantity1.quantity.value = 500
prod_quantity1.save
# Check save worked when modifying a single object - this FAILS
expect(ProductQuantity.get(prod_quantity1.id).quantity.value).to eql(500) # false
After looking through docs and finding this outdated thread I believe I've found the solution. You can mark attributes as dirty by changing the persistence_state of a
DataMapper::Resource
instance.Basically we create a
DataMapper::Resource::PersistenceState::Dirty
object and then using the "quantity" property of my ProductQuantity as the key, we set the value as the old object inoriginal_attributes
. Any non-empty map will return true forprod_quantity1.dirty?
.I've made it into a module below. Just call
<resource_instance>.make_dirty(*attributes)
with some attributes names.And I've tested it below: