美文网首页ruby on rails
Ruby中你应该使用的集合方法

Ruby中你应该使用的集合方法

作者: falm | 来源:发表于2016-04-02 23:28 被阅读793次

zip

两个集合同步遍历 zip 主要场景是 你有两个集合并且向同步进行遍历,每次迭代保持下标的一致。方法接受两个参数 一个是 要同步遍历的若干个数组,另一个是迭代的代码块。

[*1..3].zip([*4..6]).map { |a, b| a + b }
# => [5, 7, 9]

如果不传入block的话

[*1..3].zip([*4..6])
# => [[1, 4], [2, 5], [3, 6]]

each.with_index(n)

遍历并且携带指定初始值的下标,这样就可以在循环能使用指定的下标序列

%w(a b c).each.with_index(1).map { |w, i| [w, i] }
# => [["a", 1], ["b", 2], ["c", 3]]

each_with_object

这是方法是非常好用的,它可以将参数作为,迭代block的最后一个参数,并且在下一个迭代中将上一个传入,知道最后返回。
我们来看个例子,假设有两个集合,想要一个做为哈希的key,另一个想做为对应的值之前的做法是这样的

map = {} 
keys = %w(name age sex)
values = ['Tom', 33, 'male']
keys.zip(values).each do |item|
  map[item.first.to_sym] = item.second  
end
# map => {"name"=>"Tom", "age"=>33, "sex"=>"male"}

使用each_with_object之后,这样代码更加贴近函数式编程的风格

keys = %w(name age sex)
values = ['Tom', 33, 'male']
result = keys.zip(values).each_with_object({}) do |item, map|
  map[item.first.to_sym] = item.second  
end
# result =>  {"name"=>"Tom", "age"=>33, "sex"=>"male"}

all?

判断集合中的所有元素,如果集合中的所有元素,都符合,指定的block 条件的话,返回true 否则False

[*1..100].all?(&:positive?)
# => true

any?

如果集合中任意元素,满足给的block条件的话,返回true 否则false

[*-10..10].any?(&:positive?)
# => true

product

笛卡尔乘积

[*1..3].product([*4..6])
# => [[1, 4], [1, 5], [1, 6], [2, 4], [2, 5], [2, 6], [3, 4], [3, 5], [3, 6]]

再举一个实际的例子,在多对多数据表关联中会有这样的ER图


多对多

现在已知你有一组 post_ids 和 reader_ids 想要创建关联关系,那么可以使用笛卡尔乘积

ids = post_ids.product(reader_ids)
Readered.import [:post_id, :reader_id], ids

each_slice

将集合切割成,并且遍历,切割力度要根据给定的常数

# 输出5X5阵列
[*1..25].each_slice(5).each { |i| puts i * ' ' }
# 1  2  3  4  5
# 6  7  8  9  10
# 11 12 13 14 15
# 16 17 18 19 20
# 21 22 23 24 25

select

筛选出集合中满足条件的子集合, 下面是找出集合中的整数。

numbers = [2.2, 1, 14.5, 99.3, 55, 12.2]
numbers.select(&:integer?)
# => [1, 55]

detect

筛选出集合中满足条件的第一个元素。

numbers = [2.2, 1, 14.5, 99.3, 55, 12.2]
numbers.select(&:integer?)
# => 1

none?

使用none? 可以判断 一个集合中,是否所以元素都不满足给定的 block 条件

[true, false, false].none?
# => false
[1.1, 2.2 , 3.3].none?(&:integer?)
# => true

one?

使用one 可以判断一个集合中,是否有且只有一个元素满足给定的 block 条件

[true, false, false].one?
# => true
[true, false, false, true].one?
# => false

相关文章

网友评论

    本文标题:Ruby中你应该使用的集合方法

    本文链接:https://www.haomeiwen.com/subject/eqnelttx.html