如何使用update_attributes指定validation_context ?
我可以使用2个操作(没有update_attributes):
my_model.attributes = { :name => '123', :description => '345' }
my_model.save(:context => :some_context)
没有办法这样做,这是update_attributes
的代码(这是update
的别名)
def update(attributes)
with_transaction_returning_status do
assign_attributes(attributes)
save
end
end
正如你所看到的,它只是分配给定的属性并保存,而不传递任何参数给save
方法。
这些操作被封装在传递给with_transaction_returning_status
的块中,以防止某些赋值修改关联中的数据的问题。因此,当您手动调用这些操作时,将它们封闭起来会更安全。
def strict_update(attributes)
with_transaction_returning_status do
assign_attributes(attributes)
save(context: :strict)
end
end
您可以通过将update_with_context
添加到您的ApplicationRecord
(Rails 5中所有模型的基类)来改进它。
class ApplicationRecord < ActiveRecord::Base
self.abstract_class = true
# Update attributes with validation context.
# In Rails you can provide a context while you save, for example: `.save(:step1)`, but no way to
# provide a context while you update. This method just adds the way to update with validation
# context.
#
# @param [Hash] attributes to assign
# @param [Symbol] validation context
def update_with_context(attributes, context)
with_transaction_returning_status do
assign_attributes(attributes)
save(context: context)
end
end
end