Compare commits

...

17 commits
v2.1.0 ... main

Author SHA1 Message Date
6eee1b709e
Rename save function to patch to be less confusing (it doesn't actually save anything). 2024-10-05 17:36:03 +02:00
8f8dafed5b
Objects, arrays and models changes deep checks when checking if a model is dirty. 2024-10-05 16:55:09 +02:00
ff9cb91f73
Fix date property change detection. 2024-10-05 16:03:58 +02:00
e373efdd0a
Add a way to get the identifier name of a model. 2024-10-05 14:16:15 +02:00
4eb8b7d3bc
Add models extension system. 2024-10-04 21:24:11 +02:00
576338fa62
Improve returned model type for deserialize function. 2024-10-04 17:41:25 +02:00
62e62f962e
Add a new model class type. 2024-10-04 17:07:40 +02:00
22bc42acba
Change description in package.json. 2024-10-04 16:22:06 +02:00
6af0da6b55
More welcoming README and add logo. 2024-10-04 16:11:49 +02:00
6a14623355
Update repository and keywords. 2024-10-04 15:21:31 +02:00
3e291d6bd5
Change license info. 2024-10-04 15:00:29 +02:00
72df9f6453
Change README for 3.0.0. 2024-10-04 14:58:00 +02:00
e43e27e2e1
Models rewrite with new API for better typings and extensibility. 2024-10-03 23:33:00 +02:00
498d25a909
Fix undefined date serialization. 2024-09-30 22:58:17 +02:00
9cb2bf1e5c
Fix undefined decimal type serialization. 2024-09-30 22:53:42 +02:00
d96c39d079
Allow undefined values in simple objects. 2024-09-28 17:18:12 +02:00
b6411c9401
Add default public access as publish config. 2024-09-28 17:13:18 +02:00
21 changed files with 736 additions and 499 deletions

View file

@ -1,6 +1,6 @@
MIT License MIT License
Copyright (c) <year> <copyright holders> Copyright (c) 2024 Zeptotech
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

165
README.md
View file

@ -1,25 +1,40 @@
# Sharkitek Core <p align="center">
<a href="https://code.zeptotech.net/Sharkitek/Core">
<picture>
<img alt="Sharkitek logo" width="200" src="https://code.zeptotech.net/Sharkitek/Core/raw/branch/main/logo.svg" />
</picture>
</a>
</p>
<h1 align="center">
Sharkitek
</h1>
<h4 align="center">
<a href="https://code.zeptotech.net/Sharkitek/Core">Documentation</a> |
<a href="https://code.zeptotech.net/Sharkitek/Core">Website</a>
</h4>
<p align="center">
TypeScript library for well-designed model architectures
</p>
<p align="center">
<img alt="Version 3.3.0" src="https://img.shields.io/badge/version-3.3.0-blue" />
</p>
## Introduction ## Introduction
Sharkitek is a Javascript / TypeScript library designed to ease development of client-side models. Sharkitek is a Javascript / TypeScript library designed to ease development of client-side models.
With Sharkitek, you define the architecture of your models by specifying their properties and their types. With Sharkitek, you define the architecture of your models by specifying their properties and their types.
Then, you can use the defined methods like `serialize`, `deserialize` or `serializeDiff`. Then, you can use the defined methods like `serialize`, `deserialize`, `patch` or `serializeDiff`.
```typescript ```typescript
class Example extends Model<Example> class Example extends s.model({
id: s.property.numeric(),
name: s.property.string(),
})
{ {
id: number;
name: string;
protected SDefinition(): ModelDefinition<Example>
{
return {
id: SDefine(SNumeric),
name: SDefine(SString),
};
}
} }
``` ```
@ -31,30 +46,16 @@ class Example extends Model<Example>
/** /**
* A person. * A person.
*/ */
class Person extends Model<Person> class Person extends s.model({
id: s.property.numeric(),
name: s.property.string(),
firstName: s.property.string(),
email: s.property.string(),
createdAt: s.property.date(),
active: s.property.boolean(),
}, "id")
{ {
id: number;
name: string;
firstName: string;
email: string;
createdAt: Date;
active: boolean = true; active: boolean = true;
protected SIdentifier(): ModelIdentifier<Person>
{
return "id";
}
protected SDefinition(): ModelDefinition<Person>
{
return {
name: SDefine(SString),
firstName: SDefine(SString),
email: SDefine(SString),
createdAt: SDefine(SDate),
active: SDefine(SBool),
};
}
} }
``` ```
@ -62,29 +63,27 @@ class Person extends Model<Person>
/** /**
* An article. * An article.
*/ */
class Article extends Model<Article> class Article extends s.model({
id: s.property.numeric(),
title: s.property.string(),
authors: s.property.array(s.property.model(Author)),
text: s.property.string(),
evaluation: s.property.decimal(),
tags: s.property.array(
s.property.object({
name: s.property.string(),
})
),
}, "id")
{ {
id: number; id: number;
title: string; title: string;
authors: Author[] = []; authors: Author[] = [];
text: string; text: string;
evaluation: number; evaluation: number;
tags: {
protected SIdentifier(): ModelIdentifier<Article> name: string;
{ }[];
return "id";
}
protected SDefinition(): ModelDefinition<Article>
{
return {
id: SDefine(SNumeric),
title: SDefine(SString),
authors: SDefine(SArray(SModel(Author))),
text: SDefine(SString),
evaluation: SDefine(SDecimal),
};
}
} }
``` ```
@ -102,53 +101,42 @@ Sharkitek defines some basic types by default, in these classes:
- `DecimalType`: number in the model, formatted string in the serialized object. - `DecimalType`: number in the model, formatted string in the serialized object.
- `DateType`: date in the model, ISO formatted date in the serialized object. - `DateType`: date in the model, ISO formatted date in the serialized object.
- `ArrayType`: array in the model, array in the serialized object. - `ArrayType`: array in the model, array in the serialized object.
- `ObjectType`: object in the model, object in the serialized object.
- `ModelType`: instance of a specific class in the model, object in the serialized object. - `ModelType`: instance of a specific class in the model, object in the serialized object.
When you are defining a Sharkitek property, you must provide its type by instantiating one of these classes. When you are defining a property of a Sharkitek model, you must provide its type by instantiating one of these classes.
```typescript ```typescript
class Example extends Model<Example> class Example extends s.model({
foo: s.property.define(new StringType()),
})
{ {
foo: string; foo: string;
protected SDefinition(): ModelDefinition<Example>
{
return {
foo: new Definition(new StringType()),
};
}
} }
``` ```
To ease the use of these classes and reduce read complexity, some constant variables and functions are defined in the library, To ease the use of these classes and reduce read complexity,
following a certain naming convention: "S{type_name}". properties of each type are easily definable with a function for each type.
- `BoolType` => `SBool` - `BoolType` => `s.property.boolean`
- `StringType` => `SString` - `StringType` => `s.property.string`
- `NumericType` => `SNumeric` - `NumericType` => `s.property.numeric`
- `DecimalType` => `SDecimal` - `DecimalType` => `s.property.decimal`
- `DateType` => `SDate` - `DateType` => `s.property.date`
- `ArrayType` => `SArray` - `ArrayType` => `s.property.array`
- `ModelType` => `SModel` - `ObjectType` => `s.property.object`
- `ModelType` => `s.property.model`
When the types require parameters, the constant is defined as a function. If there is no parameter, then a simple Type implementers should provide a corresponding function for each defined type. They can even provide
variable is enough. multiple functions or constants with predefined parameters.
(For example, we could define `s.property.stringArray()` which would be similar to `s.property.array(s.property.string())`.)
Type implementers should provide a corresponding variable or function for each defined type. They can even provide
multiple functions or constants when predefined parameters. (For example, we could define `SStringArray` which would
be a variable similar to `SArray(SString)`.)
```typescript ```typescript
class Example extends Model<Example> class Example extends s.model({
foo: s.property.string(),
})
{ {
foo: string = undefined; foo: string;
protected SDefinition(): ModelDefinition<Example>
{
return {
foo: SDefine(SString),
};
}
} }
``` ```
@ -208,7 +196,6 @@ const result = model.serializeDiff();
// result = { id: 5, title: "A new title for a new world" } // result = { id: 5, title: "A new title for a new world" }
// if `id` is not defined as the model identifier: // if `id` is not defined as the model identifier:
// result = { title: "A new title for a new world" } // result = { title: "A new title for a new world" }
``` ```
#### `resetDiff()` #### `resetDiff()`
@ -238,10 +225,9 @@ const result = model.serializeDiff();
// result = { id: 5 } // result = { id: 5 }
// if `id` is not defined as the model identifier: // if `id` is not defined as the model identifier:
// result = {} // result = {}
``` ```
#### `save()` #### `patch()`
Get difference between original values and current ones, then reset it. Get difference between original values and current ones, then reset it.
Similar to call `serializeDiff()` then `resetDiff()`. Similar to call `serializeDiff()` then `resetDiff()`.
@ -260,10 +246,9 @@ const model = (new TestModel()).deserialize({
model.title = "A new title for a new world"; model.title = "A new title for a new world";
const result = model.save(); const result = model.patch();
// if `id` is defined as the model identifier: // if `id` is defined as the model identifier:
// result = { id: 5, title: "A new title for a new world" } // result = { id: 5, title: "A new title for a new world" }
// if `id` is not defined as the model identifier: // if `id` is not defined as the model identifier:
// result = { title: "A new title for a new world" } // result = { title: "A new title for a new world" }
``` ```

37
logo.svg Normal file
View file

@ -0,0 +1,37 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Uploaded to: SVG Repo, www.svgrepo.com, Generator: SVG Repo Mixer Tools -->
<svg
fill="#000000"
width="900"
height="900"
viewBox="0 0 36 36"
version="1.1"
id="svg1"
xmlns="http://www.w3.org/2000/svg"
xmlns:svg="http://www.w3.org/2000/svg"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:cc="http://creativecommons.org/ns#"
xmlns:dc="http://purl.org/dc/elements/1.1/">
<defs
id="defs1" />
<title
id="title1">shark</title>
<path
d="M 18.033615,1.4513338 C 10.403464,6.2983278 6.2910007,18.59117 6.2910007,34.205527 H 29.708999 c 0,-15.613237 -4.045235,-27.9071992 -11.675384,-32.7541932 z m -7.467688,15.9532972 1.284018,1.073376 -0.440332,-2.462712 c 0.5154,-0.767498 1.064412,-1.447601 1.641435,-2.029105 l 1.345642,1.913699 0.275626,-3.236931 c 0.657695,-0.416801 1.342279,-0.713715 2.045911,-0.877298 l 1.281776,2.534419 1.281775,-2.534419 c 0.69915,0.162462 1.378133,0.456016 2.032467,0.869455 l 0.28907,3.393792 1.406144,-2.001093 c 0.554614,0.568059 1.082339,1.226874 1.579811,1.96636 l -0.43921,2.462712 1.284016,-1.073375 c 1.706421,3.099118 2.943378,7.246962 3.466621,11.948299 -0.06683,3.889694 -21.7515603,2.320881 -21.8036319,-0.0011 0.5221219,-4.700217 1.7590797,-8.849181 3.4666199,-11.947179 z"
id="path2"
style="display:inline;fill:#1c4878;fill-opacity:1;stroke-width:1.12043" />
<path
d="M 18.030001,4.0195273 C 11.220001,8.3455277 6.2910007,20.269527 6.2910007,34.205527 H 29.708999 c 0,-13.935 -4.869,-25.8599993 -11.678998,-30.1859997 z m -6.664999,15.1909997 1.146,0.958 -0.393,-2.198 c 0.46,-0.685 0.949999,-1.292 1.465,-1.811 l 1.200997,1.708 0.246,-2.889 c 0.587,-0.372 1.198,-0.637 1.826,-0.783 l 1.144,2.262 1.144,-2.262 c 0.624,0.145 1.23,0.407 1.814,0.776 l 0.258,3.029 1.255,-1.786 c 0.495,0.507 0.966,1.095 1.41,1.755 l -0.392,2.198 1.146,-0.958 c 1.523,2.766 2.627,6.468 3.094,10.664 -0.626,-2.009 -1.659,-3.774 -2.975,-5.146 l 0.25,-2.235 -1.6,1.042 c -0.381,-0.283 -0.777,-0.537 -1.188,-0.759 l -0.208,-2.556 -1.641,1.801 c -0.456,-0.13 -0.924,-0.222 -1.401,-0.276 l -0.968,-2.074 -0.968,2.074 c -0.508,0.057 -1.006,0.159 -1.49,0.302 l -1.549999,-1.701 -0.197,2.425 c -0.415,0.224 -0.815,0.479 -1.199,0.765 l -1.6,-1.042 0.25,2.234 c -1.3159993,1.371 -2.3489993,3.136 -2.9749993,5.145 0.466,-4.195 1.57,-7.898 3.0939993,-10.663 z"
id="path1"
style="display:inline;fill:#3178c6;fill-opacity:1" />
<metadata
id="metadata1">
<rdf:RDF>
<cc:Work
rdf:about="">
<dc:title>shark</dc:title>
</cc:Work>
</rdf:RDF>
</metadata>
</svg>

After

Width:  |  Height:  |  Size: 2.6 KiB

View file

@ -1,19 +1,27 @@
{ {
"name": "@sharkitek/core", "name": "@sharkitek/core",
"version": "2.1.0", "version": "3.3.0",
"description": "Sharkitek core models library.", "description": "TypeScript library for well-designed model architectures.",
"keywords": [ "keywords": [
"sharkitek", "deserialization",
"model",
"serialization",
"diff", "diff",
"dirty", "dirty",
"deserialization", "model",
"property" "object",
"property",
"serialization",
"sharkitek",
"typescript"
], ],
"repository": "https://git.madeorsk.com/Sharkitek/core", "repository": "https://code.zeptotech.net/Sharkitek/Core",
"author": "Madeorsk <madeorsk@protonmail.com>", "author": {
"name": "Madeorsk",
"email": "madeorsk@protonmail.com"
},
"license": "MIT", "license": "MIT",
"publishConfig": {
"access": "public"
},
"scripts": { "scripts": {
"build": "tsc && vite build", "build": "tsc && vite build",
"test": "jest" "test": "jest"

View file

@ -1,34 +0,0 @@
import {Type} from "./Types/Type";
/**
* Options of a definition.
*/
export interface DefinitionOptions<SerializedType, SharkitekType>
{ //TODO implement some options, like `mandatory`.
}
/**
* A Sharkitek model property definition.
*/
export class Definition<SerializedType, SharkitekType>
{
/**
* Initialize a property definition with the given type and options.
* @param type - The model property type.
* @param options - Property definition options.
*/
constructor(
public type: Type<SerializedType, SharkitekType>,
public options: DefinitionOptions<SerializedType, SharkitekType> = {},
) {}
}
/**
* Initialize a property definition with the given type and options.
* @param type - The model property type.
* @param options - Property definition options.
*/
export function SDefine<SerializedType, SharkitekType>(type: Type<SerializedType, SharkitekType>, options: DefinitionOptions<SerializedType, SharkitekType> = {}): Definition<SerializedType, SharkitekType>
{
return new Definition<SerializedType, SharkitekType>(type, options);
}

View file

@ -1,85 +1,150 @@
import {Definition} from "./Definition"; import {Definition} from "./PropertyDefinition";
/** /**
* Model properties definition type. * Type definition of a model constructor.
*/ */
export type ModelDefinition<T> = Partial<Record<keyof T, Definition<unknown, unknown>>>; export type ConstructorOf<T extends object> = { new(): T; };
/**
* Model identifier type.
*/
export type ModelIdentifier<T> = keyof T;
/** /**
* A Sharkitek model. * Unknown property definition.
*/ */
export abstract class Model<THIS> export type UnknownDefinition = Definition<unknown, unknown>;
/**
* A model shape.
*/
export type ModelShape = Record<string, UnknownDefinition>;
/**
* Properties of a model based on its shape.
*/
export type PropertiesModel<Shape extends ModelShape> = {
[k in keyof Shape]: Shape[k]["_sharkitek"];
};
/**
* Serialized object type based on model shape.
*/
export type SerializedModel<Shape extends ModelShape> = {
[k in keyof Shape]: Shape[k]["_serialized"];
};
/**
* Type of a model object.
*/
export type Model<Shape extends ModelShape, IdentifierType = unknown> = ModelDefinition<Shape, IdentifierType> & PropertiesModel<Shape>;
/**
* Type of the extends function of model classes.
*/
export type ExtendsFunctionType<ModelType extends Model<Shape, IdentifierType<Shape, Identifier>>, Shape extends ModelShape, Identifier extends keyof Shape = any> =
<Extension extends object>(extension: ThisType<ModelType> & Extension) => ModelClass<ModelType & Extension, Shape, Identifier>;
/**
* Type of a model class.
*/
export type ModelClass<ModelType extends Model<Shape, IdentifierType<Shape, Identifier>>, Shape extends ModelShape, Identifier extends keyof Shape = any> = (
ConstructorOf<ModelType> & {
extends: ExtendsFunctionType<ModelType, Shape, Identifier>;
}
);
/**
* Identifier type.
*/
export type IdentifierType<Shape extends ModelShape, K extends keyof Shape> = Shape[K]["_sharkitek"];
/**
* Identifier name type.
*/
export type IdentifierNameType<Shape> = Shape extends ModelShape ? keyof Shape : unknown;
/**
* Interface of a Sharkitek model definition.
*/
export interface ModelDefinition<Shape extends ModelShape, IdentifierType, ModelType extends Model<Shape, IdentifierType> = Model<Shape, IdentifierType>>
{ {
/** /**
* Model properties definition function. * Get model identifier.
*/ */
protected abstract SDefinition(): ModelDefinition<THIS>; getIdentifier(): IdentifierType;
/** /**
* Return the name of the model identifier property. * Get model identifier name.
*/ */
protected SIdentifier(): ModelIdentifier<THIS> getIdentifierName(): IdentifierNameType<Shape>;
{
return undefined;
}
/** /**
* Get given property definition. * Serialize the model.
* @protected
*/ */
protected getPropertyDefinition(propertyName: string): Definition<unknown, unknown> serialize(): SerializedModel<Shape>;
{ /**
return (this.SDefinition() as any)?.[propertyName]; * Deserialize the model.
} * @param obj Serialized object.
*/
deserialize(obj: SerializedModel<Shape>): ModelType;
/** /**
* Get the list of the model properties. * Find out if the model is new (never deserialized) or not.
* @protected
*/ */
protected getProperties(): string[] isNew(): boolean;
{ /**
return Object.keys(this.SDefinition()); * Find out if the model is dirty or not.
} */
isDirty(): boolean;
/** /**
* Calling a function for a defined property. * Serialize the difference between current model state and the original one.
* @param propertyName - The property for which to check definition.
* @param callback - The function called when the property is defined.
* @param notProperty - The function called when the property is not defined.
* @protected
*/ */
protected propertyWithDefinition(propertyName: string, callback: (propertyDefinition: Definition<unknown, unknown>) => void, notProperty: () => void = () => {}): unknown serializeDiff(): Partial<SerializedModel<Shape>>;
/**
* Set current properties values as original values.
*/
resetDiff(): void;
/**
* Get difference between original values and current ones, then reset it.
* Similar to call `serializeDiff()` then `resetDiff()`.
*/
patch(): Partial<SerializedModel<Shape>>;
}
/**
* Define a Sharkitek model.
* @param shape Model shape definition.
* @param identifier Identifier property name.
*/
export function model<ModelType extends Model<Shape, IdentifierType<Shape, Identifier>>, Shape extends ModelShape, Identifier extends IdentifierNameType<Shape> = any>(
shape: Shape,
identifier?: Identifier,
): ModelClass<ModelType, Shape, Identifier>
{
// Get shape entries.
const shapeEntries = Object.entries(shape) as [keyof Shape, UnknownDefinition][];
return withExtends(
// Initialize generic model class.
class GenericModel implements ModelDefinition<Shape, IdentifierType<Shape, Identifier>, ModelType>
{ {
// Getting the current property definition. constructor()
const propertyDefinition = this.getPropertyDefinition(propertyName); {
if (propertyDefinition) // Initialize properties to undefined.
// There is a definition for the current property, calling the right callback. Object.assign(this,
return callback(propertyDefinition); // Build empty properties model from shape entries.
else Object.fromEntries(shapeEntries.map(([key]) => [key, undefined])) as PropertiesModel<Shape>
// No definition for the given property, calling the right callback. );
return notProperty();
} }
/** /**
* Calling a function for each defined property. * Calling a function for each defined property.
* @param callback - The function to call. * @param callback - The function to call.
* @protected * @protected
*/ */
protected forEachModelProperty(callback: (propertyName: string, propertyDefinition: Definition<unknown, unknown>) => unknown): any|void protected forEachModelProperty<ReturnType>(callback: (propertyName: keyof Shape, propertyDefinition: UnknownDefinition) => ReturnType): ReturnType
{ {
for (const propertyName of this.getProperties()) for (const [propertyName, propertyDefinition] of shapeEntries)
{ // For each property, checking that its type is defined and calling the callback with its type. { // For each property, checking that its type is defined and calling the callback with its type.
const result = this.propertyWithDefinition(propertyName, (propertyDefinition) => {
// If the property is defined, calling the function with the property name and definition. // If the property is defined, calling the function with the property name and definition.
const result = callback(propertyName, propertyDefinition); const result = callback(propertyName, propertyDefinition);
// If there is a return value, returning it directly (loop is broken).
if (typeof result !== "undefined") return result;
});
// If there is a return value, returning it directly (loop is broken). // If there is a return value, returning it directly (loop is broken).
if (typeof result !== "undefined") return result; if (typeof result !== "undefined") return result;
} }
@ -90,30 +155,65 @@ export abstract class Model<THIS>
* The original properties values. * The original properties values.
* @protected * @protected
*/ */
protected _originalProperties: Record<string, any> = {}; protected _originalProperties: Partial<PropertiesModel<Shape>> = {};
/** /**
* The original (serialized) object. * The original (serialized) object.
* @protected * @protected
*/ */
protected _originalObject: any = null; protected _originalObject: SerializedModel<Shape>|null = null;
getIdentifier(): IdentifierType<Shape, Identifier>
{
return (this as PropertiesModel<Shape>)?.[identifier];
}
getIdentifierName(): IdentifierNameType<Shape>
{
return identifier;
}
serialize(): SerializedModel<Shape>
{
// Creating an empty (=> partial) serialized object.
const serializedObject: Partial<SerializedModel<Shape>> = {};
this.forEachModelProperty((propertyName, propertyDefinition) => {
// For each defined model property, adding it to the serialized object.
serializedObject[propertyName] = propertyDefinition.type.serialize((this as PropertiesModel<Shape>)?.[propertyName]);
});
return serializedObject as SerializedModel<Shape>; // Returning the serialized object.
}
deserialize(obj: SerializedModel<Shape>): ModelType
{
this.forEachModelProperty((propertyName, propertyDefinition) => {
// For each defined model property, assigning its deserialized value.
(this as PropertiesModel<Shape>)[propertyName] = propertyDefinition.type.deserialize(obj[propertyName]);
});
// Reset original property values.
this.resetDiff();
this._originalObject = obj; // The model is not a new one, but loaded from a deserialized one. Storing it.
return this as unknown as ModelType;
}
/**
* Determine if the model is new or not.
*/
isNew(): boolean isNew(): boolean
{ {
return !this._originalObject; return !this._originalObject;
} }
/**
* Determine if the model is dirty or not.
*/
isDirty(): boolean isDirty(): boolean
{ {
return this.forEachModelProperty((propertyName, propertyDefinition) => ( return this.forEachModelProperty((propertyName, propertyDefinition) => (
// For each property, checking if it is different. // For each property, checking if it is different.
propertyDefinition.type.propertyHasChanged(this._originalProperties[propertyName], (this as any)[propertyName]) propertyDefinition.type.propertyHasChanged(this._originalProperties[propertyName], (this as PropertiesModel<Shape>)[propertyName])
// There is a difference, we should return false. // There is a difference, we should return false.
? true ? true
// There is no difference, returning nothing. // There is no difference, returning nothing.
@ -121,97 +221,76 @@ export abstract class Model<THIS>
)) === true; )) === true;
} }
/**
* Get model identifier.
*/
getIdentifier(): unknown
{
return (this as any)[this.SIdentifier()];
}
/** serializeDiff(): Partial<SerializedModel<Shape>>
* Set current properties values as original values.
*/
resetDiff()
{ {
this.forEachModelProperty((propertyName, propertyDefinition) => { // Creating an empty (=> partial) serialized object.
// For each property, set its original value to its current property value. const serializedObject: Partial<SerializedModel<Shape>> = {};
this._originalProperties[propertyName] = (this as any)[propertyName];
propertyDefinition.type.resetDiff((this as any)[propertyName]);
});
}
/**
* Serialize the difference between current model state and original one.
*/
serializeDiff(): any
{
// Creating a serialized object.
const serializedDiff: any = {};
this.forEachModelProperty((propertyName, propertyDefinition) => { this.forEachModelProperty((propertyName, propertyDefinition) => {
// For each defined model property, adding it to the serialized object if it has changed. // For each defined model property, adding it to the serialized object if it has changed or if it is the identifier.
if (this.SIdentifier() == propertyName if (
|| propertyDefinition.type.propertyHasChanged(this._originalProperties[propertyName], (this as any)[propertyName])) identifier == propertyName ||
// Adding the current property to the serialized object if it is the identifier or its value has changed. propertyDefinition.type.propertyHasChanged(this._originalProperties[propertyName], (this as PropertiesModel<Shape>)[propertyName])
serializedDiff[propertyName] = propertyDefinition.type.serializeDiff((this as any)[propertyName]); ) // Adding the current property to the serialized object if it is the identifier or its value has changed.
}) serializedObject[propertyName] = propertyDefinition.type.serializeDiff((this as PropertiesModel<Shape>)?.[propertyName]);
return serializedDiff; // Returning the serialized object.
}
/**
* Get difference between original values and current ones, then reset it.
* Similar to call `serializeDiff()` then `resetDiff()`.
*/
save(): any
{
// Get the difference.
const diff = this.serializeDiff();
// Once the difference has been gotten, reset it.
this.resetDiff();
return diff; // Return the difference.
}
/**
* Serialize the model.
*/
serialize(): any
{
// Creating a serialized object.
const serializedObject: any = {};
this.forEachModelProperty((propertyName, propertyDefinition) => {
// For each defined model property, adding it to the serialized object.
serializedObject[propertyName] = propertyDefinition.type.serialize((this as any)[propertyName]);
}); });
return serializedObject; // Returning the serialized object. return serializedObject; // Returning the serialized object.
} }
/** resetDiff(): void
* Special operations on parse.
* @protected
*/
protected parse(): void
{} // Nothing by default. TODO: create an event system to create functions like "beforeDeserialization" or "afterDeserialization".
/**
* Deserialize the model.
*/
deserialize(serializedObject: any): THIS
{ {
this.forEachModelProperty((propertyName, propertyDefinition) => { this.forEachModelProperty((propertyName, propertyDefinition) => {
// For each defined model property, assigning its deserialized value to the model. // For each property, set its original value to its current property value.
(this as any)[propertyName] = propertyDefinition.type.deserialize(serializedObject[propertyName]); this._originalProperties[propertyName] = structuredClone(this as PropertiesModel<Shape>)[propertyName];
propertyDefinition.type.resetDiff((this as PropertiesModel<Shape>)[propertyName]);
}); });
}
// Reset original property values. patch(): Partial<SerializedModel<Shape>>
{
// Get the difference.
const diff = this.serializeDiff();
// Once the difference has been obtained, reset it.
this.resetDiff(); this.resetDiff();
this._originalObject = serializedObject; // The model is not a new one, but loaded from a deserialized one. return diff; // Return the difference.
return this as unknown as THIS; // Returning this, after deserialization.
} }
} as unknown as ConstructorOf<ModelType>
);
}
/**
* Any Sharkitek model.
*/
export type AnyModel = Model<any, any>;
/**
* Any Sharkitek model class.
*/
export type AnyModelClass = ModelClass<AnyModel, any>;
/**
* Add extends function to a model class.
* @param genericModel The model class on which to add the extends function.
*/
function withExtends<ModelType extends Model<Shape, IdentifierType<Shape, Identifier>>, Shape extends ModelShape, Identifier extends keyof Shape = any>(
genericModel: ConstructorOf<ModelType>
): ModelClass<ModelType, Shape, Identifier>
{
return Object.assign(
genericModel,
{ // Extends function definition.
extends<Extension extends object>(extension: Extension): ModelClass<ModelType & Extension, Shape, Identifier>
{
// Clone the model class and add extends function.
const classClone = withExtends(class extends (genericModel as AnyModelClass) {} as AnyModelClass as ConstructorOf<ModelType & Extension>);
// Add extension to the model class prototype.
Object.assign(classClone.prototype, extension);
return classClone;
}
}
) as AnyModelClass as ModelClass<ModelType, Shape, Identifier>;
} }

10
src/Model/Properties.ts Normal file
View file

@ -0,0 +1,10 @@
export {define} from "./PropertyDefinition";
export {array} from "./Types/ArrayType";
export {bool, boolean} from "./Types/BoolType";
export {date} from "./Types/DateType";
export {decimal} from "./Types/DecimalType";
export {model} from "./Types/ModelType";
export {numeric} from "./Types/NumericType";
export {object} from "./Types/ObjectType";
export {string} from "./Types/StringType";

View file

@ -0,0 +1,26 @@
import {Type} from "./Types/Type";
/**
* Property definition class.
*/
export class Definition<SerializedType, ModelType>
{
readonly _sharkitek: ModelType;
readonly _serialized: SerializedType;
/**
* Create a property definer instance.
* @param type Property type.
*/
constructor(public readonly type: Type<SerializedType, ModelType>)
{}
}
/**
* New definition of a property of the given type.
* @param type Type of the property to define.
*/
export function define<SerializedType, ModelType>(type: Type<SerializedType, ModelType>): Definition<SerializedType, ModelType>
{
return new Definition(type);
}

View file

@ -1,4 +1,5 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {define, Definition} from "../PropertyDefinition";
/** /**
* Type of an array of values. * Type of an array of values.
@ -6,60 +7,94 @@ import {Type} from "./Type";
export class ArrayType<SerializedValueType, SharkitekValueType> extends Type<SerializedValueType[], SharkitekValueType[]> export class ArrayType<SerializedValueType, SharkitekValueType> extends Type<SerializedValueType[], SharkitekValueType[]>
{ {
/** /**
* Constructs a new array type of a Sharkitek model property. * Initialize a new array type of a Sharkitek model property.
* @param valueType - Type of the array values. * @param valueDefinition Definition the array values.
*/ */
constructor(protected valueType: Type<SerializedValueType, SharkitekValueType>) constructor(protected valueDefinition: Definition<SerializedValueType, SharkitekValueType>)
{ {
super(); super();
} }
serialize(value: SharkitekValueType[]): SerializedValueType[] serialize(value: SharkitekValueType[]|null|undefined): SerializedValueType[]|null|undefined
{ {
if (value === undefined) return undefined; if (value === undefined) return undefined;
if (value === null) return null; if (value === null) return null;
return value.map((value) => ( return value.map((value) => (
// Serializing each value of the array. // Serializing each value of the array.
this.valueType.serialize(value) this.valueDefinition.type.serialize(value)
)); ));
} }
deserialize(value: SerializedValueType[]): SharkitekValueType[] deserialize(value: SerializedValueType[]|null|undefined): SharkitekValueType[]|null|undefined
{ {
if (value === undefined) return undefined; if (value === undefined) return undefined;
if (value === null) return null; if (value === null) return null;
return value.map((serializedValue) => ( return value.map((serializedValue) => (
// Deserializing each value of the array. // Deserializing each value of the array.
this.valueType.deserialize(serializedValue) this.valueDefinition.type.deserialize(serializedValue)
)); ));
} }
serializeDiff(value: SharkitekValueType[]): any serializeDiff(value: SharkitekValueType[]|null|undefined): SerializedValueType[]|null|undefined
{ {
if (value === undefined) return undefined; if (value === undefined) return undefined;
if (value === null) return null; if (value === null) return null;
// Serializing diff of all elements. // Serializing diff of all elements.
return value.map((value) => this.valueType.serializeDiff(value)); return value.map((value) => this.valueDefinition.type.serializeDiff(value) as SerializedValueType);
} }
resetDiff(value: SharkitekValueType[]): void resetDiff(value: SharkitekValueType[]|null|undefined): void
{ {
// Do nothing if it is not an array. // Do nothing if it is not an array.
if (!Array.isArray(value)) return; if (!Array.isArray(value)) return;
// Reset diff of all elements. // Reset diff of all elements.
value.forEach((value) => this.valueType.resetDiff(value)); value.forEach((value) => this.valueDefinition.type.resetDiff(value));
}
propertyHasChanged(originalValue: SharkitekValueType[]|null|undefined, currentValue: SharkitekValueType[]|null|undefined): boolean
{
// If any array length is different, arrays are different.
if (originalValue?.length != currentValue?.length) return true;
// If length is undefined, values are probably not arrays.
if (originalValue?.length == undefined) return false;
for (const key of originalValue.keys())
{ // Check for any change for each value in the array.
if (this.valueDefinition.type.propertyHasChanged(originalValue[key], currentValue[key]))
// The value has changed, the array is different.
return true;
}
return false; // No change detected.
}
serializedPropertyHasChanged(originalValue: SerializedValueType[] | null | undefined, currentValue: SerializedValueType[] | null | undefined): boolean
{
// If any array length is different, arrays are different.
if (originalValue?.length != currentValue?.length) return true;
// If length is undefined, values are probably not arrays.
if (originalValue?.length == undefined) return false;
for (const key of originalValue.keys())
{ // Check for any change for each value in the array.
if (this.valueDefinition.type.serializedPropertyHasChanged(originalValue[key], currentValue[key]))
// The value has changed, the array is different.
return true;
}
return false; // No change detected.
} }
} }
/** /**
* Type of an array of values. * New array property definition.
* @param valueType - Type of the array values. * @param valueDefinition Array values type definition.
*/ */
export function SArray<SerializedValueType, SharkitekValueType>(valueType: Type<SerializedValueType, SharkitekValueType>) export function array<SerializedValueType, SharkitekValueType>(valueDefinition: Definition<SerializedValueType, SharkitekValueType>): Definition<SerializedValueType[], SharkitekValueType[]>
{ {
return new ArrayType<SerializedValueType, SharkitekValueType>(valueType); return define(new ArrayType(valueDefinition));
} }

View file

@ -1,22 +1,42 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {define, Definition} from "../PropertyDefinition";
/** /**
* Type of any boolean value. * Type of any boolean value.
*/ */
export class BoolType extends Type<boolean, boolean> export class BoolType extends Type<boolean, boolean>
{ {
deserialize(value: boolean): boolean deserialize(value: boolean|null|undefined): boolean|null|undefined
{ {
// Keep NULL and undefined values.
if (value === undefined) return undefined;
if (value === null) return null;
return !!value; // ensure bool type. return !!value; // ensure bool type.
} }
serialize(value: boolean): boolean serialize(value: boolean|null|undefined): boolean|null|undefined
{ {
// Keep NULL and undefined values.
if (value === undefined) return undefined;
if (value === null) return null;
return !!value; // ensure bool type. return !!value; // ensure bool type.
} }
} }
/** /**
* Type of any boolean value. * New boolean property definition.
*/ */
export const SBool = new BoolType(); export function bool(): Definition<boolean, boolean>
{
return define(new BoolType());
}
/**
* New boolean property definition.
* Alias of bool.
*/
export function boolean(): ReturnType<typeof bool>
{
return bool();
}

View file

@ -1,22 +1,37 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {define, Definition} from "../PropertyDefinition";
/** /**
* Type of dates. * Type of dates.
*/ */
export class DateType extends Type<string, Date> export class DateType extends Type<string, Date>
{ {
deserialize(value: string): Date deserialize(value: string|null|undefined): Date|null|undefined
{ {
if (value === undefined) return undefined;
if (value === null) return null;
return new Date(value); return new Date(value);
} }
serialize(value: Date): string serialize(value: Date|null|undefined): string|null|undefined
{ {
return value.toISOString(); if (value === undefined) return undefined;
if (value === null) return null;
return value?.toISOString();
}
propertyHasChanged(originalValue: Date|null|undefined, currentValue: Date|null|undefined): boolean
{
return originalValue?.toISOString() != currentValue?.toISOString();
} }
} }
/** /**
* Type of dates. * New date property definition.
*/ */
export const SDate = new DateType(); export function date(): Definition<string, Date>
{
return define(new DateType());
}

View file

@ -1,22 +1,32 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {define, Definition} from "../PropertyDefinition";
/** /**
* Type of decimal numbers. * Type of decimal numbers.
*/ */
export class DecimalType extends Type<string, number> export class DecimalType extends Type<string, number>
{ {
deserialize(value: string): number deserialize(value: string|null|undefined): number|null|undefined
{ {
if (value === undefined) return undefined;
if (value === null) return null;
return parseFloat(value); return parseFloat(value);
} }
serialize(value: number): string serialize(value: number|null|undefined): string|null|undefined
{ {
return value.toString(); if (value === undefined) return undefined;
if (value === null) return null;
return value?.toString();
} }
} }
/** /**
* Type of decimal numbers. * New decimal property definition.
*/ */
export const SDecimal = new DecimalType(); export function decimal(): Definition<string, number>
{
return define(new DecimalType());
}

View file

@ -1,55 +1,69 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {Model} from "../Model"; import {define, Definition} from "../PropertyDefinition";
import {ConstructorOf, Model, ModelShape, SerializedModel} from "../Model";
/**
* Type definition of the constructor of a specific type.
*/
export type ConstructorOf<T> = { new(): T; }
/** /**
* Type of a Sharkitek model value. * Type of a Sharkitek model value.
*/ */
export class ModelType<M extends Model<M>> extends Type<any, M> export class ModelType<Shape extends ModelShape> extends Type<SerializedModel<Shape>, Model<Shape>>
{ {
/** /**
* Constructs a new model type of a Sharkitek model property. * Initialize a new model type of a Sharkitek model property.
* @param modelConstructor - Constructor of the model. * @param modelConstructor Model constructor.
*/ */
constructor(protected modelConstructor: ConstructorOf<M>) constructor(protected modelConstructor: ConstructorOf<Model<Shape>>)
{ {
super(); super();
} }
serialize(value: M|null): any serialize(value: Model<Shape>|null|undefined): SerializedModel<Shape>|null|undefined
{ {
if (value === undefined) return undefined;
if (value === null) return null;
// Serializing the given model. // Serializing the given model.
return value ? value.serialize() : null; return value?.serialize();
} }
deserialize(value: any): M|null deserialize(value: SerializedModel<Shape>|null|undefined): Model<Shape>|null|undefined
{ {
if (value === undefined) return undefined;
if (value === null) return null;
// Deserializing the given object in the new model. // Deserializing the given object in the new model.
return value ? (new this.modelConstructor()).deserialize(value) : null; return (new this.modelConstructor()).deserialize(value) as Model<Shape>;
} }
serializeDiff(value: M): any serializeDiff(value: Model<Shape>|null|undefined): Partial<SerializedModel<Shape>>|null|undefined
{ {
if (value === undefined) return undefined;
if (value === null) return null;
// Serializing the given model. // Serializing the given model.
return value ? value.serializeDiff() : null; return value?.serializeDiff();
} }
resetDiff(value: M): void resetDiff(value: Model<Shape>|null|undefined): void
{ {
// Reset diff of the given model. // Reset diff of the given model.
value?.resetDiff(); value?.resetDiff();
} }
propertyHasChanged(originalValue: Model<Shape>|null|undefined, currentValue: Model<Shape>|null|undefined): boolean
{
if (originalValue === undefined) return currentValue !== undefined;
if (originalValue === null) return currentValue !== null;
// If the current value is dirty, property has changed.
return currentValue.isDirty();
}
} }
/** /**
* Type of a Sharkitek model value. * New model property definition.
* @param modelConstructor - Constructor of the model. * @param modelConstructor Model constructor.
*/ */
export function SModel<M extends Model<M>>(modelConstructor: ConstructorOf<M>) export function model<Shape extends ModelShape>(modelConstructor: ConstructorOf<Model<Shape>>): Definition<SerializedModel<Shape>, Model<Shape>>
{ {
return new ModelType(modelConstructor); return define(new ModelType(modelConstructor));
} }

View file

@ -1,22 +1,26 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {define, Definition} from "../PropertyDefinition";
/** /**
* Type of any numeric value. * Type of any numeric value.
*/ */
export class NumericType extends Type<number, number> export class NumericType extends Type<number, number>
{ {
deserialize(value: number): number deserialize(value: number|null|undefined): number|null|undefined
{ {
return value; return value;
} }
serialize(value: number): number serialize(value: number|null|undefined): number|null|undefined
{ {
return value; return value;
} }
} }
/** /**
* Type of any numeric value. * New numeric property definition.
*/ */
export const SNumeric = new NumericType(); export function numeric(): Definition<number, number>
{
return define(new NumericType());
}

View file

@ -1,77 +1,118 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {Definition} from "../Definition"; import {define, Definition} from "../PropertyDefinition";
import {ModelShape, PropertiesModel, SerializedModel, UnknownDefinition} from "../Model";
/** /**
* Type of a simple object. * Type of a custom object.
*/ */
export class ObjectType<Keys extends symbol|string> extends Type<Record<Keys, any>, Record<Keys, any>> export class ObjectType<Shape extends ModelShape> extends Type<SerializedModel<Shape>, PropertiesModel<Shape>>
{ {
/** /**
* Constructs a new object type of a Sharkitek model property. * Initialize a new object type of a Sharkitek model property.
* @param fieldsTypes Object fields types. * @param shape
*/ */
constructor(protected fieldsTypes: Record<Keys, Definition<unknown, unknown>>) constructor(protected readonly shape: Shape)
{ {
super(); super();
} }
deserialize(value: Record<Keys, any>): Record<Keys, any> deserialize(value: SerializedModel<Shape>|null|undefined): PropertiesModel<Shape>|null|undefined
{ {
if (value === undefined) return undefined; if (value === undefined) return undefined;
if (value === null) return null; if (value === null) return null;
return Object.fromEntries( return Object.fromEntries(
// For each defined field, deserialize its value according to its type. // For each defined field, deserialize its value according to its type.
(Object.entries(this.fieldsTypes) as [Keys, Definition<any, any>][]).map(([fieldName, fieldDefinition]) => ( (Object.entries(this.shape) as [keyof Shape, UnknownDefinition][]).map(([fieldName, fieldDefinition]) => (
// Return an entry with the current field name and the deserialized value. // Return an entry with the current field name and the deserialized value.
[fieldName, fieldDefinition.type.deserialize(value[fieldName])] [fieldName, fieldDefinition.type.deserialize(value?.[fieldName])]
)) ))
) as Record<Keys, any>; ) as PropertiesModel<Shape>;
} }
serialize(value: Record<Keys, any>): Record<Keys, any> serialize(value: PropertiesModel<Shape>|null|undefined): SerializedModel<Shape>|null|undefined
{ {
if (value === undefined) return undefined; if (value === undefined) return undefined;
if (value === null) return null; if (value === null) return null;
return Object.fromEntries( return Object.fromEntries(
// For each defined field, serialize its value according to its type. // For each defined field, serialize its value according to its type.
(Object.entries(this.fieldsTypes) as [Keys, Definition<any, any>][]).map(([fieldName, fieldDefinition]) => ( (Object.entries(this.shape) as [keyof Shape, UnknownDefinition][]).map(([fieldName, fieldDefinition]) => (
// Return an entry with the current field name and the serialized value. // Return an entry with the current field name and the serialized value.
[fieldName, fieldDefinition.type.serialize(value[fieldName])] [fieldName, fieldDefinition.type.serialize(value?.[fieldName])]
)) ))
) as Record<Keys, any>; ) as PropertiesModel<Shape>;
} }
serializeDiff(value: Record<Keys, any>): Record<Keys, any> serializeDiff(value: PropertiesModel<Shape>|null|undefined): Partial<SerializedModel<Shape>>|null|undefined
{ {
if (value === undefined) return undefined; if (value === undefined) return undefined;
if (value === null) return null; if (value === null) return null;
return Object.fromEntries( return Object.fromEntries(
// For each defined field, serialize its diff value according to its type. // For each defined field, serialize its diff value according to its type.
(Object.entries(this.fieldsTypes) as [Keys, Definition<any, any>][]).map(([fieldName, fieldDefinition]) => ( (Object.entries(this.shape) as [keyof Shape, UnknownDefinition][]).map(([fieldName, fieldDefinition]) => (
// Return an entry with the current field name and the serialized diff value. // Return an entry with the current field name and the serialized diff value.
[fieldName, fieldDefinition.type.serializeDiff(value[fieldName])] [fieldName, fieldDefinition.type.serializeDiff(value?.[fieldName])]
)) ))
) as Record<Keys, any>; ) as PropertiesModel<Shape>;
} }
resetDiff(value: Record<Keys, any>): void resetDiff(value: PropertiesModel<Shape>|null|undefined)
{ {
// For each field, reset its diff. // For each field, reset its diff.
(Object.entries(this.fieldsTypes) as [Keys, Definition<any, any>][]).forEach(([fieldName, fieldDefinition]) => { (Object.entries(this.shape) as [keyof Shape, UnknownDefinition][]).forEach(([fieldName, fieldDefinition]) => {
// Reset diff of the current field. // Reset diff of the current field.
fieldDefinition.type.resetDiff(value[fieldName]); fieldDefinition.type.resetDiff(value?.[fieldName]);
}); });
} }
propertyHasChanged(originalValue: PropertiesModel<Shape>|null|undefined, currentValue: PropertiesModel<Shape>|null|undefined): boolean
{
// Get keys arrays.
const originalKeys = Object.keys(originalValue) as (keyof Shape)[];
const currentKeys = Object.keys(currentValue) as (keyof Shape)[];
if (originalKeys.join(",") != currentKeys.join(","))
// Keys have changed, objects are different.
return true;
for (const key of originalKeys)
{ // Check for any change for each value in the object.
if (this.shape[key].type.propertyHasChanged(originalValue[key], currentValue[key]))
// The value has changed, the object is different.
return true;
}
return false; // No change detected.
}
serializedPropertyHasChanged(originalValue: SerializedModel<Shape>|null|undefined, currentValue: SerializedModel<Shape>|null|undefined): boolean
{
// Get keys arrays.
const originalKeys = Object.keys(originalValue) as (keyof Shape)[];
const currentKeys = Object.keys(currentValue) as (keyof Shape)[];
if (originalKeys.join(",") != currentKeys.join(","))
// Keys have changed, objects are different.
return true;
for (const key of originalKeys)
{ // Check for any change for each value in the object.
if (this.shape[key].type.serializedPropertyHasChanged(originalValue[key], currentValue[key]))
// The value has changed, the object is different.
return true;
}
return false; // No change detected.
}
} }
/** /**
* Type of a simple object. * New object property definition.
* @param fieldsTypes Object fields types. * @param shape Shape of the object.
*/ */
export function SObject<Keys extends symbol|string>(fieldsTypes: Record<Keys, Definition<unknown, unknown>>): ObjectType<Keys> export function object<Shape extends ModelShape>(shape: Shape): Definition<SerializedModel<Shape>, PropertiesModel<Shape>>
{ {
return new ObjectType<Keys>(fieldsTypes); return define(new ObjectType(shape));
} }

View file

@ -1,22 +1,26 @@
import {Type} from "./Type"; import {Type} from "./Type";
import {define, Definition} from "../PropertyDefinition";
/** /**
* Type of any string value. * Type of any string value.
*/ */
export class StringType extends Type<string, string> export class StringType extends Type<string, string>
{ {
deserialize(value: string): string deserialize(value: string|null|undefined): string|null|undefined
{ {
return value; return value;
} }
serialize(value: string): string serialize(value: string|null|undefined): string|null|undefined
{ {
return value; return value;
} }
} }
/** /**
* Type of any string value. * New string property definition.
*/ */
export const SString = new StringType(); export function string(): Definition<string, string>
{
return define(new StringType());
}

View file

@ -1,25 +1,25 @@
/** /**
* Abstract class of a Sharkitek model property type. * Abstract class of a Sharkitek model property type.
*/ */
export abstract class Type<SerializedType, SharkitekType> export abstract class Type<SerializedType, ModelType>
{ {
/** /**
* Serialize the given value of a Sharkitek model property. * Serialize the given value of a Sharkitek model property.
* @param value - Value to serialize. * @param value Value to serialize.
*/ */
abstract serialize(value: SharkitekType): SerializedType; abstract serialize(value: ModelType|null|undefined): SerializedType|null|undefined;
/** /**
* Deserialize the given value of a serialized Sharkitek model. * Deserialize the given value of a serialized Sharkitek model.
* @param value - Value to deserialize. * @param value - Value to deserialize.
*/ */
abstract deserialize(value: SerializedType): SharkitekType; abstract deserialize(value: SerializedType|null|undefined): ModelType|null|undefined;
/** /**
* Serialize the given value only if it has changed. * Serialize the given value only if it has changed.
* @param value - Value to deserialize. * @param value - Value to deserialize.
*/ */
serializeDiff(value: SharkitekType): SerializedType|null serializeDiff(value: ModelType|null|undefined): Partial<SerializedType>|null|undefined
{ {
return this.serialize(value); // By default, nothing changes. return this.serialize(value); // By default, nothing changes.
} }
@ -28,7 +28,7 @@ export abstract class Type<SerializedType, SharkitekType>
* Reset the difference between the original value and the current one. * Reset the difference between the original value and the current one.
* @param value - Value for which reset diff data. * @param value - Value for which reset diff data.
*/ */
resetDiff(value: SharkitekType): void resetDiff(value: ModelType|null|undefined): void
{ {
// By default, nothing to do. // By default, nothing to do.
} }
@ -38,7 +38,7 @@ export abstract class Type<SerializedType, SharkitekType>
* @param originalValue - Original property value. * @param originalValue - Original property value.
* @param currentValue - Current property value. * @param currentValue - Current property value.
*/ */
propertyHasChanged(originalValue: SharkitekType, currentValue: SharkitekType): boolean propertyHasChanged(originalValue: ModelType|null|undefined, currentValue: ModelType|null|undefined): boolean
{ {
return originalValue != currentValue; return originalValue != currentValue;
} }
@ -48,7 +48,7 @@ export abstract class Type<SerializedType, SharkitekType>
* @param originalValue - Original serialized property value. * @param originalValue - Original serialized property value.
* @param currentValue - Current serialized property value. * @param currentValue - Current serialized property value.
*/ */
serializedPropertyHasChanged(originalValue: SerializedType, currentValue: SerializedType): boolean serializedPropertyHasChanged(originalValue: SerializedType|null|undefined, currentValue: SerializedType|null|undefined): boolean
{ {
return originalValue != currentValue; return originalValue != currentValue;
} }

14
src/Model/index.ts Normal file
View file

@ -0,0 +1,14 @@
import * as property from "./Properties";
export { property };
export * from "./Model";
export {Definition} from "./PropertyDefinition";
export {ArrayType} from "./Types/ArrayType";
export {BoolType} from "./Types/BoolType";
export {DateType} from "./Types/DateType";
export {DecimalType} from "./Types/DecimalType";
export {ModelType} from "./Types/ModelType";
export {NumericType} from "./Types/NumericType";
export {ObjectType} from "./Types/ObjectType";
export {StringType} from "./Types/StringType";

View file

@ -1,14 +1,4 @@
import * as s from "./Model";
export * from "./Model/Model"; export * from "./Model";
export { s };
export * from "./Model/Definition"; export default s;
export * from "./Model/Types/Type";
export * from "./Model/Types/ArrayType";
export * from "./Model/Types/BoolType";
export * from "./Model/Types/DateType";
export * from "./Model/Types/DecimalType";
export * from "./Model/Types/ModelType";
export * from "./Model/Types/NumericType";
export * from "./Model/Types/ObjectType";
export * from "./Model/Types/StringType";

View file

@ -1,38 +1,22 @@
import { import {s} from "../src";
SArray,
SDecimal,
SModel,
SNumeric,
SString,
SDate,
SBool,
Model,
ModelDefinition,
SDefine, ModelIdentifier
} from "../src";
import {SObject} from "../src/Model/Types/ObjectType";
/** /**
* Another test model. * Another test model.
*/ */
class Author extends Model<Author> class Author extends s.model({
{ name: s.property.string(),
name: string; firstName: s.property.string(),
firstName: string; email: s.property.string(),
email: string; createdAt: s.property.date(),
createdAt: Date; active: s.property.bool(),
active: boolean = true; }).extends({
extension(): string
protected SDefinition(): ModelDefinition<Author>
{ {
return { return this.name;
name: SDefine(SString),
firstName: SDefine(SString),
email: SDefine(SString),
createdAt: SDefine(SDate),
active: SDefine(SBool),
};
} }
})
{
active: boolean = true;
constructor(name: string = "", firstName: string = "", email: string = "", createdAt: Date = new Date()) constructor(name: string = "", firstName: string = "", email: string = "", createdAt: Date = new Date())
{ {
@ -48,7 +32,18 @@ class Author extends Model<Author>
/** /**
* A test model. * A test model.
*/ */
class Article extends Model<Article> class Article extends s.model({
id: s.property.numeric(),
title: s.property.string(),
authors: s.property.array(s.property.model(Author)),
text: s.property.string(),
evaluation: s.property.decimal(),
tags: s.property.array(
s.property.object({
name: s.property.string(),
})
),
}, "id")
{ {
id: number; id: number;
title: string; title: string;
@ -58,27 +53,6 @@ class Article extends Model<Article>
tags: { tags: {
name: string; name: string;
}[]; }[];
protected SIdentifier(): ModelIdentifier<Article>
{
return "id";
}
protected SDefinition(): ModelDefinition<Article>
{
return {
id: SDefine(SNumeric),
title: SDefine(SString),
authors: SDefine(SArray(SModel(Author))),
text: SDefine(SString),
evaluation: SDefine(SDecimal),
tags: SDefine(SArray(
SObject({
name: SDefine(SString),
})
)),
};
}
} }
it("deserialize", () => { it("deserialize", () => {
@ -135,13 +109,13 @@ it("create and check state then serialize", () => {
}); });
it("deserialize then save", () => { it("deserialize then patch", () => {
const article = (new Article()).deserialize({ const article = (new Article()).deserialize({
id: 1, id: 1,
title: "this is a test", title: "this is a test",
authors: [ authors: [
{ name: "DOE", firstName: "John", email: "test@test.test", createdAt: new Date(), active: true, }, { name: "DOE", firstName: "John", email: "test@test.test", createdAt: (new Date()).toISOString(), active: true, },
{ name: "TEST", firstName: "Another", email: "another@test.test", createdAt: new Date(), active: false, }, { name: "TEST", firstName: "Another", email: "another@test.test", createdAt: (new Date()).toISOString(), active: false, },
], ],
text: "this is a long test.", text: "this is a long test.",
evaluation: "25.23", evaluation: "25.23",
@ -156,35 +130,39 @@ it("deserialize then save", () => {
expect(article.isDirty()).toBeTruthy(); expect(article.isDirty()).toBeTruthy();
expect(article.save()).toStrictEqual({ expect(article.patch()).toStrictEqual({
id: 1, id: 1,
text: "Modified text.", text: "Modified text.",
}); });
}); });
it("save with modified submodels", () => { it("patch with modified submodels", () => {
const article = (new Article()).deserialize({ const article = (new Article()).deserialize({
id: 1, id: 1,
title: "this is a test", title: "this is a test",
authors: [ authors: [
{ name: "DOE", firstName: "John", email: "test@test.test", createdAt: new Date(), active: true, }, { name: "DOE", firstName: "John", email: "test@test.test", createdAt: (new Date()).toISOString(), active: true, },
{ name: "TEST", firstName: "Another", email: "another@test.test", createdAt: new Date(), active: false, }, { name: "TEST", firstName: "Another", email: "another@test.test", createdAt: (new Date("1997-09-09")).toISOString(), active: false, },
], ],
text: "this is a long test.", text: "this is a long test.",
evaluation: "25.23", evaluation: "25.23",
tags: [ {name: "test"}, {name: "foo"} ], tags: [ {name: "test"}, {name: "foo"} ],
}); });
article.authors = article.authors.map((author) => { article.authors[0].name = "TEST";
author.name = "TEST"; article.authors[1].createdAt.setMonth(9);
return author;
});
expect(article.save()).toStrictEqual({ expect(article.patch()).toStrictEqual({
id: 1, id: 1,
authors: [ authors: [
{ name: "TEST", }, { name: "TEST" },
{}, //{ name: "TEST", firstName: "Another", email: "another@test.test" }, { createdAt: (new Date("1997-10-09")).toISOString() }, //{ name: "TEST", firstName: "Another", email: "another@test.test" },
], ],
}); });
}); });
it("test author extension", () => {
const author = new Author();
author.name = "test name";
expect(author.extension()).toStrictEqual("test name");
});

View file

@ -11,6 +11,7 @@
"incremental": true, "incremental": true,
"sourceMap": true, "sourceMap": true,
"noImplicitAny": true, "noImplicitAny": true,
"noImplicitThis": true,
"esModuleInterop": true, "esModuleInterop": true,
"allowSyntheticDefaultImports": true, "allowSyntheticDefaultImports": true,
"resolveJsonModule": true, "resolveJsonModule": true,
@ -24,6 +25,6 @@
"lib": [ "lib": [
"ESNext", "ESNext",
"DOM" "DOM"
], ]
} }
} }