如何将parameter passing给define_method?

我想将一个parameter passing给一个使用define_method定义的方法,我该怎么做?

您传递给define_method的块可以包含一些参数。 这就是你定义的方法接受参数的方式。 当你定义一个方法时,你实际上只是对块进行切割,并在类中保留一个引用。 参数随块一起提供。 所以:

define_method(:say_hi) { |other| puts "Hi, " + other } 

…如果你想要可选参数

  class Bar define_method(:foo) do |arg=nil| arg end end a = Bar.new a.foo #=> nil a.foo 1 # => 1 

尽可能多的论据,你想要的

  class Bar define_method(:foo) do |*arg| arg end end a = Bar.new a.foo #=> [] a.foo 1 # => [1] a.foo 1, 2 , 'AAA' # => [1, 2, 'AAA'] 

…的组合

  class Bar define_method(:foo) do |bubla,*arg| p bubla p arg end end a = Bar.new a.foo #=> wrong number of arguments (0 for 1) a.foo 1 # 1 # [] a.foo 1, 2 ,3 ,4 # 1 # [2,3,4] 

… 他们全部

  class Bar define_method(:foo) do |variable1, variable2,*arg, &block| p variable1 p variable2 p arg p block.inspect end end a = Bar.new a.foo :one, 'two', :three, 4, 5 do 'six' end 

更新

Ruby 2.0引入了双引号 ** (两星), 我引用了这个引号 :

Ruby 2.0引入了关键字参数,而**的作用类似于*,但对于关键字参数。 它返回一个哈希键/值对。

…当然你也可以在define方法中使用它:)

  class Bar define_method(:foo) do |variable1, variable2,*arg,**options, &block| p variable1 p variable2 p arg p options p block.inspect end end a = Bar.new a.foo :one, 'two', :three, 4, 5, ruby: 'is awesome', foo: :bar do 'six' end # :one # "two" # [:three, 4, 5] # {:ruby=>"is awesome", :foo=>:bar} 

命名属性示例:

  class Bar define_method(:foo) do |variable1, color: 'blue', **other_options, &block| p variable1 p color p other_options p block.inspect end end a = Bar.new a.foo :one, color: 'red', ruby: 'is awesome', foo: :bar do 'six' end # :one # "red" # {:ruby=>"is awesome", :foo=>:bar} 

我试图创build与关键字参数,摔得痛和双摔跤在一个示例:

  define_method(:foo) do |variable1, variable2,*arg, i_will_not: 'work', **options, &block| # ... 

要么

  define_method(:foo) do |variable1, variable2, i_will_not: 'work', *arg, **options, &block| # ... 

…但这不行,看起来有一个限制。 当你认为这是有道理的,因为摔跤运算符是“捕获所有剩余的参数”,双摔跤“是捕获所有剩余的关键字参数”,因此混合它们会打破预期的逻辑。 (我没有任何参考certificate这一点啊!)

除了Kevin Conner的回答:块参数不支持与方法参数相同的语义。 您不能定义默认参数或块参数。

这只能在Ruby 1.9中修复,使用支持完整方法参数语义的新的替代“stabby lambda”语法。

例:

 # Works def meth(default = :foo, *splat, &block) puts 'Bar'; end # Doesn't work define_method :meth { |default = :foo, *splat, &block| puts 'Bar' } # This works in Ruby 1.9 (modulo typos, I don't actually have it installed) define_method :meth, ->(default = :foo, *splat, &block) { puts 'Bar' } 

使用2.2,您现在可以使用关键字参数: https : //robots.thoughtbot.com/ruby-2-keyword-arguments

 define_method(:method) do |refresh: false| .......... end