0

次の入力を検討してください。

input = [:a, :b, :c]
# output = input.join_array(:x)

次の出力を (Ruby で) 取得するための読みやすく簡潔な方法は何ですか?

[:a, :x, :b, :x, :c]
4

5 に答える 5

3

単純なアプローチ:

input = [:a, :b, :c]

input.flat_map{|elem| [elem, :x]}[0...-1] # => [:a, :x, :b, :x, :c]

最後の要素をカットせずに:

res = input.reduce([]) do |memo, elem|
  memo << :x unless memo.empty?
  memo << elem
end

res # => [:a, :x, :b, :x, :c]
于 2013-10-30T14:49:28.563 に答える
2

製品を平らにする

Array#productを使用して :x を配列全体に分散し、結果を平坦化できます。例えば:

input = [:a, :b, :c]
input.product([:x]).flatten
#=> [:a, :x, :b, :x, :c, :x]

配列のトリミング

目的の結果が、最後の要素を誤って除外した単なるタイプミスではないと仮定すると、Array#popArray#slice、またはその他の同様のメソッドを使用して、配列から最後の要素を切り取ることができます。いくつかの例は次のとおりです。

input.product([:x]).flatten[0...-1]
#=> [:a, :x, :b, :x, :c]

output = input.product([:x]).flatten
output.pop
output
#=> [:a, :x, :b, :x, :c]
于 2013-10-30T15:12:09.663 に答える
1

どうですか:

input = [:a, :b, :c]
p input.zip([:x].cycle).flatten[0..-2] #=> [:a, :x, :b, :x, :c]
于 2013-10-30T15:10:01.340 に答える
0

楽しみのために、 を使用できますjoin。ただし、必ずしも読みやすく簡潔である必要はありません。

[:a, :b, :c].join('x').chars.map(&:to_sym) # => [:a, :x, :b, :x, :c]

# Or, broken down:
input = [:a, :b, :c]
output = input.join('x')      # => "axbxc"
output = output.chars         # => ["a", "x", "b", "x", "c"]
output = output.map(&:to_sym) # => [:a, :x, :b, :x, :c] 
于 2013-10-30T15:05:42.467 に答える
0

これはどのように ?

input = [:a, :b, :c]
p input.each_with_object(:x).to_a.flatten[0..-2]
# >> [:a, :x, :b, :x, :c]
于 2013-10-30T16:06:47.850 に答える