什么是最简单的转换方式
[x1, x2, x3, ... , xN]
至
[[x1, 2], [x2, 3], [x3, 4], ... , [xN, N+1]]
什么是最简单的转换方式
[x1, x2, x3, ... , xN]
至
[[x1, 2], [x2, 3], [x3, 4], ... , [xN, N+1]]
Answers:
如果您使用的是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] }
map
是Enumerable
一如既往的方法。each_with_index
中,当不使用块调用,返回一个Enumerator
对象(在1.8.7+),其中混合料Enumerable
,所以可以调用map
,select
,reject
等等它就像上的阵列,散列,范围等
arr.map.with_index{ |o,i| [o,i+2] }
map.with_index
在1.8.7中不起作用(map
在1.8中在没有块的情况下调用时返回一个数组)。
Ruby具有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]]
foo = ['d'] * 5; foo.map!.with_index { |x,i| x * i }; foo #=> ["", "d", "dd", "ddd", "dddd"]
对于不使用枚举器的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
可以为您提供一个枚举器,您可以轻松地使用可用的索引进行映射。
一种有趣但无用的方法:
az = ('a'..'z').to_a
azz = az.map{|e| [e, az.index(e)+2]}
A fun, but useless way
。+2
是要创建OP要求的输出
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]]
map.with_index
在红宝石中已经存在。为什么建议重新打开可枚举的类并添加已经存在的类?
each_with_index.map
,即使我们这些人在较新的版本上也可能更喜欢使用它map.with_index FWIW :)
我经常这样做:
arr = ["a", "b", "c"]
(0...arr.length).map do |int|
[arr[int], int + 2]
end
#=> [["a", 2], ["b", 3], ["c", 4]]
而不是直接遍历数组的元素,而是遍历一系列整数并将其用作索引以检索数组的元素。
.each_with_index.map
吗?