変換する最も簡単な方法は何ですか
[x1, x2, x3, ... , xN]
に
[[x1, 2], [x2, 3], [x3, 4], ... , [xN, N+1]]
Ruby 1.8.7または1.9を使用している場合、each_with_index
などの反復子メソッドをブロックなしで呼び出すと、Enumerator
オブジェクトが返されるという事実を使用できます。 Enumerable
onなどのmap
メソッドを呼び出すことができます。だからあなたができる:
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は 列挙子#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
というチェーン可能なメソッドがあります。
例えば:
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)を使用するためのオプションがさらに2つあります。
# 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]]
これを行うには楽しいが無駄な方法:
az = ('a'..'z').to_a
azz = az.map{|e| [e, az.index(e)+2]}
私はよくこれをします:
arr = ["a", "b", "c"]
(0...arr.length).map do |int|
[arr[int], int + 2]
end
#=> [["a", 2], ["b", 3], ["c", 4]]
配列の要素を直接反復するのではなく、整数の範囲にわたって反復し、それらをインデックスとして使用して配列の要素を取得します。