1.3.3 • Published 3 months ago

@hiki9/rich-domain v1.3.3

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

rich-domain

Build great app using domain driven design


About the lib

This package provide utils file and interfaces to assistant build a complex application as domain driving design and nodeJS with typescript.

Simple App Example

A simple app example available on link


Documentation

Folders

Folders structure suggestion Divided by

  • Domain layer
  • Application layer
  • Infra layer
  $ tree
  .
  ├── package.json
  ├── README.md
  └── src
       ├── configs
       │    └── env
       │
       ├── shared
       │    └── infra
       │         └── server  
       │
       └── modules
            │ 
            └── [module-name]
                  │ 
                  │── domain
                  │     ├── value-objects
                  │     ├── entities
                  │     ├── aggregates
                  │     ├── events
                  │     ├── subscriptions
                  │     ├── adapter
                  │     ├── repository-interface
                  │     └── domain-services
                  │ 
                  ├── application
                  │     └── use-cases 
                  │ 
                  └── infra
                        ├── models
                        └── repository

Result

What is Result:

Result is a class that encapsulates the result of an operation and stores the success or failure state without throws the application.

Interface and Generic Types

  • P = Payload optional default void
  • E = Error optional default string
  • M = MetaData optional default {}
IResult<P, E, M>;

You can import like example below

import { Result, Ok, Fail } from "rich-domain";

// Success use case

return Result.Ok();

// OR

return Ok();

// OR

return Ok(data);

// OR

return Ok<Payload>(data);

// Failure use case

return Result.fail('error message here');

// OR

return Fail('error message here');

// OR

return Fail<MyError>(myCustomError);

Example how to use generic types. First let's create our interfaces to use as generic type.

  • The type of data to be retrieved can be any type you want.
// Payload type
interface IData { data: string };

// Error type
interface IError { message: string };

// MetaData type. Optional
interface IMeta { arg: number };

Now let's implement a function that return the result below

IResult<IData, IError, IMeta>;

So let's implement that on a simple function.

const isEven = (value: number): Result<IData, IError, IMeta> => {

	const isEvenValue = value % 2 === 0;
	const metaData: IMeta = { arg: value };
	
	if (isEvenValue) {
		
		// success payload 
		const payload: IData = { data: `${value} is even` };

		// return success
		return Ok(payload, metaData);
	}

	// failure payload 
	const error: IError = { message: `${value} is not even` };

	// return failure
	return Fail(error, metaData);
};

Here we have a function that returns success if the value informed is even and returns failure if it is odd.

Success Case

const result = isEven(42);

console.log(result.isOk());

> true

console.log(result.value());

> 'Object { data: "42 is even" }'

console.log(result.metaData());

> 'Object { arg: 42 }'

console.log(result.error());

> null

Failure Case

const result = isEven(43);

console.log(result.isFail());

> true

console.log(result.error());

> 'Object { message: "43 is not even" }'

console.log(result.metaData());

> 'Object { arg: 43 }'

console.log(result.value());

> null

Void

The most simple void success example. Let's see the same example using void.

const checkEven = (value: number): Result<void> => {

	const isEven = value % 2 === 0;

	// success case
	if(isEven) return Ok(); 
	
	// failure case
	return Fail('not even');
}

Using the function as success example

const result: Result<void> = checkEven(42);

console.log(result.isOk());

> true

console.log(result.isFail());

> false

console.log(result.error());

> null

console.log(result.value());

> null

console.log(result.metaData());

> 'Object {}'

Fail example

const result: IResult<void> = checkEven(43);

console.log(result.isFail());

> true

console.log(result.isOk());

> false

console.log(result.error());

> "not even"

console.log(result.value());

> null

console.log(result.metaData());

> 'Object {}'

toObject method

you can get a summarized object with the properties of an instance of a Result

console.log(result.toObject());

> Object
`{
	"data": null, 
	"error": "not even", 
	"isFail": true, 
	"isOk": false, 
	"metaData": Object {}
 }`

Hooks

In the instances of a Result there are two hooks that allow the execution of a command according to the state.

class Command implements ICommand<void, void> {
	execute(): void {
		console.log("running command ...");
	}
}

const myCommand = new Command();

const result = Ok();

result.execute(myCommand).on('Ok');

> "running command ..."

You might also want to pass arguments to the command

