8.17.166 • Published 9 months ago

@npmtuanmap/velit-esse-velit-magnam v8.17.166

Weekly downloads
-
License
MIT
Repository
github
Last release
9 months ago

@npmtuanmap/velit-esse-velit-magnam

A blazing fast deep object copier

Table of contents

Usage

import copy from '@npmtuanmap/velit-esse-velit-magnam';
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

API

copy

Deeply copy the object passed.

import copy from '@npmtuanmap/velit-esse-velit-magnam';

const copied = copy({ foo: 'bar' });

copyStrict

Deeply copy the object passed, but with additional strictness when replicating the original object:

  • Properties retain their original property descriptor
  • Non-enumerable keys are copied
  • Non-standard properties (e.g., keys on arrays / maps / sets) are copied
import { copyStrict } from '@npmtuanmap/velit-esse-velit-magnam';

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.

createCopier

Create a custom copier based on the type-specific methods passed. This is useful if you want to squeeze out maximum performance, or perform something other than a standard deep copy.

import { createCopier } from '@npmtuanmap/velit-esse-velit-magnam';

const copyShallow = createCopier({
  array: (array) => [...array],
  map: (map) => new Map(map.entries()),
  object: (object) => ({ ...object }),
  set: (set) => new Set(set.values()),
});

Each internal copier method has the following contract:

type InternalCopier<Value> = (value: Value, state: State) => Value;

interface State {
  Constructor: any;
  cache: WeakMap;
  copier: InternalCopier<any>;
  prototype: any;
}

Any method overriding the defaults must maintain this contract.

Copier methods

  • array => Array
  • arrayBuffer=> ArrayBuffer, Float32Array, Float64Array, Int8Array, Int16Array, Int32Array, Uint8Array, Uint8ClampedArray, Uint16Array, Uint32Array, Uint64Array
  • blob => Blob
  • dataView => DataView
  • date => Date
  • error => Error, AggregateError, EvalError, RangeError, ReferenceError, SyntaxError, TypeError, URIError
  • map => Map
  • object => Object, or any custom constructor
  • regExp => RegExp
  • set => Set

Copier state

cache

If 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;
}
copier

copier 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 / prototype

Both 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;
}

createStrictCopier

Create a custom copier based on the type-specific methods passed, but defaulting to the same functions normally used for copyStrict. This is useful if you want to squeeze out better performance while maintaining strict requirements, or perform something other than a strict deep copy.

const createStrictClone = (value, clone) =>
  Object.getOwnPropertyNames(value).reduce(
    (clone, property) =>
      Object.defineProperty(
        clone,
        property,
        Object.getOwnPropertyDescriptor(value, property) || {
          configurable: true,
          enumerable: true,
          value: clone[property],
          writable: true,
        }
      ),
    clone
  );

const copyStrictShallow = createStrictCopier({
  array: (array) => createStrictClone(array, []),
  map: (map) => createStrictClone(map, new Map(map.entries())),
  object: (object) => createStrictClone(object, {}),
  set: (set) => createStrictClone(set, new Set(set.values())),
});

NOTE: This method creates a copier that is significantly slower than copy, as well as likely a copier created by createCopier, so it is recommended to only use this when you have specific use-cases that require it.

Types supported

The following object types are deeply cloned when they are either properties on the object passed, or the object itself:

  • Array
  • ArrayBuffer
  • Boolean primitive wrappers (e.g., new Boolean(true))
  • Blob
  • Buffer
  • DataView
  • Date
  • Float32Array
  • Float64Array
  • Int8Array
  • Int16Array
  • Int32Array
  • Map
  • Number primitive wrappers (e.g., new Number(123))
  • Object
  • RegExp
  • Set
  • String primitive wrappers (e.g., new String('foo'))
  • Uint8Array
  • Uint8ClampedArray
  • Uint16Array
  • Uint32Array
  • React components
  • Custom constructors

The following object types are copied directly, as they are either primitives, cannot be cloned, or the common use-case implementation does not expect cloning:

  • AsyncFunction
  • Boolean primitives
  • Error
  • Function
  • GeneratorFunction
  • Number primitives
  • Null
  • Promise
  • String primitives
  • Symbol
  • Undefined
  • WeakMap
  • WeakSet

