4

我一直在考虑学习一种用于 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

这是正确的吗?我注意到用@@ 而不是@ 为示例一添加前缀有效,但据我了解,如果该类有一个子类(例如,Memo),那么对Notes 中以@@ 为前缀的属性的任何更改都会改变Memo 中的值?

对不起,如果这是一个重复的问题,只是一个迷路的菜鸟:)

4

1 回答 1

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

当你想要一个类变量时。后者会给你带来麻烦。(但我认为这是一个不同的对话。)

于 2013-03-07T12:22:01.837 回答