class Command implements ICommand<string, void> {
	execute(error: string): void {
		console.log(error);
	}
}

const myCommand = new Command();

const result = Fail('something went wrong');

result.execute(myCommand).withData(result.error()).on('fail');

> "something went wrong"

Combine

You can use the static combine function of Result to check many instances if any are failed it will return the instance with error state.

Success example

import { Ok, Combine } from "rich-domain";

const resultA = Ok();
const resultB = Ok();
const resultC = Ok();

const result = Combine([ resultA, resultB, resultC ]);

console.log(result.isOk());

> true

// OR 

import { Result } from "rich-domain";

const resultA = Result.Ok();
const resultB = Result.Ok();
const resultC = Result.Ok();

const result = Result.combine([ resultA, resultB, resultC ]);

console.log(result.isOk());

> true

Failure example

const resultA = Ok();
const resultB = Fail('oops err');
const resultC = Ok();

const result = Combine([ resultA, resultB, resultC ]);

console.log(result.isOk());

> false

console.log(result.error());

> 'oops err'

ID

What is ID: A symbol which uniquely identifies an object or record. In this Lib all IDs are generated by domain and uses uuid v4.

Create New

Create a new uuid.

import { ID, Id } from "rich-domain";

const id = ID.create();

console.log(id.value());

> "eb9c563c-719d-4872-b303-0a82921351f7"

// OR as function

const id = Id();

Short New

Create a short id

const id = ID.short();

console.log(id.value());

> "EB9C563DB4872BF7"

Create Existing

Create a id with provided value

const id = ID.create('this-is-my-id-01');

console.log(id.value());

> "this-is-my-id-01"

// OR 

const id = Id('this-is-my-id-01');

Compare ids

The id instance has a method to compare two ids.

const idA = ID.short('id-01');
const idB = ID.short('id-02');

console.log(idA.equal(idB));

> false

console.log(idB.equal(idB));

> true

IsNew

Check if id instance is has a new value

const idA = ID.create('this-is-my-id-01');
const idB = ID.create();

console.log(idA.isNew());

> false

console.log(idB.isNew());

> true

// OR

const idA = Id('my-custom-id-01');

console.log(idA.isNew());

> false

const idB = Id();

console.log(idB.isNew());

> true

Type for ID

Define type for ID

import { UID, ID, Id } from 'rich-domain';

// UID type
let id: UID;

// ID value
id = ID.create();

// OR

id = Id();

ValueObject

