为什么我不能在我声明它的地方创建我的私有变量?

时间:2012-04-29 22:09:25

标签: ruby

考虑以下代码

class CheckOut 
    @rules
    @total = 0
    @basket = Hash.new 

    def initialize(rules, discounts)
        @total=0
                #if i use the line below everything is ok.
        #@basket = Hash.new
        @rules = rules
    end

     def scan sku
          price = @rules[sku]
          if @basket.has_key?(sku) #I get NoMethodError: undefined method `has_key?' for nil:NilClass
             @basket[sku] += 1
          else 
              @basket[sku] = 1
          end
          @total += price
     end    

     def total
        @total
     end
end

如果我按原样运行代码,我在has_key上得到一个noMethodError?但是如果我在初始化中创建Hash一切正常。为什么我不能在声明中创建哈希?

1 个答案:

答案 0 :(得分:8)

当你在类体中定义一个实例变量时,它是CheckOut上定义的类实例变量,它是Class的一个实例,并且不存在在CheckOut的实例中。相反,您需要在initialize中定义实例变量(因为initialize在新CheckOut实例的上下文中运行):

class CheckOut
  def initialize(rules, discounts)
    @total = 0
    @basket = Hash.new
    @rules = rules
  end
  ...
end

以下是一个快速举例说明:

class Foo
  @bar = "class bar!"
  @baz = "class baz!"
  def initialize
    @bar = "instance bar!"
  end
end

Foo.instance_variable_get(:@bar)  #=> "class bar!"
Foo.new.instance_variable_get(:@bar)  #=> "instance bar!"

Foo.instance_variable_get(:@baz)  #=> "class baz!"
Foo.new.instance_variable_get(:@baz)  #=> nil

这也表明所有实例变量默认为nil,即使它们之前从未被引用过。这就是为什么您的错误是NoMethodError for nil:NilClass而不是NameError