如何在ruby中通过哈希值在哈希数组中进行搜索?

时间:2010-02-11 14:10:09

标签: ruby search hash arrays

我有一系列哈希,@ fathers。

a_father = { "father" => "Bob", "age" =>  40 }
@fathers << a_father
a_father = { "father" => "David", "age" =>  32 }
@fathers << a_father
a_father = { "father" => "Batman", "age" =>  50 }
@fathers << a_father 

如何搜索此数组并返回一个块返回true的哈希数组?

例如:

@fathers.some_method("age" > 35) #=> array containing the hashes of bob and batman

感谢。

4 个答案:

答案 0 :(得分:386)

您正在寻找Enumerable#select(也称为find_all):

@fathers.select {|father| father["age"] > 35 }
# => [ { "age" => 40, "father" => "Bob" },
#      { "age" => 50, "father" => "Batman" } ]

根据文档,它“返回一个数组,其中包含[可枚举的所有元素,在本例中为@fathers],其中的块不是false。”

答案 1 :(得分:184)

这将返回第一场比赛

@fathers.detect {|f| f["age"] > 35 }

答案 2 :(得分:30)

如果您的数组看起来像

array = [
 {:name => "Hitesh" , :age => 27 , :place => "xyz"} ,
 {:name => "John" , :age => 26 , :place => "xtz"} ,
 {:name => "Anil" , :age => 26 , :place => "xsz"} 
]

并且您想知道数组中是否已存在某些值。使用查找方法

array.find {|x| x[:name] == "Hitesh"}

如果Hitesh出现在名称中,则返回对象,否则返回nil

答案 3 :(得分:2)

(添加到以前的答案(希望对某人有帮助):)

年龄更简单,但如果使用字符串并且忽略大小写:

  • 只需验证其存在:

@fathers.any? { |father| father[:name].casecmp("john") == 0 }应该在字符串的开头或任何位置都适用,例如"John""john""JoHn"等。

  • 要查找第一个实例/索引:

@fathers.find { |father| father[:name].casecmp("john") == 0 }

  • 要选择所有此类索引,请执行以下操作:

@fathers.select { |father| father[:name].casecmp("john") == 0 }