散列中的散列修改问题,替换 ruby 中的值

Hash modification issue in hash, replacing value in ruby

我想去掉散列中每个属性中的 value: <value> 键值。并像这样:"total_interactions": 493.667 下面是不正确的格式,后面是我希望在 json 中实现的预期良好格式。

{
    "3": {
        "total_interactions": {
            "value": 493.667
        },
        "shares": {
            "value": 334
        },
        "comments": {
            "value": 0
        },
        "likes": {
            "value": 159.66666666666666
        },
        "total_documents": 6
    },
    "4": {
        "total_interactions": {
            "value": 701
        },
        "shares": {
            "value": 300
        },
        "comments": {
            "value": 0
        },
        "likes": {
            "value": 401
        },
        "total_documents": 1
    }
}

我希望它是这样的:

{
    "3": {
        "total_interactions": 493.6666666666667,
        "shares": 334,
        "comments": 0,
        "likes": 159.66666666666666,
        "total_documents": 6
    },
    "4": {
        "total_interactions": 701,
        "shares": 300,
        "comments": 0,
        "likes": 401,
        "total_documents": 1
    }
}

这是应该执行此操作但不起作用的代码。没有任何影响。不确定哪里出了问题

# the result_hash variable is the first hash with value: <value>
result_hash.each do |hash_item|
            hash_item.each do |key,value_hash|
                if( !value_hash.nil? )
                    value_hash.each do |k,v|
                        hash_item[key] = v
                    end
                end             
            end
        end
hash = {"3"=>{"total_documents"=>6, "comments"=>{"value"=>0}, "total_interactions"=>{"value"=>493.667}, "shares"=>{"value"=>334}, "likes"=>{"value"=>159.666666666667}}, 
        "4"=>{"total_documents"=>1, "comments"=>{"value"=>0}, "total_interactions"=>{"value"=>701}, "shares"=>{"value"=>300}, "likes"=>{"value"=>401}}}

hash.each do |k,v| 
  v.each do |k2, v2|
    if v2.is_a?(Hash) && v2["value"]
      hash[k][k2] = v2["value"]
    end
  end
end

在此之后:

hash = {"3"=>{"total_documents"=>6, "comments"=>0, "total_interactions"=>493.667, "shares"=>334, "likes"=>159.666666666667}, 
        "4"=>{"total_documents"=>1, "comments"=>0, "total_interactions"=>701, "shares"=>300, "likes"=>401}}

Max Williams 的代码非常适合就地使用。您也可以在函数式风格中执行此操作以获得新的、更正的哈希值:

hash.merge(hash) {|k,v| v.merge(v) {|kk,vv| vv.is_a?(Hash) && vv['value'] ? vv['value'] : vv }}

如果您不想改变您的初始哈希,h,您可以这样做:

h.each_with_object({}) { |(k,v),g|
  g[k] = v.each_with_object({}) { |(kk,vv),f|
    f[kk] = (Hash === vv) ? vv[:value] : vv } }
  #=> {:"3"=>{:total_interactions=>493.667,
  #           :shares=>334,
  #           :comments=>0,
  #           :likes=>159.66666666666666,
  #           :total_documents=>6},
  #   :"4"=>{:total_interactions=>701,
  #           :shares=>300,
  #           :comments=>0,
  #           :likes=>401,
  #           :total_documents=>1}}