将Ruby哈希(键,值)转换为单独的键

时间:2019-01-18 01:35:23

标签: ruby ruby-hash

我在ruby中有一个map函数,该函数返回一个数组,每个数组都有两个值,而我希望它们具有不同的格式。

我想要拥有的东西:

"countries": [
  {
     "country": "Canada",
     "count": 12
   },
   {and so on... }
]

但是map显然将我的值返回为数组:

"countries": [
    [
        "Canada",
        2
    ],
    [
        "Chile",
        1
    ],
    [
        "China",
        1
    ]
]

使用Array :: to_h时,我也可以使其更接近我实际想要的格式。

"countries": {
    "Canada": 2,
    "Chile": 1,
    "China": 1,
}

我尝试了减少/注入,each_with_object,但是在两种情况下,我都不了解如何访问传入的参数。在此处搜索时,您会发现许多类似的问题。但是还没有找到一种方法使它们适应我的情况。 希望您能找到一个简短而优雅的解决方案。

2 个答案:

答案 0 :(得分:4)

为您提供两个数组:

countries= [['Canada', 2], ['Chile', 1], ['China', 1]]
keys = [:country, :count]

你可以写

[keys].product(countries).map { |arr| arr.transpose.to_h }
  #=> [{:country=>"Canada", :count=>2},
  #    {:country=>"Chile", :count=>1},
  #    {:country=>"China", :count=>1}]

或者简单地

countries.map { |country, cnt| { country: country, count: cnt } }
  #=> [{:country=>"Canada", :count=>2},
  #    {:country=>"Chile", :count=>1},
  #    {:country=>"China", :count=>1}]

但是第一个优点是不需要更改键名称中的代码。实际上,如果数组countrieskeys都更改了,并且为所有countries[i].size == keys.size提供了i = 0..countries.size-1,则无需更改代码。 (请参见最后的示例。)

第一次计算的初始步骤如下。

a = [keys].product(countries)
  #=> [[[:country, :count], ["Canada", 2]],
  #    [[:country, :count], ["Chile", 1]],
  #    [[:country, :count], ["China", 1]]] 

请参见Array#product。我们现在有

a.map { |arr| arr.transpose.to_h }

mapa的第一个元素传递到块,并将块变量arr设置为该值:

arr = a.first
  #=> [[:country, :count], ["Canada", 2]]

然后执行块计算:

b = arr.transpose
  #=> [[:country, "Canada"], [:count, 2]] 
b.to_h
  #=> {:country=>"Canada", :count=>2}

因此,我们看到a[0]arr)被映射到{:country=>"Canada", :count=>2}。然后,a的下两个元素传递到该块并进行类似的计算,然后map返回所需的三个哈希数组。参见Array#transposeArray#to_h

这是使用相同代码的第二个示例。

countries= [['Canada', 2, 9.09], ['Chile', 1, 0.74],
            ['China', 1, 9.33], ['France', 1, 0.55]]

keys = [:country, :count, :area]

[keys].product(countries).map { |arr| arr.transpose.to_h }
  #=> [{:country=>"Canada", :count=>2, :area=>9.09},
  #    {:country=>"Chile", :count=>1, :area=>0.74},
  #    {:country=>"China", :count=>1, :area=>9.33},
  #    {:country=>"France", :count=>1, :area=>0.55}]

答案 1 :(得分:0)

只是出于好奇:

countries = [['Canada', 2], ['Chile', 1], ['China', 1]]
countries.map(&%i[country count].method(:zip)).map(&:to_h)
#⇒ [{:country=>"Canada", :count=>2},
#   {:country=>"Chile", :count=>1},
#   {:country=>"China", :count=>1}]