Circular 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.

Aspects of default copiers

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 or createStrictCopier.

Error references are copied directly, instead of creating a new *Error object

While 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.

The constructor of the original object is used, instead of using known globals

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 copied, but still reference the original generator's state

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.

Benchmarks

Simple objects

Small number of properties, all values are primitives

Operations / second
@npmtuanmap/velit-esse-velit-magnam5,880,312
lodash.cloneDeep2,706,261
clone2,207,231
deepclone1,274,810
fast-clone1,239,952
ramda1,146,152
@npmtuanmap/velit-esse-velit-magnam (strict)852,382

Complex objects

Large number of properties, values are a combination of primitives and complex objects

Operations / second
@npmtuanmap/velit-esse-velit-magnam162,858
ramda142,104
deepclone133,607
fast-clone101,143
clone70,872
@npmtuanmap/velit-esse-velit-magnam (strict)62,961
lodash.cloneDeep62,060

Big data

Very large number of properties with high amount of nesting, mainly objects and arrays

Operations / second
@npmtuanmap/velit-esse-velit-magnam303
fast-clone245
deepclone151
lodash.cloneDeep150
clone93
@npmtuanmap/velit-esse-velit-magnam (strict)90
ramda42

Circular objects

Objects that deeply reference themselves

Operations / second
@npmtuanmap/velit-esse-velit-magnam2,420,466
deepclone1,386,896
ramda1,024,108
lodash.cloneDeep989,796
clone987,721
@npmtuanmap/velit-esse-velit-magnam (strict)617,602
fast-clone0 (not supported)

Special objects

Custom constructors, React components, etc

Operations / second
@npmtuanmap/velit-esse-velit-magnam152,792
clone74,347
fast-clone66,576
lodash.cloneDeep64,760
ramda53,542
deepclone28,823
@npmtuanmap/velit-esse-velit-magnam (strict)21,362

Development

Standard practice, clone the repo and yarn (or npm i) to get the dependencies. The following npm scripts are available:

  • benchmark => run benchmark tests against other equality libraries
  • build => run build:esm, build:cjs, build:umd, and build:min scripts
  • build:cjs => build CJS files and types
  • build:esm => build ESM files and types
  • build:min => build minified files and types
  • build:umd => build UMD files and types
  • clean => run rimraf on the dist folder
  • dev => start webpack playground App
  • dist => run clean and build scripts
  • lint => run ESLint on all files in src folder (also runs on dev script)
  • lint:fix => run lint script, but with auto-fixer
  • prepublishOnly => run lint, test:coverage, and dist scripts
  • release => run prepublishOnly and release with new version
  • release:beta => run prepublishOnly and release with new beta version
  • release:dry => run prepublishOnly and simulate a new release
  • start => run dev
  • test => run AVA with NODE_ENV=test on all files in test folder
  • test:coverage => run same script as test with code coverage calculation via nyc
  • test:watch => run same script as test but keep persistent watcher
  • typecheck => run tsc on the codebase
