最简单的转换方法是什么
[x1, x2, x3, ... , xN]
to
[[x1, 2], [x2, 3], [x3, 4], ... , [xN, N+1]]
最简单的转换方法是什么
[x1, x2, x3, ... , xN]
to
[[x1, 2], [x2, 3], [x3, 4], ... , [xN, N+1]]
当前回答
我经常这样做:
arr = ["a", "b", "c"]
(0...arr.length).map do |int|
[arr[int], int + 2]
end
#=> [["a", 2], ["b", 3], ["c", 4]]
不是直接遍历数组的元素,而是遍历一系列整数,并使用它们作为索引来检索数组的元素。
其他回答
我经常这样做:
arr = ["a", "b", "c"]
(0...arr.length).map do |int|
[arr[int], int + 2]
end
#=> [["a", 2], ["b", 3], ["c", 4]]
不是直接遍历数组的元素,而是遍历一系列整数,并使用它们作为索引来检索数组的元素。
a = [1, 2, 3]
p [a, (2...a.size+2).to_a].transpose
下面是1.8.6(或1.9)中不使用枚举器的另外两个选项:
# Fun with functional
arr = ('a'..'g').to_a
arr.zip( (2..(arr.length+2)).to_a )
#=> [["a", 2], ["b", 3], ["c", 4], ["d", 5], ["e", 6], ["f", 7], ["g", 8]]
# The simplest
n = 1
arr.map{ |c| [c, n+=1 ] }
#=> [["a", 2], ["b", 3], ["c", 4], ["d", 5], ["e", 6], ["f", 7], ["g", 8]]
一种有趣但无用的方法:
az = ('a'..'z').to_a
azz = az.map{|e| [e, az.index(e)+2]}
module Enumerable
def map_with_index(&block)
i = 0
self.map { |val|
val = block.call(val, i)
i += 1
val
}
end
end
["foo", "bar"].map_with_index {|item, index| [item, index] } => [["foo", 0], ["bar", 1]]