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

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

var food = {};

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

Andreas
  • 21,535
  • 7
  • 47
  • 56
Ankur Gupta
  • 891
  • 1
  • 6
  • 3

4 Answers4

101

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);
Nina Scholz
  • 376,160
  • 25
  • 347
  • 392
89

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)
Debug Diva
  • 26,058
  • 13
  • 70
  • 123
24

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)
synthet1c
  • 6,152
  • 2
  • 24
  • 39
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);
Ashish Kumar
  • 2,991
  • 3
  • 18
  • 27