tags:

views:

67

answers:

3

This is my array

[{:amount=>10, :gl_acct_id=>1, :alt_amount=>20}, {:amount=>20, :gl_acct_id=>2
, :alt_amount=>30}]

i want result

[{:amount => 30}] or {:amount = 30}

Any idea?

+4  A: 

You can use inject to sum all the amounts. You can then just put the result back into a hash if you need to.

arr = [{:amount=>10, :gl_acct_id=>1, :alt_amount=>20}, {:amount=>20, :gl_acct_id=>2, :alt_amount=>30}]    
amount = arr.inject(0) {|sum, hash| sum + hash[:amount]} #=> 30
{:amount => amount} #=> {:amount => 30}
sepp2k
A: 

This is one way to do it:

a = {amount:10,gl_acct_id:1,alt_amount:20},{amount:20,gl_acct_id:2,alt_amount:30}
a.map {|h| h[:amount] }.reduce(:+)

However, I get the feeling that your object model is somewhat lacking. With a better object model, you would probably be able to do something like:

a.map(&:amount).reduce(:+)

Or even just

a.sum

Note that as @sepp2k pointed out, if you want to get out a Hash, you need to wrap it in a Hash again.

Jörg W Mittag
krunal shah
sepp2k
@sepp2k: Thanks! Missed that one.
Jörg W Mittag
@sepp2k Thank you ...
krunal shah
A: 
total=0
arr = [{:amount=>10, :gl_acct_id=>1, :alt_amount=>20}, {:amount=>20, :gl_acct_id=>2, :alt_amount=>30}]
arr.each {|x| total=total+x[:amount]}
puts total