Merging Arrays of Objects in JavaScript
Suppose you have two arrays of objects:
var arr1 = [ { name: "lang", value: "English" }, { name: "age", value: "18" }, ]; var arr2 = [ { name: "childs", value: "5" }, { name: "lang", value: "German" }, ];
You want to merge these arrays into a single array:
var arr3 = [ { name: "lang", value: "German" }, { name: "age", value: "18" }, { name: "childs", value: "5" }, ];
jQuery's $.extend() Method
You may initially consider using $.extend(). However, it does not meet your requirements, as it simply updates the first array:
$.extend(arr1, arr2); // arr4 = [{name : "childs", value: '5'}, {name: "lang", value: "German"}]
Using Array.prototype.push.apply()
A more effective way to merge the arrays is to use Array.prototype.push.apply():
Array.prototype.push.apply(arr1, arr2);
This line of code essentially pushes the elements of arr2 onto the end of arr1. The result is a merged array stored in arr1.
// Example var arr1 = [ { name: "lang", value: "English" }, { name: "age", value: "18" }, ]; var arr2 = [ { name: "childs", value: "5" }, { name: "lang", value: "German" }, ]; Array.prototype.push.apply(arr1, arr2); console.log(arr1); // final merged result will be in arr1
Output:
[ { name: "lang", value: "English" }, { name: "age", value: "18" }, { name: "childs", value: "5" }, { name: "lang", value: "German" }, ]
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!