
Security News
NIST Officially Stops Enriching Most CVEs as Vulnerability Volume Skyrockets
NIST will stop enriching most CVEs under a new risk-based model, narrowing the NVD's scope as vulnerability submissions continue to surge.
A blazing fast deep object copier
import { copy } from 'fast-copy';
import { deepEqual } from 'fast-equals';
const object = {
array: [123, { deep: 'value' }],
map: new Map([
['foo', {}],
[{ bar: 'baz' }, 'quz'],
]),
};
const copiedObject = copy(object);
console.log(copiedObject === object); // false
console.log(deepEqual(copiedObject, object)); // true
copyDeeply copy the object passed.
import { copy } from 'fast-copy';
const copied = copy({ foo: 'bar' });
copyStrictDeeply copy the object passed, but with additional strictness when replicating the original object:
import { copyStrict } from 'fast-copy';
const object = { foo: 'bar' };
object.nonEnumerable = Object.defineProperty(object, 'bar', {
enumerable: false,
value: 'baz',
});
const copied = copy(object);
NOTE: This method is significantly slower than copy, so it is recommended to only use this when you have
specific use-cases that require it.
createCopierCreate a custom copier based on the type-specific method overrides passed, as well as configuration options for how copies should be performed. This is useful if you want to squeeze out maximum performance, or perform something other than a standard deep copy.
import { createCopier } from 'fast-copy';
import { LRUCache } from 'lru-cache';
const copyShallowStrict = createCopier({
createCache: () => new LRUCache(),
methods: {
array: (array) => [...array],
map: (map) => new Map(map.entries()),
object: (object) => ({ ...object }),
set: (set) => new Set(set.values()),
},
strict: true,
});
createCacheMethod that creates the internal cache in the Copier state. Defaults to creating a new
WeakMap instance.
methodsMethods used for copying specific object types. A list of the methods and which object types they handle:
array => ArrayarrayBuffer=> ArrayBuffer, Float32Array, Float64Array, Int8Array, Int16Array, Int32Array, Uint8Array,
Uint8ClampedArray, Uint16Array, Uint32Array, Uint64Arrayblob => BlobdataView => DataViewdate => Dateerror => Error, AggregateError, EvalError, RangeError, ReferenceError, SyntaxError, TypeError,
URIErrormap => Mapobject => Object, or any custom constructorregExp => RegExpset => SetEach method has the following contract:
type InternalCopier<Value> = (value: Value, state: State) => Value;
interface State {
Constructor: any;
cache: WeakMap;
copier: InternalCopier<any>;
prototype: any;
}
cacheIf you want to maintain circular reference handling, then you'll need the methods to handle cache population for future lookups:
function shallowlyCloneArray<Value extends any[]>(
value: Value,
state: State
): Value {
const clone = [...value];
state.cache.set(value, clone);
return clone;
}
copiercopier is provided for recursive calls with deeply-nested objects.
function deeplyCloneArray<Value extends any[]>(
value: Value,
state: State
): Value {
const clone = [];
state.cache.set(value, clone);
value.forEach((item) => state.copier(item, state));
return clone;
}
Note above I am using forEach instead of a simple map. This is because it is highly recommended to store the clone
in cache eagerly when deeply copying, so that nested circular references are handled correctly.
Constructor / prototypeBoth Constructor and prototype properties are only populated with complex objects that are not standard objects or
arrays. This is mainly useful for custom subclasses of these globals, or maintaining custom prototypes of objects.
function deeplyCloneSubclassArray<Value extends CustomArray>(
value: Value,
state: State
): Value {
const clone = new state.Constructor();
state.cache.set(value, clone);
value.forEach((item) => clone.push(item));
return clone;
}
function deeplyCloneCustomObject<Value extends CustomObject>(
value: Value,
state: State
): Value {
const clone = Object.create(state.prototype);
state.cache.set(value, clone);
Object.entries(value).forEach(([k, v]) => (clone[k] = v));
return clone;
}
strictEnforces strict copying of properties, which includes properties that are not standard for that object. An example would be a named key on an array.
NOTE: This creates a copier that is significantly slower than "loose" mode, so it is recommended to only use this when you have specific use-cases that require it.
The following object types are deeply cloned when they are either properties on the object passed, or the object itself:
ArrayArrayBufferBoolean primitive wrappers (e.g., new Boolean(true))BlobBufferDataViewDateFloat32ArrayFloat64ArrayInt8ArrayInt16ArrayInt32ArrayMapNumber primitive wrappers (e.g., new Number(123))ObjectRegExpSetString primitive wrappers (e.g., new String('foo'))Uint8ArrayUint8ClampedArrayUint16ArrayUint32ArrayReact componentsThe following object types are copied directly, as they are either primitives, cannot be cloned, or the common use-case implementation does not expect cloning:
AsyncFunctionAsyncGeneratorBoolean primitivesErrorFunctionGeneratorGeneratorFunctionNumber primitivesNullPromiseString primitivesSymbolUndefinedWeakMapWeakSetCircular objects are supported out of the box. By default, a cache based on WeakSet is used, but if WeakSet is not
available then a fallback is used. The benchmarks quoted below are based on use of WeakSet.
Inherently, what is considered a valid copy is subjective because of different requirements and use-cases. For this
library, some decisions were explicitly made for the default copiers of specific object types, and those decisions are
detailed below. If your use-cases require different handling, you can always create your own custom copier with
createCopier.
*Error objectWhile it would be relatively trivial to copy over the message and stack to a new object of the same Error subclass, it
is a common practice to "override" the message or stack, and copies would not retain this mutation. As such, the
original reference is copied.
Starting in ES2015, native globals can be subclassed like any custom class. When copying, we explicitly reuse the constructor of the original object. However, the expectation is that these subclasses would have the same constructur signature as their native base class. This is a common community practice, but there is the possibility of inaccuracy if the contract differs.
Generator objects are
specific types of iterators, but appear like standard objects that just have a few methods (next, throw, return).
These methods are bound to the internal state of the generator, which cannot be copied effectively. Normally this would
be treated like other "uncopiable" objects and simply pass the reference through, however the "validation" of whether it
is a generator object or a standard object is not guaranteed (duck-typing) and there is a runtime cost associated with.
Therefore, the simplest path of treating it like a standard object (copying methods to a new object) was taken.
Small number of properties, all values are primitives
┌────────────────────┬────────────────┐
│ Name │ Ops / sec │
├────────────────────┼────────────────┤
│ fast-copy │ 4606103.720559 │
├────────────────────┼────────────────┤
│ lodash.cloneDeep │ 2575175.39241 │
├────────────────────┼────────────────┤
│ clone │ 2172921.6353 │
├────────────────────┼────────────────┤
│ ramda │ 1919715.448951 │
├────────────────────┼────────────────┤
│ fast-clone │ 1576610.693318 │
├────────────────────┼────────────────┤
│ deepclone │ 1173500.05884 │
├────────────────────┼────────────────┤
│ fast-copy (strict) │ 1049310.47701 │
└────────────────────┴────────────────┘
Fastest was "fast-copy".
Large number of properties, values are a combination of primitives and complex objects
┌────────────────────┬───────────────┐
│ Name │ Ops / sec │
├────────────────────┼───────────────┤
│ fast-copy │ 235511.4532 │
├────────────────────┼───────────────┤
│ deepclone │ 142976.849406 │
├────────────────────┼───────────────┤
│ clone │ 125026.837887 │
├────────────────────┼───────────────┤
│ ramda │ 114216.98158 │
├────────────────────┼───────────────┤
│ fast-clone │ 111388.215547 │
├────────────────────┼───────────────┤
│ fast-copy (strict) │ 77683.900047 │
├────────────────────┼───────────────┤
│ lodash.cloneDeep │ 71343.431983 │
└────────────────────┴───────────────┘
Fastest was "fast-copy".
Very large number of properties with high amount of nesting, mainly objects and arrays
Testing big data object...
┌────────────────────┬────────────┐
│ Name │ Ops / sec │
├────────────────────┼────────────┤
│ fast-copy │ 325.548627 │
├────────────────────┼────────────┤
│ fast-clone │ 257.913886 │
├────────────────────┼────────────┤
│ deepclone │ 158.228042 │
├────────────────────┼────────────┤
│ lodash.cloneDeep │ 153.520966 │
├────────────────────┼────────────┤
│ fast-copy (strict) │ 126.027381 │
├────────────────────┼────────────┤
│ clone │ 123.383641 │
├────────────────────┼────────────┤
│ ramda │ 35.507959 │
└────────────────────┴────────────┘
Fastest was "fast-copy".
Testing circular object...
┌────────────────────┬────────────────┐
│ Name │ Ops / sec │
├────────────────────┼────────────────┤
│ fast-copy │ 1344790.296938 │
├────────────────────┼────────────────┤
│ deepclone │ 1127781.641192 │
├────────────────────┼────────────────┤
│ lodash.cloneDeep │ 894679.711048 │
├────────────────────┼────────────────┤
│ clone │ 892911.50594 │
├────────────────────┼────────────────┤
│ fast-copy (strict) │ 821339.44828 │
├────────────────────┼────────────────┤
│ ramda │ 615222.946985 │
├────────────────────┼────────────────┤
│ fast-clone │ 0 │
└────────────────────┴────────────────┘
Fastest was "fast-copy".
Custom constructors, React components, etc
┌────────────────────┬──────────────┐
│ Name │ Ops / sec │
├────────────────────┼──────────────┤
│ fast-copy │ 86875.694416 │
├────────────────────┼──────────────┤
│ clone │ 73525.671381 │
├────────────────────┼──────────────┤
│ lodash.cloneDeep │ 63280.563976 │
├────────────────────┼──────────────┤
│ fast-clone │ 52991.064016 │
├────────────────────┼──────────────┤
│ ramda │ 31770.652317 │
├────────────────────┼──────────────┤
│ deepclone │ 24253.795114 │
├────────────────────┼──────────────┤
│ fast-copy (strict) │ 19112.538416 │
└────────────────────┴──────────────┘
Fastest was "fast-copy".
Lodash's clonedeep method provides deep cloning functionality. It is part of the larger Lodash library, which is a general utility library. Compared to fast-copy, lodash.clonedeep may be slower but is part of a well-established utility library with a wide range of functions.
The clone package offers deep cloning of objects and arrays. It is less focused on performance compared to fast-copy and does not handle some of the more complex data types that fast-copy can.
Deep-copy is another package that provides deep cloning capabilities. It is similar to fast-copy in its purpose but may not have the same performance optimizations.
The rfdc (Really Fast Deep Clone) package is a competitor to fast-copy, focusing on performance for deep cloning. It claims to be faster than other deep cloning libraries for certain use cases and is a good alternative to consider when performance is critical.
FAQs
A blazing fast deep object copier
The npm package fast-copy receives a total of 11,496,166 weekly downloads. As such, fast-copy popularity was classified as popular.
We found that fast-copy demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
NIST will stop enriching most CVEs under a new risk-based model, narrowing the NVD's scope as vulnerability submissions continue to surge.

Company News
/Security News
Socket is an initial recipient of OpenAI's Cybersecurity Grant Program, which commits $10M in API credits to defenders securing open source software.

Security News
Socket CEO Feross Aboukhadijeh joins 10 Minutes or Less, a podcast by Ali Rohde, to discuss the recent surge in open source supply chain attacks.