是否可以修改哈希类以便给定两个哈希值,可以创建仅包含一个哈希中存在但不包含另一个哈希值的新哈希值?
例如.:
h1 = {"Cat" => 100,"Dog" => 5,"Bird" => 2,"Snake" => 10} h2 = {"Cat" => 100,"Bison" => 30} h1.difference(h2) = {"Bird" => 2,"Snake" => 10}
解决方法
h1 = {"Cat" => 100,"Snake" => 10} h2 = {"Cat" => 999,"Bison" => 30}
情况1:保持h1中的所有键/值对k => v,其中h2中没有密钥k
这是一种方式:
h1.dup.delete_if { |k,_| h2.key?(k) } #=> {"Bird"=>2,"Snake"=>10}
这是另一个:
class Array alias :spaceship :<=> def <=>(o) first <=> o.first end end (h1.to_a - h2.to_a).to_h #=> {"Bird"=>2,"Snake"=>10} class Array alias :<=> :spaceship remove_method(:spaceship) end
情况2:保持h1中不在h2中的所有键/值对
你需要的只是:
(h1.to_a - h2.to_a).to_h #=> {"Cat"=>100,"Bird"=>2,"Snake"=>10}
Array#to_h是在Ruby 2.0中引入的.对于早期版本,请使用Hash[].