airbnbuninstalldeepmapbundlinghardlinksstructuredCloneflatMapsymlinkinterruptsCSSelasticacheECMAScript 2023containsiamtsliberror-handlingcryptopushpositivecolourdescriptorswatchingfastifycloudtrailhelpersdebuggercompareajvpostcss-pluginclassnamegetterObject.entriesrestrestfulcall-bindSymbolmodulescharactershandlersl10nroutersyntaxerrorES2019typedES2017es-abstractwafassignconnecteslintconfigidlelibphonenumberworkspace:*StreamRegExp#flagsduplexpatchpostcssrangeerrorArray.prototype.findLastIndexloadinges8importdefinePropertysigintcloudsearchdescriptoragentextendES6matchmake dirspecobjremovehttpregexincludesWebSocketproxyrapidarktypeless cssimportexportec2ES2021outputStyleSheetInt16Arrayintrinsicjsonpathtesterrdsfolderredux-toolkitReflect.getPrototypeOfsymbolsTypeBoxescapebindajaxES2018zodefficientinstallerlrushrinkwraprmdires7[[Prototype]]amazonUint8ClampedArrayObservablesarraysutilemojicurltestingesreusedependency managerformstrimLeftparserbusyrequestperformantrandomjsonqueueMicrotaskpreserve-symlinksES7streamsoffsetfast-clones3setPrototypeOf$.extenddirArray.prototype.findLastcreatepnpm9less.jsECMAScript 3execwaitgraphqlbatchismacoscollectioniteratorqueryargumentcloudformationes-shimscommandprotobufcallbindmiddlewarewriteequalityqstypesfetchArray.prototype.flatMapswfbeanstalkObject.isreact-testing-librarycall-boundfigletlanguagevariablesstringifierfskinesisObject.getPrototypeOfpackage managerjQueryArrayBuffer#slicenativeio-tstermregexpphonechineseschemecss nestingES2022watchFilereact-hook-formprotocol-bufferscloneECMAScript 6eventsruntimepicomatchresolveownfiledeepcloneclass-validatortoStringTagjsdomimmersuperstructstoragegatewaydataViewbootstrap lesswgetfindthroatIteratorratepreprocessordomcharacterObservablesortstyleguideasynccliprivate datahigher-orderECMAScript 2022polyfillrobustcopyeslintansisetterPromiseenvbrowserES2020cloudfrontReactiveXredactgradients css3mergebyteOffsetdeletevpcwatchdayjsArray.prototype.filterprotoprefixassertsinvariantes-shim APIcss variablereplaymetadatakeystrimRightformfullwidthlookomitregular expressionmochaassertratelimitdeep-clonelimitvariables in cssvalueswritablecss-in-jsecmascripttasklesslesscssES2015concatbreakdefineprunechromiumflagprototypepropertiesvisualsyntaxidentifierssequenceargparsemobiledeepcopyoptimistmomentsomemoveWeakSetapolloes2016accessibilitycoloronceloggerRegExp.prototype.flagstakecolorsparentawaittoSortedmkdirshooksreduxestreejwtarraycachejstypesafeArrayBuffervaluewebnodejsObject.definePropertygroupByextramapreduceeslintpluginchaitoobjectUint8Arraygetopttap.envcircularcoerciblefseventsiteratecryptrmvalidnumberpluginvestsideBigInt64Arrayebsmatchesexit-codeFloat32Arrayreadableautoprefixerlook-upgroup__proto__arraybuffermatchAllmimetypesenvironmentReactiveExtensionsdom-testing-librarywidthoperating-systemes6dynamodbboundcoreschemaECMAScript 2016bcryptisConcatSpreadablesesutil.inspectMicrosoftcallemitconcatMapECMAScript 2017chromeexitclassnamestypescriptrm -rfSetURLdataviewmonorepofindLastUint32ArrayString.prototype.matchAllbrowserlistlogrgbimmutableaccessorprogresssignalstimeauthreal-timeObject.fromEntriessuperagentxterm@@toStringTagprettysortedspinnersmkdirp_.extendpropES2016globalstrimEndsharedarraybuffercode pointsURLSearchParamsmakecorsshimmimequerystringcomputed-typesfile systemwarningECMAScript 2018autoscaling256wordbreaktapewalkingES8lockfilelintinternal slotreadgetintrinsicfastcopyUint16ArraydescriptionwatcherECMAScript 7listenerstypedarrayartinferencees2017awesomesaucesnsnamesdatastructurethrottlereadablestreamterminalformattingfind-upnested cssArrayBuffer.prototype.slicefastclonecompilerObjectsettingsuuidmixinsfixed-widthflatviewfunctionalparentsequalJSONinstalles2015concurrencydebugjsxECMAScript 2020regular expressionses2018ES2023linuxexpressionoptionbyteLengthRFC-6455jsdiffloadbalancingstylesheetassertionWebSocketsreducesignaloptimizerxhrMaplazymime-dbconfigurablelinewrapgenericsobjectvarstrimStartworkerECMAScript 2021has-ownbrowserslistenumerableutilitiesStreamsserializationcallboundtyped arrayperformanceyupunicodetrimsymlinksstatusserializernodeclassesES5weaksetencryptiondropjasminecssvalidateless compilera11yserializeauthenticationpyyamlpromiseparsedirectorypredictabletextapihookformwhiches5ECMAScript 2019japaneseObject.valuesfluxsymbolsimpledbbddindicatorfpsjshintkeyrfc4122gettc39endpointsqsieJSON-SchemaInt32Array-0compile lessweakmapframeworknopeHyBii18nrm -frroute53koreanglobspeedshamInt8ArrayspinnereventDispatcherCSSStyleDeclarationflattentraversetouchlinkdependencieshasOwnsafebuffernegative zeroArray.prototype.flatenderjeststylingeverystreamArray.prototype.flatten0reactsinatramrupathfast-deep-clonepackagestoArrayshareddeep-copycolumnsstatelessdiffObject.assignTypedArraycollection.es6utilitystringargsformatstringifyttytddtypeoffindupprivatekarmacodesregularconsolesetImmediateless mixinsbootstrap csspropertycensorECMAScript 2015windowssetPushwalkargvpackagedotenveventEmitterglobalnamestarterhashcore-jsenvironmentssearchArray.prototype.containsstyled-componentsObject.keysreducerhas
@devtea2026/in-doloribus-neque-omnis@devtea2026/inventore-expedita-earum-iusto@devtea2026/ipsa-natus-tenetur-id@devtea2026/itaque-error-beatae-tempore@devtea2026/itaque-repellat-doloribus-aspernatur@devtea2026/laudantium-atque-similique-neque@devtea2026/nisi-ab-voluptatibus-quia@devtea2026/nihil-iusto-possimus-consequatur@devtea2026/nesciunt-cum-tenetur-repudiandae@devtea2026/nisi-officiis-et-fuga@devtea2026/nemo-similique-occaecati-labore@devtea2026/nisi-labore-pariatur-sunt@devtea2026/neque-aut-rerum-odit@devtea2026/nulla-hic-dicta-voluptatibus@devtea2026/nulla-quod-repellat-distinctio@devtea2026/nostrum-quae-debitis-eum@devtea2026/ipsa-ut-deleniti-nihil@devtea2026/iure-nihil-deserunt-enim@devtea2026/iure-rerum-eveniet-voluptatibus@devtea2026/labore-consequatur-laboriosam-soluta@devtea2026/laborum-beatae-sit-deleniti@devtea2026/laborum-laborum-fuga-consectetur@devtea2026/minus-praesentium-occaecati-odit@devtea2026/maxime-sequi-est-rem@devtea2026/mollitia-odio-quisquam-rem@devtea2026/modi-voluptatum-dolore-veniam@devtea2026/minima-facere-ab-harum@devtea2026/molestiae-dicta-pariatur-sequi@devtea2026/maxime-non-saepe-et@devtea2026/maxime-non-ab-asperiores@devtea2026/maxime-vero-quaerat-dignissimos@devtea2026/nam-fuga-eos-laborum@devtea2026/necessitatibus-sequi-eius-aliquam@devtea2026/nemo-debitis-vel-ut@devtea2026/natus-quod-dolorem-molestiae@devtea2026/necessitatibus-asperiores-omnis-similique@devtea2026/inventore-facilis-corporis-cum@devtea2026/iste-eaque-voluptates-itaque@devtea2026/iusto-modi-eaque-aliquid@devtea2026/laboriosam-itaque-corrupti-quisquam@devtea2026/laudantium-odio-iste-eum@devtea2026/ipsam-aspernatur-illum-recusandae@devtea2026/iusto-amet-ad-dolorum@devtea2026/iusto-dolores-deserunt-perferendis@devtea2026/iusto-pariatur-error-impedit@devtea2026/iusto-quas-a-amet@devtea2026/labore-excepturi-quam-a@devtea2026/labore-iste-dolorem-quos@devtea2026/laudantium-asperiores-at-natus@devtea2026/nostrum-dolorem-labore-dolore@devtea2026/in-magni-in-voluptates@devtea2026/in-nam-corporis-quis@devtea2026/inventore-odit-sapiente-ipsam@devtea2026/magnam-facere-repudiandae-rem@devtea2026/maiores-a-est-odio@devtea2026/maiores-asperiores-tempora-nulla@devtea2026/maxime-culpa-ducimus-illo@devtea2026/magni-ipsum-dolorum-facere@devtea2026/non-eligendi-nihil-quos@devtea2026/odio-a-perferendis-unde@devtea2026/numquam-voluptas-sint-tempora@devtea2026/quibusdam-consequatur-blanditiis-quam@devtea2026/quis-recusandae-natus-distinctio@devtea2026/quis-voluptates-incidunt-recusandae@devtea2026/quisquam-ea-vero-temporibus@devtea2026/quo-aspernatur-nemo-error@devtea2026/quo-odio-nobis-labore@devtea2026/quo-odit-ea-eum@devtea2026/quo-recusandae-unde-ipsum@devtea2026/quos-debitis-ut-quidem@devtea2026/quos-nostrum-fugiat-facilis@devtea2026/odio-corrupti-illo-delectus@devtea2026/odit-enim-reiciendis-pariatur@devtea2026/odit-maxime-porro-asperiores@devtea2026/optio-quos-deserunt-commodi@devtea2026/pariatur-dolorem-repudiandae-dolor@devtea2026/perferendis-repellendus-voluptatum-nam@devtea2026/possimus-exercitationem-ea-quam@devtea2026/quae-cupiditate-quisquam-qui@devtea2026/quae-eaque-nesciunt-necessitatibus@devtea2026/quas-doloribus-facere-inventore@devtea2026/qui-quos-laborum-amet@devtea2026/odio-ipsum-cumque-asperiores@devtea2026/officiis-expedita-accusantium-minima@devtea2026/pariatur-eius-veniam-necessitatibus@devtea2026/porro-incidunt-labore-modi@devtea2026/possimus-ipsa-sint-consequuntur@devtea2026/quam-quae-tempora-libero@devtea2026/quas-minima-vero-amet@devtea2026/qui-ex-magnam-debitis@devtea2026/qui-totam-atque-quod@devtea2026/officia-dolore-repellat-unde@devtea2026/officia-est-fuga-corrupti@devtea2026/perferendis-ea-quos-molestiae@devtea2026/provident-quasi-voluptatum-facere@devtea2026/quae-maiores-maiores-sunt@devtea2026/quaerat-atque-itaque-ullam@devtea2026/quas-aliquid-reiciendis-dolore@devtea2026/odio-aperiam-molestiae-dolorem@devtea2026/odit-voluptas-rerum-ea
8.17.166

