如何在Ruby中与索引进行映射?

什么是最简单的转换方法

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

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

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

 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] } 

Ruby> = 1.9.3拥有Enumerator#with_index(offset = 0) 。 要将数组转换为枚举数,请使用Object#to_enum或Array#map ,无论您感觉如何,

 [:a, :b, :c].map.with_index(2).to_a #=> [[:a, 2], [:b, 3], [:c, 4]] 

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

例如: array.map.with_index { |item, index| ... } array.map.with_index { |item, index| ... }

在顶部混淆:

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

这里有两个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]] 

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

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

调用each_with_index可以为您提供一个枚举器,您可以使用可用的索引轻松地进行映射。

 a = [1, 2, 3] p [a, (2...a.size+2).to_a].transpose 
 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]] 

我经常这样做:

 arr = ["a", "b", "c"] (0...arr.length).map do |int| [arr[int], int + 2] end #=> [["a", 2], ["b", 3], ["c", 4]] 

不是直接迭代数组的元素,而是迭代整个范围,并将它们用作检索数组元素的索引。

一个有趣的,但无用的方式来做到这一点:

 az = ('a'..'z').to_a azz = az.map{|e| [e, az.index(e)+2]}