从数组数组创建哈希哈希

时间:2013-08-10 23:42:42

标签: ruby

我有一个数组:

values = [["branding", "color", "blue"],
          ["cust_info", "customer_code", "some_customer"],
          ["branding", "text", "custom text"]]

我无法将其转换为哈希,如下所示:

{
"branding"  => {"color"=>"blue", "text"=>"custom text"},
"cust_info" => {"customer_code"=>"some customer"}
}

4 个答案:

答案 0 :(得分:3)

您可以使用默认哈希值创建比注入更清晰的内容:

h = Hash.new {|hsh, key| hsh[key] = {}}
values.each {|a, b, c| h[a][b] = c}

显然,您应该使用您的域名替换ha, b, c变量。

奖励:如果您发现自己需要深入N级,请查看自动生成:

fun = Hash.new { |h,k| h[k] = Hash.new(&h.default_proc) }
fun[:a][:b][:c][:d] = :e
# fun == {:a=>{:b=>{:c=>{:d=>:e}}}}

使用each_with_object

过于聪明的单行
silly = values.each_with_object(Hash.new {|hsh, key| hsh[key] = {}}) {|(a, b, c), h| h[a][b] = c}

答案 1 :(得分:1)

以下是使用Enumerable#inject的示例:

values = [["branding", "color", "blue"],
          ["cust_info", "customer_code", "some_customer"],
          ["branding", "text", "custom text"]]

# r is the value we are are "injecting" and v represents each
# value in turn from the enumerable; here we create
# a new hash which will be the result hash (res == r)
res = values.inject({}) do |r, v|
    group, key, value = v     # array decomposition
    r[group] ||= {}           # make sure group exists
    r[group][key] = value     # set key/value in group
    r                         # return value for next iteration (same hash)
end

有几种不同的方式来写这个;我认为以上相对简单。请参阅extracting from 2 dimensional array and creating a hash with array values使用带有“自动生存”的哈希(即石斑鱼)。

答案 2 :(得分:0)

不那么优雅但更容易理解:

hash = {}
values.each do |value|
  if hash[value[0]] 
    hash[value[0]][value[1]] = value[2]
  else
    hash[value[0]] = {value[1] => value[2]}
  end
end

答案 3 :(得分:0)

values.inject({}) { |m, (k1, k2, v)| m[k1] = { k2 => v }.merge m[k1] || {}; m }