我有一个带属性访问器的类:
class MyClass
attr_accessor :a, :b
def initialize
@a = 1
@b = 2
end
def update_values options
a = options[:a]
b = options[:b]
end
end
我认为在致电update_values
后,a
和b
应保留其新值:
describe MyClass do
before do
@thing = MyClass.new
end
it 'should set a and b' do
expect(@thing.a).to eq 1
expect(@thing.b).to eq 2
@thing.update_values a: 2, b: 5
expect(@thing.a).to eq 2
expect(@thing.b).to eq 5
end
end
这种情况没有发生 - 测试失败了:
Failures:
1) MyClass should set a and b
Failure/Error: expect(@thing.a).to eq 2
expected: 2
got: 1
(compared using ==)
属性访问器应该如何工作?我错过了什么?
答案 0 :(得分:2)
您只是定义了局部变量a
和b
。
您想要的是为实例变量a
和b
设置新值。以下是如何做到这一点:
def update_values options
self.a = options[:a] # or @a = options[:a]
self.b = options[:b] # or @b = options[:b]
end
现在:
foo = MyClass.new
#=> #<MyClass:0x007f83eac30300 @a=1, @b=2>
foo.update_values(a: 2, b: 3)
foo #=>#<MyClass:0x007f83eac30300 @a=2, @b=3>