作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个对象 Foo
并且想一次为它分配多个属性,类似于 Rails 中的 assign_attributes
:
class Foo
attr_accessor :a, :b, :c
end
f = Foo.new
my_hash = {a: "foo", b: "bar", c: "baz"}
f.assign_attributes(my_hash)
除非该类是 Rails 中的 ActiveRecord 模型,否则以上内容不起作用。有什么方法可以在 Ruby 中实现吗?
最佳答案
您可以自己实现批量分配方法。
一个选项是通过instance_variable_set
设置相应的实例变量。 :
class Foo
attr_accessor :a, :b, :c
def assign_attributes(attrs)
attrs.each_pair do |attr, value|
instance_variable_set("@#{attr}", value)
end
end
end
请注意,这将绕过任何自定义 setter 。正如文档中所说:
This may circumvent the encapsulation intended by the author of the class, so it should be used with care.
另一种方法是通过 public_send
动态调用 setter :
def assign_attributes(attrs)
attrs.each_pair do |attr, value|
public_send("#{attr}=", value)
end
end
这相当于按顺序设置每个单独的属性。如果 setter 已被(重新)定义为包括对所设置值的约束和控制,则后一种方法会尊重这一点。
如果您尝试设置未定义的属性,它也会引发异常:(因为相应的 setter 不存在)
f = Foo.new
f.assign_attributes(d: 'qux')
#=> NoMehodError: undefined method `d=' for #<Foo:0x00007fbb76038430>
此外,您可能希望确保传递的参数确实是哈希值,并且如果提供的属性无效/未知,则可能会引发自定义异常。
关于ruby-on-rails - 如何一次为 Ruby 中的对象分配多个属性,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/70100356/
我是一名优秀的程序员,十分优秀!