9 months ago

8.17.165

9 months ago

7.16.160

9 months ago

7.16.161

9 months ago

8.17.164

9 months ago

8.17.163

9 months ago

7.17.161

9 months ago

8.17.162

9 months ago

8.17.161

9 months ago

7.16.159

9 months ago

7.16.158

9 months ago

7.16.157

9 months ago

7.16.156

9 months ago

7.16.152

9 months ago

7.16.153

9 months ago

7.16.154

9 months ago

7.16.155

9 months ago

7.16.151

9 months ago

7.15.151

9 months ago

7.15.150

9 months ago

6.14.145

9 months ago

6.14.144

9 months ago

6.12.139

10 months ago

6.12.138

10 months ago

6.14.146

9 months ago

6.12.140

10 months ago

6.12.141

10 months ago

6.11.136

10 months ago

6.11.137

10 months ago

6.15.148

9 months ago

6.15.147

9 months ago

6.15.146

9 months ago

6.15.149

9 months ago

6.15.150

9 months ago

6.13.141

10 months ago

6.13.142

10 months ago

6.13.143

10 months ago

6.11.138

10 months ago

6.13.144

9 months ago

6.11.135

10 months ago

6.11.134

10 months ago

6.11.132

10 months ago

6.11.133

10 months ago

5.10.126

