我一直在寻找为Web开发学习一种新的动态脚本语言,在苦心经过Python和Ruby之后,我真的很喜欢这两种语言,我决定选择Ruby(它几乎归结为抛硬币和事实上,英国的RoR工作比Python / Django更多。我的问题是关于Ruby的范围。我是否必须在方法中声明一个类属性才能从其他方法访问它?
例如,我做不到
class Notes
@notes = ["Pick up some milk"]
def print_notes
puts @notes
end
end
似乎我必须声明我想在构造函数中使用的属性?这个例子有效:
class Notes
def initialize
@notes = ["Pick up some milk"]
end
def print_notes
puts @notes
end
end
这是对的吗?我注意到使用@@而不是@ works作为前缀示例一,但是如果该类有一个子类(比如说Memo),那么对我的理解,那么在Notes中以@@为前缀的属性的任何更改都会改变Memo中的值吗?
对不起,如果这是一个重复的问题,只是一个丢失的noobie:)
答案 0 :(得分:4)
当您在类中声明@notes
但未在构造函数或任何实例方法中声明时,那么您正在使@notes
成为该类实例的实例变量他们自己。每个类都作为Class
的实例存在。
class Notes
@notes = ["Pick up some milk"]
def print_notes
puts @notes
end
end
# => nil
Notes.instance_variable_get(:"@notes")
# => ["Pick up some milk"]
所以答案是肯定的,你需要在构造函数或其他实例方法中声明实例变量。我想你更喜欢这样做:
class Notes
def notes
@notes ||= []
end
def print_notes
puts @notes
end
end
note = Notes.new
note.notes << "Pick up some milk"
note.notes
# => ["Pick up some milk"]
另外:
避免使用类变量,例如@@notes
。改为使用类实例变量(这是你无意中做的)。
这样做:
class Notes
def self.notes
@notes ||= []
end
end
不是这个:
class Notes
def notes
@@notes ||= []
end
end
当你想要一个类变量时。后者将导致你的问题。 (但我认为这是针对不同对话的内容。)