The global structuredClone()
method creates a deep clone of a given value using the structured clone algorithm.
The method also allows transferable objects in the original value to be transferred rather than cloned to the new object. Transferred objects are detached from the original object and attached to the new object; they are no longer accessible in the original object.
structuredClone(value)
structuredClone(value, options)
The returned value is a deep copy of the original value
.
This function can be used to deep copy JavaScript values. It also supports circular references, as shown below:
const original = { name: "MDN" };
original.itself = original;
const clone = structuredClone(original);
console.assert(clone !== original);
console.assert(clone.name === "MDN");
console.assert(clone.itself === clone);
Transferable objects (only) can be transferred rather than duplicated in the cloned object, using the transfer
property of the options
parameter. Transferring makes the original object unusable.
Note: A scenario where this might be useful is when asynchronously validating some data in a buffer before saving it. To avoid the buffer being modified before the data is saved, you can clone the buffer and validate that data. If you also transfer the data, any attempts to modify the original buffer will fail, preventing its accidental misuse.
The following code shows how to clone an array and transfer its underlying resources to the new object. On return, the original uInt8Array.buffer
will be cleared.
const uInt8Array = Uint8Array.from({ length: 1024 * 1024 * 16 }, (v, i) => i);
const transferred = structuredClone(uInt8Array, {
transfer: [uInt8Array.buffer],
});
console.log(uInt8Array.byteLength);
You can clone any number of objects and transfer any subset of those objects. For example, the code below would transfer arrayBuffer1
from the passed in value, but not arrayBuffer2
.
const transferred = structuredClone(
{ x: { y: { z: arrayBuffer1, w: arrayBuffer2 } } },
{ transfer: [arrayBuffer1] },
);
In this example, we clone an object with one member, which is an array. After cloning, changes to each object do not affect the other object.
const mushrooms1 = {
amanita: ["muscaria", "virosa"],
};
const mushrooms2 = structuredClone(mushrooms1);
mushrooms2.amanita.push("pantherina");
mushrooms1.amanita.pop();
console.log(mushrooms2.amanita);
console.log(mushrooms1.amanita);
In this example we create an ArrayBuffer
and then clone the object it is a member of, transferring the buffer. We can use the buffer in the cloned object, but if we try to use the original buffer we will get an exception.
const buffer1 = new ArrayBuffer(16);
const object1 = {
buffer: buffer1,
};
const object2 = structuredClone(object1, { transfer: [buffer1] });
const int32View2 = new Int32Array(object2.buffer);
int32View2[0] = 42;
console.log(int32View2[0]);
const int32View1 = new Int32Array(object1.buffer);