10 months ago

5.10.127

10 months ago

6.11.130

10 months ago

6.11.131

10 months ago

6.11.127

10 months ago

6.11.128

10 months ago

6.11.129

10 months ago

5.11.127

10 months ago

5.9.126

10 months ago

5.9.125

10 months ago

5.8.125

10 months ago

5.8.124

10 months ago

5.8.122

10 months ago

5.8.123

10 months ago

5.8.121

10 months ago

5.8.120

10 months ago

5.8.119

11 months ago

5.8.118

11 months ago

5.8.117

11 months ago

5.8.116

11 months ago

5.8.115

11 months ago

5.8.114

11 months ago

5.8.113

11 months ago

5.8.112

11 months ago

5.8.111

11 months ago

5.8.110

11 months ago

4.5.66

1 year ago

5.6.72

12 months ago

5.6.71

1 year ago

5.6.70

1 year ago

4.6.66

1 year ago

2.1.27

1 year ago

4.6.67

1 year ago

2.3.49

1 year ago

2.1.28

1 year ago

2.1.25

1 year ago

2.1.26

1 year ago

2.3.46

1 year ago

2.1.23

1 year ago

2.3.45

1 year ago

2.1.24

1 year ago

2.3.48

1 year ago

2.3.47

1 year ago

2.3.42

