-8

当我创建一个 Stats 类和另一个容器类时出现错误。错误是

test.rb:43:in `<main>' undefined method `each' for #<Boyfriends:0x2803db8 @boyfriends=[, , , ]> (NoMethodError)

这是绝对有意义的,因为该类确实不包含该方法,但是 ruby​​ 是否应该在父类和祖父母类中搜索该方法?该脚本显示所需的输出;它只是像这样在输出中嵌入错误

test.rb:43:in `<main>'I love Rikuo because he is 8 years old and has a 13 inch nose
I love dolar because he is 12 years old and has a 18 inch nose
I love ghot because he is 53 years old and has a 0 inch nose
I love GRATS because he is unknown years old and has a 9999 inch nose
: undefined method `each' for #<Boyfriends:0x2803db8 @boyfriends=[, , , ]> (NoMethodError)

这是代码

class Boyfriends
    def initialize
        @boyfriends = Array.new
    end

    def append(aBoyfriend)
        @boyfriends.push(aBoyfriend)
        self
    end

    def deleteFirst
        @boyfriends.shift
    end

    def deleteLast
        @boyfriends.pop
    end

    def [](key)
        return @boyfriends[key] if key.kind_of?(Integer)
        return @boyfriends.find { |aBoyfriend| aBoyfriend.name }
    end
end

class BoyfriendStats
    def initialize(name, age, nose_size)
        @name = name
        @age = age
        @nose_size = nose_size
    end

    def to_s
        puts "I love #{@name} because he is #{@age} years old and has a #{@nose_size} inch nose"
    end

    attr_reader :name, :age, :nose_size
    attr_writer :name, :age, :nose_size
end

list = Boyfriends.new
list.append(BoyfriendStats.new("Rikuo", 8, 13)).append(BoyfriendStats.new("dolar", 12, 18)).append(BoyfriendStats.new("ghot", 53, 0)).append(BoyfriendStats.new("GRATS", "unknown", 9999))

list.each { |boyfriend| boyfriend.to_s }
4

1 回答 1

1

这是绝对有意义的,因为该类确实不包含该方法,但是正如我一直在阅读的那样,ruby 是否应该在类的父母和祖父母中搜索该方法?

没错,但是您没有声明任何超类,因此超类将是Object. 这也没有each方法。

如果你想要一个可枚举的方法,你必须自己定义它——你可能想要遍历数组。

在这种情况下,您可以定义一个自己的 each 方法,将传递的块向下传递给数组each方法:

class Boyfriends
   def each(&block)
     @boyfriends.each(&block)
   end
end

这里&block让您按名称捕获传递的块。如果您是 ruby​​ 新手,这可能对您来说意义不大,解释它是如何工作的有点超出了这个问题的范围。这个问题中接受的答案很好地解释了块和yield工作的方式。

一旦你获得了 each 方法,你还可以引入 Enumerable以获得许多方便的方法:

class Boyfriends
    include Enumerable
end

另外,to_s是一个应该返回字符串的方法,所以你应该删除putsin BoyfriendStats#to_s

于 2013-05-04T07:33:15.940 回答