我创建了一个为每个实例生成不同名称的类,但是在一个语句中实例化两个实例时,测试意外失败。
这是班级。
<!--#if expr='v("foo") = "bar"' -->
foo is bar
<!--#endif -->
此处该类的行为符合预期
class Robot
attr_accessor :name
@@current_name = 'AA000'
def initialize
@name = @@current_name
@@current_name.next!
end
end
这是意外行为,我期待irb(main):009:0> Robot.new.name
=> "AA001"
irb(main):010:0> Robot.new.name
=> "AA002"
。这段代码是对我试图通过的练习的测试,所以我无法改变测试。
false
检查irb(main):011:0> Robot.new.name == Robot.new.name
=> true
表明正在创建两个不同的实例。
object_id
为什么Ruby会这样做,我该怎么做才能修复它&amp;假设有一个术语,我可以输入什么来搜索有关此问题的答案。
答案 0 :(得分:5)
看看这是否有帮助:
class Robot
attr_accessor :name
@@current_name = 'AA000'
def initialize
@name = @@current_name
@@current_name.next!
end
end
x = Robot.new
puts x.name
y = Robot.new
puts y.name
puts x.name == y.name
puts x.name
puts y.name
--output:--
AA001
AA002
true
AA002
AA002
为什么Ruby会这样做
因为每个实例的@name
变量引用与变量@@current_name
相同的String,并且您继续使用!
方法更改该字符串。
我应该怎么做才能解决它
class Robot
attr_accessor :name
@@current_name = 'AA000'
def initialize
@name = @@current_name.dup
@@current_name.next!
end
end
x = Robot.new
puts x.name
y = Robot.new
puts y.name
p x.name == y.name
p x.name
p y.name
--output:--
AA000
AA001
false
AA000
AA001
虽然,我和其他许多人都会警告你,不要在你的代码中使用@@variables
。
Ruby赋值运算符:
1. x = “hello”:
x ------> “hello”
2. y = x:
x ------> “hello”
^
|
y -----------+
3. y << “ world”:
x ------> “hello world”
^ ^
| ^
y -----------+ ^
> > >
重要的是,x和y的名称拼写为@name
和@@current_name
。
这是另一个代码示例:
x = "hello"
y = x
y << " world"
puts x, y
--output:--
hello world
hello world
x.next!
puts x, y
--output:--
hello worle
hello worle
以下是immutable types
的示例:
1. x = 10:
x ------> 10
2. y = x:
x ---------> 10
^
|
y -----------+
3. y += 1
=> y = y + 1
=> y = 10 + 1
And 10 + 1 creates the new Integer object 11 and assigns it to y:
x ------> 10
y ------> 11
表达式10 + 1
不会增加x和y引用的Integer对象10 - 因为Integer对象是不可变的。
这是另一个例子:
x = 10
y = x
x.next
puts x,y #=> ??
x.next创建一个新的Integer对象11,并且由于新创建的Integer对象11未分配给变量,因此将丢弃11,因此x和y仍然引用相同的Integer对象10.