在查看文档并找到这个过时的线程后,我相信我已经找到了解决方案。DataMapper::Resource
您可以通过更改实例的 persistence_state 将属性标记为脏。
DirtyState = DataMapper::Resource::PersistenceState::Dirty
quantity_property = ProductQuantity.properties[:quantity]
old_quantity = prod_quantity1.quantity
prod_quantity1.quantity.value = 500
dirty_state = DataMapper::Resource::PersistenceState::Dirty.new(prod_quantity1)
dirty_state.original_attributes[quantity_property] = old_quantity
prod_quantity1.persistence_state = dirty_state
expect(prod_quantity1.persistence_state.is_a? DirtyState).to eql(true)
expect(prod_quantity1.dirty?).to eql(true)
prod_quantity1.save
expect(prod_quantity1.dirty?).to eql(false)
基本上我们创建一个DataMapper::Resource::PersistenceState::Dirty
对象,然后使用我的 ProductQuantity 的“数量”属性作为键,我们将值设置为original_attributes
. 任何非空地图都将为prod_quantity1.dirty?
.
我已经把它做成了下面的一个模块。只需调用<resource_instance>.make_dirty(*attributes)
一些属性名称即可。
require 'data_mapper'
module DataMapper
module Resource
# Make the give attributes dirty
def make_dirty(*attributes)
if attributes.empty?
return
end
unless self.clean?
self.save
end
dirty_state = DataMapper::Resource::PersistenceState::Dirty.new(self)
attributes.each do |attribute|
property = self.class.properties[attribute]
# Any value will do here and return true for self.dirty?, but it expects the old version of this attribute.
dirty_state.original_attributes[property] = nil
self.persistence_state = dirty_state
end
end
end
end
我已经在下面进行了测试:
describe DataMapper::Resource do
before(:all) do
DataMapper.auto_migrate!
@prod1 = Product.create(:name => 'Snickers')
end
after(:all) do
DataMapper.auto_migrate!
end
it 'should fail when an attribute is not dirty' do
prod_quantity1 = ProductQuantity.create(:product => @prod1, :quantity => UnitValue.new(300, 'kg'))
prod_quantity1.quantity.value = 400
expect(prod_quantity1.dirty?).to eql(false)
prod_quantity1.save
prod_quantity1 = ProductQuantity.get(prod_quantity1.id)
expect(prod_quantity1.quantity.value).to eql(300)
end
it 'should mark an attribute as dirty' do
prod_quantity1 = ProductQuantity.create(:product => @prod1, :quantity => UnitValue.new(300, 'kg'))
prod_quantity1.quantity.value = 400
expect(prod_quantity1.dirty?).to eql(false)
prod_quantity1.make_dirty(:quantity)
expect(prod_quantity1.dirty?).to eql(true)
prod_quantity1.save
expect(prod_quantity1.quantity.value).to eql(400)
expect(prod_quantity1.dirty?).to eql(false)
end
end