在Ruby中,如何获得奇数元素的总和?

时间:2011-01-30 23:34:38

标签: ruby arrays sum

我有一个像:

这样的数组
["4|23", "1", "3|10", "2"]

我想得到奇数元素的总和,即1 + 2 = 3,也许是inject

这是Redis ZRANGE WITHSCORES对排序集的响应。理想情况下,我想要get the sum of the SCORES in a sorted set

6 个答案:

答案 0 :(得分:4)

["4|23", "1", "3|10", "2"].each_slice(2).inject(0) { |i, (j,k)| i += k.to_i }

答案 1 :(得分:3)

Hash[*a].values.map(&:to_i).reduce(:+)

答案 2 :(得分:3)

感谢大家的回答。所有这些都很酷很酷启发。

我想出了自己的答案。这很直接......

sum = 0; gifts.each_with_index { |s, i| sum += s.to_i if i % 2 == 1 }; sum

我做了一次性能检查:

require "benchmark"
MANY = 50000    
gifts = [
  "4|2323", "1",
  "3|102343", "2",
  "0|12330", "1",
  "3|10234873", "2",
  "5|2343225", "1",
  "5|23423744", "1",
  "2|987", "4",
  "0|987345", "1",
  "2|46593", "1",
  "4|78574839", "3",
  "3|4756848578", "1",
  "3|273483", "3"
]

Benchmark.bmbm do |x|
  x.report("each_with_index") { MANY.times { sum = 0; gifts.each_with_index { |s, i| sum += s.to_i if i % 2 == 1 }; sum } }
  x.report("each_with_index") { MANY.times { sum = 0; gifts.each_with_index { |s, i| sum += s.to_i if i.odd? }; sum } }
  x.report("values_at") { MANY.times { gifts.values_at(*(1..gifts.length).step(2)).inject(0) { |s, n| s += n.to_i } } }
  x.report("each_slice") { MANY.times { gifts.each_slice(2).inject(0) { |i, (j,k)| i += k.to_i } } }
  x.report("values_at") { MANY.times { gifts.values_at(*gifts.each_index.select { |i| i.odd? }).map(&:to_i).inject(&:+) } }
  x.report("hash") { MANY.times { Hash[*gifts].values.map(&:to_i).reduce(:+) } }
end

运行上面的脚本会在我的Mac上输出以下内容:

                      user     system      total        real
each_with_index   0.300000   0.000000   0.300000 (  0.305377)
each_with_index   0.340000   0.000000   0.340000 (  0.334806)
values_at         0.370000   0.000000   0.370000 (  0.371520)
each_slice        0.380000   0.000000   0.380000 (  0.376020)
values_at         0.540000   0.000000   0.540000 (  0.539633)
hash              0.560000   0.000000   0.560000 (  0.560519)

看起来我的答案是最快的。哈哈。 Suckas! :P

答案 3 :(得分:2)

Ruby数组是基于0的,所以也许你试图总结奇数索引的值?如果是这样,以下将进行一些过滤(i.odd?)和清理(i.to_i):

>> a = ["4|23", "1", "3|10", "2"]
>> a.values_at(*a.each_index.select{|i| i.odd?}).map{|i| i.to_i}.inject(&:+)
=> 3

答案 4 :(得分:1)

这是一步一步

# Your array
ary = ["4|23", "1", "3|10", "2"]
# the enumerator to iterate through it
enum = (1..ary.length).step(2)
# your scores
scores = ary.values_at(*enum)
# and the sum
sum = scores.inject(0){ |s,n| s = s + n.to_i }

也可以写成

sum = ary.values_at(*(1..ary.length).step(2)).inject(0){ |s,n| s = s + n.to_i }

答案 5 :(得分:0)

array = ["4|23", "1", "3|10", "2"]

array.select.with_index {|e,i|i.odd?}.map(&:to_i).inject(:+)
=> 3