如何向 Definition_method 传递参数?

我想要传递一个参数给一个使用 Definition _ method 定义的方法,我该怎么做呢?

63048 次浏览

传递给 Definition _ method 的块可以包含一些参数。这就是您定义的方法接受参数的方式。当您定义一个方法时,您实际上只是给这个块起了昵称,并在类中保留对它的引用。这些参数都是随机的。所以:

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

除了 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' }

如果你想要可选的参数

 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引入了关键字参数,* * 的作用类似于 * ,但对于关键字参数。它返回一个包含键/值对的 Hash。

... 当然你也可以用它来定义方法:)

 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}

我试着用关键字参数,splat 和 double splat 创建一个例子:

 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|
# ...

但是这样不行,看起来是有限制的。当你想到 splat 操作符是“捕获所有剩余的参数”和 double splat 操作符是“捕获所有剩余的关键字参数”,因此混合它们会打破预期的逻辑。(我没有任何证据来证明这一点,嘟!)

2018年8月更新:

摘要文章: https://blog.eq8.eu/til/metaprogramming-ruby-examples.html

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

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