David Armendariz
David Armendariz

Reputation: 1759

Using Ramda to accumulate sum of values in objects

I have an object like this:

obj = {
'key1': {'prop1': 123,'prop2':345},
'key2': {'prop1': 673,'prop3':642}
}

I would like to have the following result:

result = {'prop1': 796, 'prop2':345, 'prop3':642}

That is, I want a single object that has all properties. I have a function like this:

Object.values(obj).reduce((acc,currentObj) => {
        const props = Object.keys(currentObj);
        props.forEach(prop => {
            if(prop in acc){
                acc[prop] += currentObj[prop]
            } else {
                acc[prop] = currentObj[prop]
            }
        })
        return acc
    }, {})

I believe this works fine, but is there any way to do the same with RamdaJS?

Upvotes: 0

Views: 1018

Answers (1)

Hitmands
Hitmands

Reputation: 14179

A simple reduce function would do that.

const fn = R.pipe(
  R.values,
  R.reduce(R.mergeWith(R.add), {}),
);

//--

const data = {
  key1: { prop1: 123, prop2: 345 },
  key2: { prop1: 673, prop3: 642 },
};


console.log(
  fn(data),
);
<script src="https://cdnjs.cloudflare.com/ajax/libs/ramda/0.26.1/ramda.js" integrity="sha256-xB25ljGZ7K2VXnq087unEnoVhvTosWWtqXB4tAtZmHU=" crossorigin="anonymous"></script>

Upvotes: 1

Related Questions