如何仅更新 Hanami 模型中已更改的属性?
How to update only changed attributes in Hanami Model?
鉴于我使用的是 Hanami 模型版本 0.6.1,我希望存储库仅更新实体的更改属性。
例如:
user_instance1 = UserRepository.find(1)
user_instance1.name = 'John'
user_instance2 = UserRepository.find(1)
user_instance2.email = 'john@email.com'
UserRepository.update(user_instance1)
#expected: UPDATE USER SET NAME = 'John' WHERE ID = 1
UserRepository.update(user_instance2)
#expected: UPDATE USER SET EMAIL = 'john@email.com' WHERE ID = 1
但实际情况是第二个命令覆盖了所有字段,包括未更改的字段。
我知道我可以使用 Hanami::Entity::DirtyTracking
获取所有更改的属性,但我不知道如何使用这些属性部分更新实体。
有办法吗?
hanami 实体是一个不可变的数据结构。这就是为什么您不能使用 setter 更改数据的原因:
>> account = AccountRepository.new.first
=> #<Account:0x00007ffbf3918010 @attributes={ name: 'Anton', ...}>
>> account.name
=> "Anton"
>> account.name = "Other"
1: from /Users/anton/.rvm/gems/ruby-2.5.0/gems/hanami-model-1.2.0/lib/hanami/entity.rb:144:in `method_missing'
NoMethodError (undefined method `name=' for #<Account:0x00007ffbf3918010>)
相反,您可以创建一个新实体,例如:
# will return a new account entity with updated attributes
>> Account.new(**account, name: 'A new one')
此外,您可以将 #update
与旧实体对象一起使用:
>> AccountRepository.new.update(account.id, **account, name: 'A new name')
=> #<Account:0x00007ffbf3918010 @attributes={ name: 'Anton', ...}>
>> account = AccountRepository.new.first
=> #<Account:0x00007ffbf3918010 @attributes={ name: 'Anton', ...}>
>> account.name
=> "A new name"
鉴于我使用的是 Hanami 模型版本 0.6.1,我希望存储库仅更新实体的更改属性。
例如:
user_instance1 = UserRepository.find(1)
user_instance1.name = 'John'
user_instance2 = UserRepository.find(1)
user_instance2.email = 'john@email.com'
UserRepository.update(user_instance1)
#expected: UPDATE USER SET NAME = 'John' WHERE ID = 1
UserRepository.update(user_instance2)
#expected: UPDATE USER SET EMAIL = 'john@email.com' WHERE ID = 1
但实际情况是第二个命令覆盖了所有字段,包括未更改的字段。
我知道我可以使用 Hanami::Entity::DirtyTracking
获取所有更改的属性,但我不知道如何使用这些属性部分更新实体。
有办法吗?
hanami 实体是一个不可变的数据结构。这就是为什么您不能使用 setter 更改数据的原因:
>> account = AccountRepository.new.first
=> #<Account:0x00007ffbf3918010 @attributes={ name: 'Anton', ...}>
>> account.name
=> "Anton"
>> account.name = "Other"
1: from /Users/anton/.rvm/gems/ruby-2.5.0/gems/hanami-model-1.2.0/lib/hanami/entity.rb:144:in `method_missing'
NoMethodError (undefined method `name=' for #<Account:0x00007ffbf3918010>)
相反,您可以创建一个新实体,例如:
# will return a new account entity with updated attributes
>> Account.new(**account, name: 'A new one')
此外,您可以将 #update
与旧实体对象一起使用:
>> AccountRepository.new.update(account.id, **account, name: 'A new name')
=> #<Account:0x00007ffbf3918010 @attributes={ name: 'Anton', ...}>
>> account = AccountRepository.new.first
=> #<Account:0x00007ffbf3918010 @attributes={ name: 'Anton', ...}>
>> account.name
=> "A new name"