我如何在ruby中搜索哈希值哈希数组?

我有一个哈希数组@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

我如何搜索这个数组,并返回一个哈希数组,其中一个块返回真?

例如:

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

谢谢。

217146 次浏览

你正在寻找可列举的#选择(也称为find_all):

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

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

这将返回第一个匹配项

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

如果你的数组看起来像

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在name中存在,则返回object,否则返回nil

(补充之前的答案(希望能帮助到一些人):)

Age更简单,但在大小写字符串和忽略大小写:

  • 为了验证它的存在:

@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 }