Ruby实现跟踪的方式是什么?
a = [1,2]
b = [3,4]
我想要一个数组:
=> [f(1,3) ,f(1,4) , f(2,3) ,f(2,4)]
Ruby实现跟踪的方式是什么?
a = [1,2]
b = [3,4]
我想要一个数组:
=> [f(1,3) ,f(1,4) , f(2,3) ,f(2,4)]
Answers:
您可以使用product
来先获取数组的笛卡尔积,然后收集函数结果。
a.product(b) => [[1, 3], [1, 4], [2, 3], [2, 4]]
因此,您可以使用map
或collect
获取结果。它们是同一方法的不同名称。
a.product(b).collect { |x, y| f(x, y) }
[a,b,c,d].reduce([[]]){|r,e| r=r.product(e)}.map{|x| x.flatten}
a.map {|x| b.map {|y| f(x,y) } }.flatten
注意:在1.8.7+上,您可以添加1
参数作为flatten,因此f
返回数组时仍会得到正确的结果。
这是任意数量的数组的抽象:
def combine_arrays(*arrays)
if arrays.empty?
yield
else
first, *rest = arrays
first.map do |x|
combine_arrays(*rest) {|*args| yield x, *args }
end.flatten
#.flatten(1)
end
end
combine_arrays([1,2,3],[3,4,5],[6,7,8]) do |x,y,z| x+y+z end
# => [10, 11, 12, 11, 12, 13, 12, 13, 14, 11, 12, 13, 12, 13, 14, 13, 14, 15, 12, 13, 14, 13, 14, 15, 14, 15, 16]
Facets具有Array#product
可为您提供数组叉积的功能。** operator
对于两阵列情况,它也被别名为。使用它,它看起来像这样:
require 'facets/array'
a = [1,2]
b = [3,4]
(a.product b).collect {|x, y| f(x, y)}
如果您使用的是Ruby 1.9,product
则是内置的Array函数。
[a[0], b[0]]
和的数组[a[1], b[1]]
。不包括[a[0], b[1]]
。a.zip(b) => [[1,3],[2,4]]