我class_eval
用来编写要在当前类的上下文下执行的代码。在下面的代码中,我想为属性值的变化添加一个计数器。
class Class
def attr_count(attr_name)
attr_name = attr_name.to_s
attr_reader attr_name # create the attribute's getter
class_eval %Q{
@count = 0
def #{attr_name}= (attr_name)
@attr_name = attr_name
@count += 1
end
def #{attr_name}
@attr_name
end
}
end
end
class Foo
attr_count :bar
end
f = Foo.new
f.bar = 1
我的理解class_eval
是它在运行时类的上下文中评估块- 在我的例子中,在class Foo
. 我希望上面的代码运行类似于:
class Foo
attr_count :bar
@count = 0
def bar= (attr_name)
@attr_name = attr_name
@count += 1
end
def bar
@attr_name
end
end
但是上面的代码导致错误说,错误是由@count += 1
. 我不知道为什么@count
有nil:NilClass
它的超级?
(eval):5:in `bar=': undefined method `+' for nil:NilClass (NoMethodError)
另一方面,@selman 提供了一个将@count
赋值放在实例方法中的解决方案,并且它可以工作。
class Class
def attr_count(attr_name)
#...
class_eval %Q{
def #{attr_name}= (attr_name)
@attr_name = attr_name
if @count
@count += 1
else
@count = 1
end
end
#...
}
end
end
为什么更改变量范围有效?如何class_eval
执行其后面的字符串?