最简单的转换方法是什么

[x1, x2, x3, ... , xN]

to

[[x1, 2], [x2, 3], [x3, 4], ... , [xN, N+1]]

当前回答

我一直很喜欢这种风格的语法:

a = [1, 2, 3, 4]
a.each_with_index.map { |el, index| el + index }
# => [1, 3, 5, 7]

调用each_with_index可以获得一个枚举数,可以轻松地映射到可用的索引上。

其他回答

如果你使用的是ruby 1.8.7或1.9,你可以使用像each_with_index这样的迭代器方法,当不带块调用时,返回一个Enumerator对象,你可以调用像map on这样的Enumerable方法。所以你可以这样做:

arr.each_with_index.map { |x,i| [x, i+2] }

在1.8.6中,你可以做到:

require 'enumerator'
arr.enum_for(:each_with_index).map { |x,i| [x, i+2] }

下面是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]]

最令人困惑的是:

arr = ('a'..'g').to_a
indexes = arr.each_index.map(&2.method(:+))
arr.zip(indexes)

在ruby 1.9.3中,有一个名为with_index的可链接方法,可以链接到map。

例如:

array.map.with_index { |item, index| ... }

我一直很喜欢这种风格的语法:

a = [1, 2, 3, 4]
a.each_with_index.map { |el, index| el + index }
# => [1, 3, 5, 7]

调用each_with_index可以获得一个枚举数,可以轻松地映射到可用的索引上。