deep copy object js code example

Example 1: deep clone object javascript

JSON.parse(JSON.stringify(object))

Example 2: clone javascript object

let clone = Object.assign({}, objToClone);

Example 3: how to make a deep copy in javascript

JSON.parse(JSON.stringify(o))

Example 4: deep clone javascript object

const deepCopyFunction = (inObject) => {
  let outObject, value, key

  if (typeof inObject !== "object" || inObject === null) {
    return inObject // Return the value if inObject is not an object
  }

  // Create an array or object to hold the values
  outObject = Array.isArray(inObject) ? [] : {}

  for (key in inObject) {
    value = inObject[key]

    // Recursively (deep) copy for nested objects, including arrays
    outObject[key] = deepCopyFunction(value)
  }

  return outObject
}

Example 5: how to deep copy an object in javascript

const obj1 = { a: 1, b: 2, c: 3 };
// this converts the object to string so there will be no reference from 
// this first object
const s = JSON.stringify(obj1);

const obj2 = JSON.parse(s);