var obj = {};
var objCount = 100;
for (let i = 0; i < objCount; i++) {
obj[i] = [1, 2, 3];
}
function deepClone(objIn) {
let copy;
if (objIn === null || typeof objIn !== 'object') {
return obj;
}
if (objIn instanceof Array) {
copy = [];
for (let i = 0, len = objIn.length; i < len; i++) {
copy[i] = deepClone(objIn[i]);
}
return copy;
}
if (objIn instanceof Object) {
copy = {};
for (const attr in objIn) {
if (objIn.hasOwnProperty(attr)) {
copy[attr] = deepClone(objIn[attr]);
}
}
return copy;
}
}
function deepMerge(target, sources) {
if (!sources.length) return target
const source = sources.shift()
if (isObject(target) && isObject(source)) {
for (const key in source) {
if (isObject(source[key])) {
if (!target[key]) Object.assign(target, {[key]: {}})
deepMerge(target[key], source[key])
} else {
Object.assign(target, {[key]: source[key]})
}
}
}
return deepMerge(target, sources)
}
function isObject(obj) {
return obj && typeof obj === "object" && !Array.isArray(obj)
}
var clone = deepClone(obj);
var clone = JSON.parse(JSON.stringify(obj));
var clone = deepMerge({}, obj)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
DeepClone | |
JSON.stringify | |
deepMerge |
Test name | Executions per second |
---|---|
DeepClone | 215411.1 Ops/sec |
JSON.stringify | 112040.7 Ops/sec |
deepMerge | 35537.2 Ops/sec |
The benchmark defined in the provided JSON focuses on the performance of different methods for cloning objects in JavaScript. There are three main approaches tested: using a custom deep cloning function (deepClone
), using JSON.stringify
and JSON.parse
, and using a custom deep merging function (deepMerge
). Each of these methods has its pros and cons, and their performance is evaluated in terms of how many executions can be completed per second.
Deep Clone (deepClone
)
JSON.stringify / JSON.parse
undefined
, and handles dates as strings.undefined
, and symbols).Deep Merge (deepMerge
)
deepClone
is preferable. For basic structure cloning without functions or undefined values, JSON.stringify
provides an efficient solution. If merging objects, deepMerge
is suitable but is not meant for deep cloning.structuredClone()
function serves as a native option to handle deep cloning with support for a broader range of data types compared to JSON.stringify
._.cloneDeep()
function from the Lodash library provides a reliable and optimized solution for deep cloning, maintaining better performance on various object structures than a simple manual implementation.{...obj}
) or Object.assign()
is efficient for flat structures but may not serve deep cloning needs.Overall, the benchmark results give insight into performance differences among cloning strategies, critical for software engineers to choose the right method based on their application's needs and the complexity of the objects involved.