我正在尝试编写一个类似于Rails AactiveRecord模型的Ruby类,处理属性的方式:
class Person
attr_accessor :name, :age
# init with Person.new(:name => 'John', :age => 30)
def initialize(attributes={})
attributes.each { |key, val| send("#{key}=", val) if respond_to?("#{key}=") }
@attributes = attributes
end
# read attributes
def attributes
@attributes
end
# update attributes
def attributes=(attributes)
attributes.each do |key, val|
if respond_to?("#{key}=")
send("#{key}=", val)
@attributes[key] = name
end
end
end
end
我的意思是,当我启动课程时,会使用相关属性更新“属性”哈希:
>>> p = Person.new(:name => 'John', :age => 30)
>>> p.attributes
=> {:age=>30, :name=>"John"}
>>> p.attributes = { :name => 'charles' }
>>> p.attributes
=> {:age=>30, :name=>"charles"}
到目前为止一切顺利。我想要发生的是在设置单个属性时更新属性哈希:
>>> p.attributes
=> {:age=>30, :name=>"John"}
>>> p.name
=> "John"
>>> p.name = 'charles' # <--- update an individual property
=> "charles"
>>> p.attributes
=> {:age=>30, :name=>"John"} # <--- should be {:age=>30, :name=>"charles"}
我可以通过为每个属性编写一个setter和getter而不是使用attr_accessor
来做到这一点,但这对于一个有很多字段的模型来说很糟糕。有什么快速的方法来实现这个目标吗?
答案 0 :(得分:7)
问题是您将属性保存为单独的ivars,并保留在@attributes
哈希中。你应该只选择一种方式。
如果你想使用一个哈希,你应该自己创建一个访问器,这会将它们“重新路由”到一个可以设置和获取哈希的方法:
class Class
def my_attr_accessor(*accessors)
accessors.each do |m|
define_method(m) do
@attributes[m]
end
define_method("#{m}=") do |val|
@attributes[m]=val
end
end
end
end
class Foo
my_attr_accessor :foo, :bar
def initialize
@attributes = {}
end
end
foo = Foo.new
foo.foo = 123
foo.bar = 'qwe'
p foo
#=> #<Foo:0x1f855c @attributes={:foo=>123, :bar=>"qwe"}>
如果你想使用ivars,你应该再次推出自己的attr_accessor
方法,此外还要记住哪些ivars应该是“属性”,并在attributes
方法中使用该列表。 <{1}}方法会在运行中创建一个哈希值,并将其返回。
Here你可以找到一篇关于实现访问器的好文章。