Answers:
...以及是否需要可选参数
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引入了双splat **
(两颗星),它(我引用)可以做到:
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}
我试图用关键字参数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
a.foo 1
而不是foo 1
)。谢谢!
除了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