在散列中交换键和值

在Ruby中,如何交换Hash上的键和值?

假设我有以下哈希:

{:a=>:one, :b=>:two, :c=>:three} 

我想变成:

 {:one=>:a, :two=>:b, :three=>:c} 

使用地图似乎相当乏味。 有一个更短的解决scheme?

Ruby有一个hash的帮助器方法,可以让你像对待一个哈希一样对待它。

 {a: 1, b: 2, c: 3}.key(1) => :a 

如果你想保留倒排散列,那么Hash#invert应该适用于大多数情况。

 {a: 1, b: 2, c: 3}.invert => {1=>:a, 2=>:b, 3=>:c} 

但…

如果你有重复的值, invert会放弃除了最后一个值之外的所有值。 同样的key只会返回第一场比赛。

 {a: 1, b: 2, c: 2}.key(2) => :b {a: 1, b: 2, c: 2}.invert => {1=>:a, 2=>:c} 

所以..如果你的值是唯一的,你可以使用Hash#invert如果不是,则可以将所有值保存为一个数组,如下所示:

 class Hash # like invert but not lossy # {"one"=>1,"two"=>2, "1"=>1, "2"=>2}.inverse => {1=>["one", "1"], 2=>["two", "2"]} def safe_invert each_with_object({}) do |(key,value),out| out[value] ||= [] out[value] << key end end end 

注意:这个testing代码现在在这里 。

或者简而言之…

 class Hash def safe_invert self.each_with_object({}){|(k,v),o|(o[v]||=[])<<k} end end 

你打赌有一个! 在Ruby中做事总是有一个简短的方法!

这很简单,只需使用Hash#invert

 {a: :one, b: :two, c: :three}.invert => {:one=>:a, :two=>:b, :three=>:c} 

Etvoilà!

 # this doesn't looks quite as elegant as the other solutions here, # but if you call inverse twice, it will preserve the elements of the original hash # true inversion of Ruby Hash / preserves all elements in original hash # eg hash.inverse.inverse ~ h class Hash def inverse i = Hash.new self.each_pair{ |k,v| if (v.class == Array) v.each{ |x| i[x] = i.has_key?(x) ? [k,i[x]].flatten : k } else i[v] = i.has_key?(v) ? [k,i[v]].flatten : k end } return i end end 

Hash#inverse给你:

  h = {a: 1, b: 2, c: 2} h.inverse => {1=>:a, 2=>[:c, :b]} h.inverse.inverse => {:a=>1, :c=>2, :b=>2} # order might not be preserved h.inverse.inverse == h => true # true-ish because order might change 

而内置的invert方法刚刚破解:

  h.invert => {1=>:a, 2=>:c} # FAIL h.invert.invert == h => false # FAIL 
 files = { 'Input.txt' => 'Randy', 'Code.py' => 'Stan', 'Output.txt' => 'Randy' } h = Hash.new{|h,k| h[k] = []} files.map {|k,v| h[v]<< k} puts h 

这也将处理重复值。

使用数组

 input = {:key1=>"value1", :key2=>"value2", :key3=>"value3", :key4=>"value4", :key5=>"value5"} output = Hash[input.to_a.map{|m| m.reverse}] 

使用哈希

 input = {:key1=>"value1", :key2=>"value2", :key3=>"value3", :key4=>"value4", :key5=>"value5"} output = input.invert 

如果你有一个散列,这些键是唯一的,你可以使用Hash#invert :

 > {a: 1, b: 2, c: 3}.invert => {1=>:a, 2=>:b, 3=>:c} 

如果你有非唯一的键,那么这将不起作用,然而,只有最后看到的键被保留:

 > {a: 1, b: 2, c: 3, d: 3, e: 2, f: 1}.invert => {1=>:f, 2=>:e, 3=>:d} 

如果你有一个非唯一键的散列,你可以这样做:

 > hash={a: 1, b: 2, c: 3, d: 3, e: 2, f: 1} > hash.each_with_object(Hash.new { |h,k| h[k]=[] }) {|(k,v), h| h[v] << k } => {1=>[:a, :f], 2=>[:b, :e], 3=>[:c, :d]} 

如果散列值已经是数组,你可以这样做:

 > hash={ "A" => [14, 15, 16], "B" => [17, 15], "C" => [35, 15] } > hash.each_with_object(Hash.new { |h,k| h[k]=[] }) {|(k,v), h| v.map {|t| h[t] << k} } => {14=>["A"], 15=>["A", "B", "C"], 16=>["A"], 17=>["B"], 35=>["C"]}