假设我有下面的客户哈希,是否有一个快速的ruby方法(无需编写多行脚本)来获取密钥,给定我想匹配client_id?例如:如何获取client_id ==“2180”的密钥?

clients = {
  "yellow"=>{"client_id"=>"2178"}, 
  "orange"=>{"client_id"=>"2180"}, 
  "red"=>{"client_id"=>"2179"}, 
  "blue"=>{"client_id"=>"2181"}
}

当前回答

你可以求哈希值的倒数。客户。Invert ["client_id"=>"2180"]返回"orange"

其他回答

找到特定值的键的最佳方法是使用可用于散列....的key方法

gender = {"MALE" => 1, "FEMALE" => 2}
gender.key(1) #=> MALE

我希望它能解决你的问题…

从文档中可以看出:

(对象?)detect(ifnone = nil) {|obj|…} (对象?)find(ifnone = nil) {|obj|…} (对象)检测(ifnone = nil) (对象)find(ifnone = nil)

将枚举中的每个条目传递给block。返回第一个不为false的块。如果没有匹配的对象,则调用ifnone并在指定时返回其结果,否则返回nil。

如果没有给出块,则返回枚举数。

(1..10).detect  {|i| i % 5 == 0 and i % 7 == 0 }   #=> nil
(1..100).detect {|i| i % 5 == 0 and i % 7 == 0 }   #=> 35

这招对我很管用:

clients.detect{|client| client.last['client_id'] == '2180' } #=> ["orange", {"client_id"=>"2180"}] 

clients.detect{|client| client.last['client_id'] == '999999' } #=> nil 

看到的: http://rubydoc.info/stdlib/core/1.9.2/Enumerable#find-instance_method

你可以使用hashname。key(valuename)

或者,反转也可以。New_hash = hashname。Invert会给你一个new_hash,让你做一些更传统的事情。

这里有一个简单的方法来找到给定值的键:

    clients = {
      "yellow"=>{"client_id"=>"2178"}, 
      "orange"=>{"client_id"=>"2180"}, 
      "red"=>{"client_id"=>"2179"}, 
      "blue"=>{"client_id"=>"2181"}
    }

    p clients.rassoc("client_id"=>"2180")

…要找到给定键的值:

    p clients.assoc("orange") 

它会给你一个键值对。

你可以使用Enumerable#select:

clients.select{|key, hash| hash["client_id"] == "2180" }
#=> [["orange", {"client_id"=>"2180"}]]

注意,结果将是所有匹配值的数组,其中每个值都是键和值的数组。