What is value object:

  • Are only identified by their values, not by their ids (for example money is a value object as long as we are not tracking individual banknotes, if we need to track individual banknotes then it should be a banknote entity)
  • Can be used to measure or describe things (name, description, amount, height, date, time, range, address, etc.)
  • You can combine other value types that usually go together into a new value object type, like address (city, street, country, postal code) or ...range, or ...type
  • Prefer to put the behavior on value objects rather than on entities because value objects are immutable and do not have side effects (like changing their state or changing the state of any entity)
  • Can be part of an entity
  • Should be immutable, behaviors should not change the state of a value object, but can rather create a new value object (should act similar to C# strings, structs, ints, and other value types)
  • Can be persisted but only as part of an entity, not individually.

Simple Value Object.

Value objects extend to ValueObject class have private constructor and public static method called create. The create method receives the props which by default is an object with the key value.

the value object below is a base example without any kind of validation

import { Result, ValueObject } from "rich-domain";

export interface NameProps {
	value: string;
}

export class Name extends ValueObject<NameProps>{
	private constructor(props: NameProps) {
		super(props);
	}

	public static create(value: string): Result<Name> {
		return Result.Ok(new Name({ value }));
	}
}

export default Name;

Now that we have defined our value object class, we can create an instance. The create method returns an instance of Name encapsulated by the Result, so it is important to always assess whether the result is a success before getting the value.

const result = Name.create('Jane');

console.log(result.isOk());

> true

const name = result.value();

console.log(name.get('value'));

> "Jane"

Once we have an instance of a value object, we can use some methods that the library makes available.

By default setters are enabled

// do not use set to change value object value. create a new instance instead.

name.set('value').to('John');

console.log(name.get('value'));

> "John"

When you use the set or change function to modify the state, each change is saved in a history

console.log(name.history().count());

> 2

// back to old value on history
name.history().back();

console.log(name.get('value'));

> "Jane"

We don't advise you to use state change of a value object. Create a new one instead of changing its state. However the library will leave that up to you to decide.

To disable the setters of a value object use the parameters below in the super. This property disables the set function of the value object.

constructor(props: NameProps){
	super(props, { disableSetters: true })
}

Now when trying to change the value using set or change it will not be modified.

console.log(name.get('value'));

> "John"

name.set('value').to('James');

console.log(name.get('value'));

> "John"

Using validation

Validation before create instance. A validator instance is available in the "Value Object" domain class.

import { IResult, Ok, Fail, ValueObject } from "rich-domain";

export interface NameProps {
	value: string;
}

export class Name extends ValueObject<NameProps>{
	private constructor(props: NameProps) {
		super(props);
	}

	public static isValidProps({ value }: NameProps): boolean {
		const { string } = this.validator;
		return string(value).hasLengthBetween(3, 30);
	}

	public static create(value: string): IResult<Name> {
		const message = 'name must have length min 3 and max 30 char';

		if (!this.isValidProps({ value })) return Fail(message);

		return Ok(new Name({ value }));
	}
}

export default Name;

Now when you try to instantiate a name, the value will be checked and if it doesn't meet the validation requirements, a Result will be returned with an error state.

const empty = '';

const result = Name.create(empty);

console.log(result.isFail());

> true

console.log(result.error());

> "name must have length min 3 and max 30 char"

console.log(result.value());

> null

Validation before set

The isValidProps Method validates properties when creating a new instance, but which method validates before modifying a value? For this there is the method validation

The validation method takes two arguments, the first the key of props and the second the value. So when calling the set or change function, this method will be called automatically to validate the value, if it doesn't pass the validation, the value is not changed.

There must be a validation for each "props" key

validation<Key extends keyof Props>(value: Props[Key], key: Key): boolean {
	
	const { number } = this.validator;

	const options: IPropsValidation<Props> = {
		value: (value: number) => number.isBetween(0, 130),
	} 

	return options[key](value);
};

In case your value object has only one attribute you can simply use the already created static validation method. Let's see a complete example as below

import { Result, Ok, Fail, ValueObject } from "rich-domain";

export interface NameProps {
	value: string;
}

export class Name extends ValueObject<NameProps>{
	private constructor(props: NameProps) {
		super(props);
	}

	validation(value: string): boolean {
		return Name.isValidProps({ value });
	}

	public static isValidProps({ value }: NameProps): boolean {
		const { string } = this.validator;
		return string(value).hasLengthBetween(3, 30);
	}

	public static create(value: string): Result<Name> {
		const message = 'name must have length min 3 and max 30 char';
		const isValidProps = this.isValidProps({ value });
		if (!isValidProps) return Fail(message);

		return Ok(new Name({ value }));
	}
}

export default Name;

Let's test the instance and the validation method. Value is not modified if it does not pass validation.

const result = Name.create('Jane');

console.log(result.isOk());

> true

const name = result.value();

console.log(name.get('value'));

> "Jane"

const empty = '';

name.set('value').to(empty);

console.log(name.get('value'));

> "Jane"

name.set('value').to("Jack");

console.log(name.get('value'));

> "Jack"

toObject

This method transforms a complex object into a simple object or value. This method is useful for cases where you have value objects inside other value objects

const street = Street.create('Dom Juan').value();

const number = Number.create(42).value();

const result = Address.create({ street, number });

const address = result.value();

console.log(address.toObject());

> Object 
`{
	"street": "Dom Juan", 
	"number": 42,
 }`

Clone

This method creates a new instance with the same properties as the current value object.

const result = Name.create('Sammy');

const originalName = result.value();

console.log(originalName.value());

> "Sammy"

const clone = originalName.clone();

console.log(clone);

> "Sammy"

Clone being a new instance does not change the properties of the original value object

clonedName.change('value', 'Jones');

console.log(clonedName.value());

> "Jones"

console.log(originalName.value());

> "Sammy"

createMany

Sometimes you will need to create many instances of different value objects and for that there is static method available createMany on value objects, entity and aggregate.

const itemPrice = Class<PriceProps>(ProductPrice, { value: price });
const itemName = Class<NameProps>(ProductName, { value: name });
const itemQtd = Class<QtdProps>(ProductQtd, { value: qtd });

const { data, result } = ValueObject.createMany([ itemPrice, itemName, itemQtd ]);

// you check if all value objects are ok
if (result.isFail()) return Result.fail(result.error());

// you can get instances from iterator data. In the same order as the array
const price = data.next().value() as ProductPrice;  // index 0
const name = data.next().value() as ProductName;    // index 1
const quantity = data.next().value() as ProductQtd; // index 2

const product = Product.create({ name, price, quantity });

Entity

What is value object:

  • Live longer than the application, should endure restarts, and are persisted and read from data sources (DB, file system, network, etc.)
  • Have an id (preferably a GUID rather than a DB generated int because business transactions do not rely on persistence, can be persisted after other operations carried out in model's behavior)
  • Have entity semantics (equality and GetHashCode() defined by class name + id)
  • Behavior in an entity mostly orchestrates value objects for a use case
  • Entity class should not have public property setters, setting a property should be a behavior method
  • Entities should not have bidirectional relations (depending on the bounded context, either an egg can have a chicken or a chicken can have eggs, but not both)
  • Entity relations should not reflect the complete set of DB foreign key relationships, should be bare down to the minimum for performing the behavior inside the bounded context
  • Entity relations should not hold a reference to another entity class, it can only keep the id of another entity
  • If a business transaction needs a reference to other entities in relation, aggregates should be used instead (aggregates can hold a reference to other aggregate roots, which are entity classes by definition)

Simple Entity

Entities extend to Entity class, have private constructor and public static method called create. The create method receives the props which by default is an object with the key id.

the entity below is a base example without any kind of validation

interface UserProps { id?: UID, name: Name, age: Age };

export class User extends Entity<UserProps>{
	private constructor(props: UserProps){
		super(props)
	}

	public static create(props: UserProps): IResult<User> {
		return Result.Ok(new User(props));
	}
}

export default User;

id is a reserved word and must have the type UID or string.

All attributes for an entity must be value object except id.

const nameAttr = Name.create('James');
const ageAttr = Name.create(21);

// always check if value objects are success
const results = Combine([ nameAttr, ageAttr ]);

console.log(results.isOk());

> true

const name = nameAttr.value();

const age = ageAttr.value();

// if you don't provide a value for the id it will be generated automatically
const result = User.create({ name, age });

console.log(result.isOk());

> true

toObject

when you extend entity class you get some methods from domain class, one of them is toObject method. In the entity, this method aims to transform a domain class into a simple object, that is, all value objects are transformed into simple attributes.

const user = result.value();

console.log(user.toObject());

> Object
`{
	age: 21,
	name: "James",
	createdAt: "2022-08-13T03:51:25.738Z",
	updatedAt: "2022-08-13T03:51:25.738Z"
	id: "0709220f-7c2f-41e2-b535-151926286893",
 }`

with id value

you can create an instance by entering an id

const name = nameAttr.value();

const id = Id('my-id-value-01');

const result = User.create({ id, age, name });

console.log(result.isOk());

> true 

const user = result.value();

console.log(user.toObject());

> Object
`{
	age: 21,
	name: "James",
	id: "my-id-value-01",
	createdAt: "2022-08-13T03:51:25.738Z",
	updatedAt: "2022-08-13T03:51:25.738Z"
 }`

isNew

Check if instance is a new entity. if you do not provide an id the entity will be considered as a new created entity instance.

// no id provided
const newUserResult = User.create({ name, age });

cons newUser = newUserResult.value();

console.log(newUser.isNew());

> true

// id provided
const userResult = User.create({ id, name, age });

cons user = userResult.value();

console.log(user.isNew());

> false

isValidProps

Validating props before create an instance. Here you can apply your business validation.

public static isValidProps({ name, age }: UserProps): boolean {
	
	// your business validation 
	const isValidName = doSomeBusinessValidation(name);
	const isValidAge = doSomeBusinessValidation(age);

	return isValidName && isValidAge;
}

Let's apply our props validation method to our entity class

interface UserProps { id?: UID, name: Name, age: Age };

export class User extends Entity<UserProps>{
	private constructor(props: UserProps){
		super(props)
	}

	public static isValidProps({ name, age }: UserProps): boolean {
		// your business validation 
		const isValidName = doSomeBusinessValidation(name);
		const isValidAge = doSomeBusinessValidation(age);

		return isValidName && isValidAge;
	}

	public static create(props: UserProps): IResult<User> {

		const isValidRules = User.isValidProps(props);
		if(!isValidRules) return Result.fail('invalid props');

		return Result.Ok(new User(props));
	}
}

export default User;

change

in entities you can easily change an attribute with change or set method

const result = Name.create('Larry');

const newName = result.value();

const changed = user.change("name", newName);

console.log(user.get("name").value());

> "Larry"

console.log(changed);

> true

Validation before change

The isValidProps Method validates properties when creating a new instance, but which method validates before modifying a value? For this there is the method validation

The validation method takes two arguments, the first the key of props and the second the value. So when calling the set or change function, this method will be called automatically to validate the value, if it doesn't pass the validation, the value is not changed.

There must be a validation for each "props" key

validation<Key extends keyof Props>(value: Props[Key], key: Key): boolean {

	const options: IPropsValidation<Props> = {
		name: (value: Name) => doSomeBusinessValidation(value),
		age: (value: Age) => doSomeBusinessValidation(value)
	} 

	return options[key](value);
};

Let's apply our validation method to our entity. Now if the validation does not pass the value will not be changed.

interface UserProps { id?: UID, name: Name, age: Age };

export class User extends Entity<UserProps>{
	private constructor(props: UserProps){
		super(props)
	}

	validation<Key extends keyof Props>(value: Props[Key], key: Key): boolean {
		const options: IPropsValidation<Props> = {
			name: (value: Name) => doSomeBusinessValidation(value),
			age: (value: Age) => doSomeBusinessValidation(value)
		} 
		return options[key](value);
	};

	public static isValidProps({ name, age }: UserProps): boolean {
		// your business validation 
		const isValidName = doSomeBusinessValidation(name);
		const isValidAge = doSomeBusinessValidation(age);
		return isValidName && isValidAge;
	}

	public static create(props: UserProps): IResult<User> {

		const isValidRules = User.isValidProps(props);
		if(!isValidRules) return Result.fail('invalid props');

		return Result.Ok(new User(props));
	}
}

export default User;

disableSetters

To disable the setters of an entity use the parameters below in the super. This property disables the set function of the entity.

constructor(props: NameProps){
	super(props, { disableSetters: true })
}

clone entity

you can clone an entity and get a new instance

const result = User.create({ id, age, name });

console.log(result.isOk());

> true 

const user = result.value();

 const clonedUser = user.clone();

 const newNameResult = Name.create('Luke');

 const newName = newNameResult.value();

 const changed = clonedUser.set('name').to(newName);

 console.log(user.get('name').value());

 > "James"

 console.log(changed);

 > true

 console.log(clonedUser.get('name').value());

 > "Luke"

compare entities

You can compare two entities.

isEqual just check props values and id value for both instances.

const isEqual = user1.isEqual(user2);

console.log(isEqual);

> false

history

Each operation to change any entity state property generates a history. At any time you can return to a previous state

const result = User.create({ name, age });

const user = result.value();

console.log(user.toObject());

> Object
`{
	age: 21,
	name: "James",
	createdAt: "2022-08-13T03:51:25.738Z",
	updatedAt: "2022-08-13T03:51:25.738Z",
	id: "0709220f-7c2f-41e2-b535-151926286893"
 }`

// first history is initial props on create an instance
console.log(user.history().count());

> 1

user.set('name').to(newName);

console.log(user.toObject());

> Object
`{
	age: 21,
	name: "Luke",
	createdAt: "2022-08-13T03:51:25.738Z",
	updatedAt: "2022-08-13T03:52:25.738Z",
	id: "0709220f-7c2f-41e2-b535-151926286893"
 }`

// On change name create a new history
console.log(user.history().count());

> 2

// back to history 1
user.history().back();

console.log(user.toObject());

> Object
`{
	age: 21,
	name: "James",
	createdAt: "2022-08-13T03:51:25.738Z",
	updatedAt: "2022-08-13T03:51:25.738Z",
	id: "0709220f-7c2f-41e2-b535-151926286893"
 }`

Aggregate

What is aggregate:

  • Encapsulate and are composed of entity classes and value objects that change together in a business transaction
  • Aggregates are a transactional graph of model objects
  • Aggregate root should be an entity, an aggregate can even be a single entity
  • Aggregate can keep a reference to other aggregate roots, but not to other entity classes which are not aggregate roots themselves
  • Aggregate should not keep a reference to other aggregate root entity classes if those other entities do not change together with this aggregate root entity
  • Aggregate can also keep the id of another entity, but keeping too many foreign key ids is a code smell (why?)
  • If deleting an entity has a cascade effect on the other entities referenced by class in the object graph, these entities are part of the same aggregate, if not, they should not be inside this aggregate

The aggregate has the same methods already mentioned in the entity. And in addition to the entity methods, there is another one that is responsible for managing the domain's events.

Simple Aggregate

export interface ProductProps {
	id?: UID;
	name: ProductName;
	price: ProductPrice;
	createdAt?: Date;
	updatedAt?: Date;
}

// extends to Aggregate
export class Product extends Aggregate<ProductProps>{
	private constructor(props: ProductProps) {
		super(props);
	}

	public static create(props: ProductProps): IResult<Product> {
		return Result.Ok(new Product(props));
	}
}

export default Product;

Domain Event

Let's create an aggregate instance and see how to add domain event to it.

export class ProductCreatedEvent implements IHandle<Product>{
	public eventName: string;

	constructor() { 
		this.eventName = 'ProductCreated';
	}
	
	dispatch(event: IDomainEvent<Product>): void {
		// your action here
		const { aggregate } = event;
		console.log(`EVENT DISPATCH: ${aggregate.hashCode().value()}`);
	}
}

export default ProductCreatedEvent;

Now let's add the event to a product instance. Events are stored in memory and are deleted after being triggered.

const result = Product.create({ name, price });

const product = result.value();

const event = new ProductCreatedEvent();

product.addEvent(event);

Now we can dispatch the event whenever we want.

DomainEvents.dispatch({ id: product.id, eventName: "ProductCreated" });

> "EVENT DISPATCH: [Aggregate@Product]:6039756f-d3bc-452e-932a-ec89ff536dda"

// OR you can dispatch all events in aggregate instance

product.dispatchEvent();

// OR

product.dispatchEvent("ProductCreated");

Adapter

How to adapt the data from persistence to domain or from domain to persistence.

// from domain to data layer
class MyAdapterToInfra implements IAdapter<DomainUser, DataUser>{
	build(target: DomainUser): Result<DataUser> {
		// ...
	}
}

// from data layer to domain
class MyAdapterToDomain implements IAdapter<DataUser, DomainUser>{
	build(target: DataUser): Result<DomainUser> {
		// ...
	}
}

// You can use adapter instance in toObject function
const myAdapter = new MyAdapterToInfra();

const dataUser = domainUser.toObject<DataUser>(myAdapter);
1.3.3

3 months ago

1.3.2

3 months ago

1.3.1

3 months ago

1.2.41

5 months ago

1.2.40

6 months ago

1.2.18

8 months ago

1.2.19

8 months ago

1.2.20

8 months ago

1.2.23

8 months ago

1.2.24

8 months ago

1.2.21

8 months ago

1.2.22

8 months ago

1.2.27

7 months ago

1.2.28

7 months ago

1.2.26

8 months ago

1.2.29

7 months ago

1.2.30

7 months ago

1.2.31

7 months ago

1.2.34

7 months ago

1.2.35

7 months ago

1.2.32

7 months ago

1.2.33

7 months ago

1.2.38

6 months ago

1.2.39

6 months ago

1.2.36

7 months ago

1.2.37

6 months ago

1.2.0

9 months ago

1.2.8

9 months ago

1.2.7

9 months ago

1.2.6

9 months ago

1.2.5

9 months ago

1.2.4

9 months ago

1.2.3

9 months ago

1.2.2

9 months ago

1.2.1

9 months ago

1.2.12

9 months ago

1.2.13

9 months ago

1.2.10

9 months ago

1.2.11

9 months ago

1.2.16

8 months ago

1.2.17

8 months ago

1.2.15

8 months ago

1.2.9

9 months ago

1.1.133

10 months ago

1.1.132

10 months ago

1.1.131

10 months ago

1.1.100

12 months ago

1.1.30

1 year ago

1.1.108

12 months ago

1.1.34

1 year ago

1.1.107

12 months ago

1.1.33

1 year ago

1.1.106

12 months ago

1.1.32

1 year ago

1.1.105

12 months ago

1.1.31

1 year ago

1.1.104

12 months ago

1.1.38

1 year ago

1.1.103

12 months ago

1.1.37

1 year ago

1.1.102

12 months ago

1.1.36

1 year ago

1.1.101

12 months ago

1.1.35

1 year ago

1.1.39

1 year ago

1.1.41

1 year ago

1.1.40

1 year ago

1.1.45

1 year ago

1.1.44

1 year ago

1.1.43

1 year ago

1.1.42

1 year ago

1.1.49

1 year ago

1.1.48

1 year ago

1.1.47

1 year ago

1.1.46

1 year ago

1.1.122

11 months ago

1.1.92

12 months ago

1.1.121

11 months ago

1.1.91

12 months ago

1.1.120

11 months ago

1.1.90

12 months ago

1.1.96

12 months ago

1.1.94

12 months ago

1.1.93

12 months ago

1.1.129

11 months ago

1.1.99

12 months ago

1.1.128

11 months ago

1.1.98

12 months ago

1.1.127

11 months ago

1.1.97

12 months ago

1.1.126

11 months ago

1.1.125

11 months ago

1.1.124

11 months ago

1.1.123

11 months ago

1.1.109

12 months ago

1.1.111

12 months ago

1.1.110

12 months ago

1.1.119

11 months ago

1.1.118

11 months ago

1.1.117

11 months ago

1.1.116

11 months ago

1.1.115

11 months ago

1.1.113

12 months ago

1.1.112

12 months ago

1.1.70

12 months ago

1.1.74

12 months ago

1.1.73

12 months ago

1.1.72

12 months ago

1.1.71

12 months ago

1.1.78

12 months ago

1.1.77

12 months ago

1.1.76

12 months ago

1.1.75

12 months ago

1.1.79

12 months ago

1.1.81

12 months ago

1.1.130

11 months ago

1.1.85

12 months ago

1.1.83

12 months ago

1.1.82

12 months ago

1.1.89

12 months ago

1.1.88

12 months ago

1.1.87

12 months ago

1.1.86

12 months ago

1.1.52

1 year ago

1.1.51

1 year ago

1.1.50

1 year ago

1.1.56

1 year ago

1.1.55

1 year ago

1.1.53

1 year ago

1.1.57

12 months ago

1.1.63

12 months ago

1.1.62

12 months ago

1.1.61

12 months ago

1.1.60

12 months ago

1.1.67

12 months ago

1.1.66

12 months ago

1.1.65

12 months ago

1.1.64

12 months ago

1.1.69

12 months ago

1.1.68

12 months ago

1.1.29

1 year ago

1.1.28

1 year ago

1.1.27

1 year ago

1.1.26

1 year ago

1.1.25

1 year ago

1.1.24

1 year ago

1.1.23

1 year ago

1.1.22

1 year ago

1.1.21

1 year ago

1.1.20

1 year ago

1.1.19

1 year ago

1.1.18

1 year ago

1.1.17

1 year ago

1.1.16

1 year ago

1.1.14

1 year ago

1.1.13

1 year ago

1.1.10

1 year ago

1.1.9

1 year ago

1.1.8

1 year ago

1.1.6

1 year ago

1.1.5

1 year ago

1.1.4

1 year ago

1.1.3

1 year ago

1.1.2

1 year ago

1.1.1

1 year ago

1.1.0

1 year ago

1.0.34

1 year ago

1.0.33

1 year ago

1.0.32

1 year ago

1.0.31

1 year ago

1.0.30

1 year ago

1.0.29

1 year ago

1.0.26

1 year ago

1.0.25

1 year ago

1.0.24

1 year ago

1.0.23

1 year ago

1.0.22

1 year ago

1.0.21

1 year ago

1.0.20

1 year ago

1.0.19

1 year ago

1.0.18

1 year ago

1.0.17

1 year ago

1.0.16

1 year ago

1.0.15

1 year ago

1.0.14

1 year ago

1.0.13

1 year ago

1.0.12

1 year ago

1.0.11

1 year ago

1.0.10

1 year ago

1.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.4

1 year ago

1.0.3

1 year ago

1.0.2

1 year ago

1.0.1

1 year ago

1.0.0

1 year ago