7

我有一些代码可以计算数字的第 n 个根。目前,该方法仅适用于 Fixnum,因为我在 Fixnum 类中定义了它。这样做很容易

class Float
    #same code as was in Fixnum
end

但这似乎没有必要。我不知道如何动态调用类。我试过了:

classes = [Fixnum, Float]
classes.each do |x|
    x.instance_eval do
        def root(pow)
            return self ** (1/pow.to_f)
        end
    end
end

但这没有用。我该怎么做呢? 注意:发布后,我意识到这可能更适合 Programmers.SE,因为它是理论上的,也是基于单个问题的。随意迁移...

4

2 回答 2

9

类层次结构的相关部分如下所示:

因此,将您的更改修补为 Numeric 以一次性覆盖它们:

class Numeric
  def root(pow)
    return self ** (1/pow.to_f)
  end
end

然后你可以做这些事情:

>> 11.root(2) # Integer
=> 3.3166247903554
>> 2.18.root(3) # Float
=> 1.296638256974172
>> Rational(23, 42).root(6) # Rational
=> 0.9045094132598528
>> 2**1000.root(42) # Integer
=> 2.2638347236157763
于 2012-05-03T21:06:35.150 回答
9

你会想要使用#class_eval:

classes = [Fixnum, Float]
classes.each do |x|
    x.class_eval do
        def root(pow)
            return self ** (1/pow.to_f)
        end
    end
end

请参阅此博客文章作为参考。

或者,您可以创建一个模块并将其包含到每个类中:

module MyRoot
  def root(pow)
    return self ** (1/pow.to_f)
  end
end

class Fixnum
  include MyRoot
end

class Float
  include MyRoot
end

我倾向于后者。它更清楚你在做什么,也允许一次性添加。

于 2012-05-03T20:52:02.570 回答