97
var a = {};
a['fruit'] = "apple";

var b = {};
b['vegetable'] = "carrot";

var food = {};

The output variable 'food' must include both key-value pairs.

1
  • 3
    try var food = Object.assign({}, a, b)
    – cl3m
    Commented Apr 17, 2017 at 10:35

4 Answers 4

105

You could use Object.assign.

var a = { fruit: "apple" },
    b = { vegetable: "carrot" },
    food = Object.assign({}, a, b);

console.log(food);

For browser without supporting Object.assign, you could iterate the properties and assign the values manually.

var a = { fruit: "apple" },
    b = { vegetable: "carrot" },
    food = [a, b].reduce(function (r, o) {
        Object.keys(o).forEach(function (k) { r[k] = o[k]; });
        return r;
    }, {});

console.log(food);

0
100

Ways to achieve :

1. Using JavaScript Object.assign() method.

var a = {};
a['fruit'] = "apple";

var b = {};
b['vegetable'] = "carrot";

var food = Object.assign({}, a, b);

console.log(food);

2. Using custom function.

var a = {};
a['fruit'] = "apple";

var b = {};
b['vegetable'] = "carrot";

function createObj(obj1, obj2){
    var food = {};
    for (var i in obj1) {
      food[i] = obj1[i];
    }
    for (var j in obj2) {
      food[j] = obj2[j];
    }
    return food;
};

var res = createObj(a, b);

console.log(res);

3. Using ES6 Spread operator.

let a = {};
a['fruit'] = "apple";

let b = {};
b['vegetable'] = "carrot";

let food = {...a,...b}

console.log(food)

1
28

You could use the spread operator in es6, but you would need to use babel to transpile the code to be cross browser friendly.

const a = {};
a['fruit'] = "apple";

const b = {};
b['vegetable'] = "carrot";

const food = { ...a, ...b }

console.log(food)

1
  • Available only in es6. on es5 it would show lint error. Commented Mar 3, 2019 at 10:32
1

Create a Utility function which can extend Objects, like:

function extendObj(obj1, obj2){
    for (var key in obj2){
        if(obj2.hasOwnProperty(key)){
            obj1[key] = obj2[key];
        }
    }

    return obj1;
}

And then extend this food object with the another Objects. Here is example:

food = extendObj(food, a);
food = extendObj(food, b);

Not the answer you're looking for? Browse other questions tagged or ask your own question.