2

我正在深入研究 ruby​​ 元编程并有下一个问题。例子:

module ExampleAliaser
  def do_example_alias(prefix=:origin)

    class_eval  <<-EOS
       class << self 
           alias_method :#{prefix}_example, :example
           def example
              puts "in aliase will call :#{prefix}_example"
              #{prefix}_example
           end  
        end
    EOS

  end   
end  

class Example1
 def self.example
    puts "Example"
 end 
end


Example1.extend(ExampleAliaser)

class Example1 
 do_example_alias(:origin)
end
class Example2 <  Example1
 do_example_alias(:origin)
end



     Example1.example
    in aliase will call :origin_example
    Example
     => nil 

     Example2.example
in aliase will call :origin_example
in aliase will call :origin_example
in aliase will call :origin_example
    SystemStackError: stack level too deep
        from /Users/igorfedoronchuk/.rvm/rubies/ruby-1.9.2-p180/lib/ruby/1.9.1/irb/workspace.rb:80
    Maybe IRB bug!!

因此,当 mixin 使用 2 次时,会导致错误。解决此类问题的最佳方法是什么?如何确定混合存在并在新混合之前将其删除

4

1 回答 1

1

按照方法的定义来看看为什么会发生这种情况。

您首先Example1::example在类定义中定义Example1. 它将一个字符串写入控制台。

然后你扩展ExampleAliaser. 当您调用时Example1::do_example_alias,您将方法别名并重新定义该方法example以将不同的字符串写入控制台并调用。origin_exampleexampleorigin_example

然后定义Example2要从 继承的类Example1,它现在定义了两个方法:origin_exampleexample. 当您调用时Example2::do_example_alias,您将方法别名exampleorigin_example. 但请记住,example它已经被重新定义为 call origin_example。如此有效,Example2::example将调用自身,直到堆栈空间不足。


如果你想避免双重锯齿,你可以在do_example_alias

def do_example_alias(prefix = :origin)
  unless methods.include?("#{prefix}_example")
    # do the aliasing
  end
end

您还可以undef :method_name在子类中删除您不再希望定义的方法。

于 2012-02-24T15:14:14.250 回答