8

使用单个 splat,我们可以将数组扩展为多个参数,这与直接传递数组有很大不同:

def foo(a, b = nil, c = nil)
  a
end

args = [1, 2, 3]

foo(args)  # Evaluates to foo([1, 2, 3]) => [1, 2, 3]
foo(*args) # Evaluates to foo(1, 2, 3)   => 1

但是,使用关键字参数,我看不出有任何区别,因为它们只是散列的语法糖:

def foo(key:)
  key
end

args = { key: 'value' }

foo(args)   # Evaluates to foo(key: 'value') => 'value'
foo(**args) # Evaluates to foo(key: 'value') => 'value'

除了良好的对称性之外,还有什么实际理由在方法调用上使用双板吗?(请注意,这与在方法定义中使用它们不同)

4

1 回答 1

7

使用单个参数的示例是退化的情况。

看一个不平凡的案例,您可以很快看到使用 new**运算符的优势:

def foo (args)
  return args
end

h1 = { b: 2 }
h2 = { c: 3 }

foo(a: 1, **h1)       # => {:a=>1, :b=>2}
foo(a: 1, **h1, **h2) # => {:a=>1, :b=>2, :c=>3}
foo(a: 1, h1)         # Syntax Error: syntax error, unexpected ')', expecting =>
foo(h1, h2)           # ArgumentError: wrong number of arguments (2 for 1)

使用**运算符允许我们在命令行中将现有的散列与文字键值参数合并在一起。(*当然,使用参数数组也是如此。)

遗憾的是,您必须小心这种行为,具体取决于您使用的 Ruby 版本。至少在 Ruby 2.1.1 中,有一个错误,即散布的哈希会被破坏性地修改,尽管它已经被修补了。

于 2014-11-17T11:23:15.877 回答