我有两个不均匀的数组:
a = [1,2,3,4,5,6,7,8,9,10]
b = ['d','e','f','g','h','i','j']
我要绑定它们,以便返回的对象如下所示:
result = [[nil, 1], [nil, 2], [nil, 3], ["d", 4], ["e", 5], ["f", 6], ["g", 7],
["h", 8], ["i", 9], ["j", 10]]
zip
方法不起作用,因为它通过将元素排列到前面而起相反的作用。到目前为止我有:def bind(a,b,ac=a.count,bc=b.count)
distance = ac - bc < 0 ? bc - ac : ac - bc
min = ac > bc ? b : a
max = ac > bc ? a : b
distance.times { min.unshift(nil) }
return min.zip(max)
end
ruby有没有解决这个问题的方法(或者更快的方法)?
最佳答案
假设a.size >= b.size
:
([nil]*(a.size-b.size)).concat(b).zip(a)
#=> [[nil, 1], [nil, 2], [nil, 3], ["d", 4], ["e", 5],
# ["f", 6], ["g", 7], ["h", 8], ["i", 9], ["j", 10]]
或
[([nil]*(a.size-b.size)).concat(b), a].transpose
当两个阵列大小相同时,Enumerable#zip和Array#transpose的方法是yin and yang的。
关于arrays - 用 ruby 压缩不均匀的阵列,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/32750978/