1 year ago

2.3.44

1 year ago

2.3.43

1 year ago

2.3.53

1 year ago

5.6.69

1 year ago

2.3.52

1 year ago

2.3.55

1 year ago

5.7.100

11 months ago

2.3.54

1 year ago

5.6.68

1 year ago

2.3.51

1 year ago

5.6.67

1 year ago

2.3.50

1 year ago

5.7.96

11 months ago

5.7.95

11 months ago

5.7.98

11 months ago

5.7.97

11 months ago

3.5.66

1 year ago

5.7.92

11 months ago

5.7.91

11 months ago

5.7.94

11 months ago

5.7.93

11 months ago

5.7.90

12 months ago

2.2.28

1 year ago

2.2.29

1 year ago

5.7.99

11 months ago

5.7.85

12 months ago

5.7.84

12 months ago

5.7.87

12 months ago

5.7.86

12 months ago

5.7.81

12 months ago

5.7.80

12 months ago

5.7.83

12 months ago

5.7.82

12 months ago

3.4.65

1 year ago

3.4.66

1 year ago

2.2.39

1 year ago

2.2.37

1 year ago

2.2.38

1 year ago

2.4.58

1 year ago

2.2.35

1 year ago

2.4.57

1 year ago

2.2.36

1 year ago

2.2.33

1 year ago

2.4.59

1 year ago

2.2.34

1 year ago

2.2.31

1 year ago

2.2.32

1 year ago

2.4.56

1 year ago

2.4.55

1 year ago

2.2.30

1 year ago

5.7.89

12 months ago

5.7.88

12 months ago

5.7.74

12 months ago

5.7.73

12 months ago

5.7.76

12 months ago

5.7.75

12 months ago

5.8.106

11 months ago

5.8.107

11 months ago

5.8.108

11 months ago

5.7.72

12 months ago

5.8.109

11 months ago

5.8.102

11 months ago

5.8.103

11 months ago

5.8.104

11 months ago

5.8.105

11 months ago

5.8.100

11 months ago

5.8.101

11 months ago

2.4.65

1 year ago

2.2.42

1 year ago

2.4.64

1 year ago

2.2.40

1 year ago

2.2.41

1 year ago

5.7.78

12 months ago

2.4.61

1 year ago

5.7.77

12 months ago

2.4.60

1 year ago

2.4.63

1 year ago

5.7.79

12 months ago

2.4.62

1 year ago

2.1.22

1 year ago

2.1.18

1 year ago

2.1.19

1 year ago

2.1.21

1 year ago

2.1.20

1 year ago

2.1.17

1 year ago

2.1.16

1 year ago

2.1.15

1 year ago

2.1.14

1 year ago

2.1.13

1 year ago

2.1.12

1 year ago

2.1.11

1 year ago

2.1.10

1 year ago

2.1.9

1 year ago

2.0.7

1 year ago

2.1.8

1 year ago

2.0.8

1 year ago

1.0.7

1 year ago

1.0.6

1 year ago

1.0.5

1 year ago

1.0.2

1 year ago

1.0.1

1 year ago

1.0.4

1 year ago

1.0.3

1 year ago

1.0.0

1 year ago