回答:
あなたはルビー1.8.7または1.9を使用している場合は、イテレータの方法が好きという事実を使用することができeach_with_index
、ブロックせずに呼び出されたときに、返すEnumerator
あなたが呼び出すことができるオブジェクト、Enumerable
などの方法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] }
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)の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
と、使用可能なインデックスを簡単にマッピングできる列挙子が得られます。
これを行うには楽しいが役に立たない方法:
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
か?