我正在使用 Ruby on Rails 3.2.2 和 Ruby 1.9.2。
给定以下多维Array
:
[["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]]
我想得到(注意:我只想“提取”所有“嵌套”Array
的第一个值):
["value1", "value2", "value3"]
我怎样才能以聪明的方式做到这一点?
我正在使用 Ruby on Rails 3.2.2 和 Ruby 1.9.2。
给定以下多维Array
:
[["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]]
我想得到(注意:我只想“提取”所有“嵌套”Array
的第一个值):
["value1", "value2", "value3"]
我怎样才能以聪明的方式做到这一点?
您可以使用Array#collect
为外部数组的每个元素执行一个块。要获取第一个元素,请传递一个索引数组的块。
arr.collect {|ind| ind[0]}
正在使用:
arr = [["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]] => [["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]] arr.collect {|ind| 工业[0]} => ["value1", "value2", "value3"]
而不是{|ind| ind[0]}
,您可以使用Array#first
来获取每个内部数组的第一个元素:
arr.collect(&:first)
有关&:first
语法,请阅读“ Ruby/Ruby on Rails & 和冒号快捷方式”。
>> array = [["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]]
=> [["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]]
>> array.map { |v| v[0] }
=> ["value1", "value2", "value3"]
arr = [["value1", "value1_other"], ["value2", "value2_other"], ["value3", "value3_other"]]
Solution1 = arr.map {|elem| elem.first}
Solution2 = arr.transpose[0]