Coder Social home page Coder Social logo

golergka / schemata-ts Goto Github PK

View Code? Open in Web Editor NEW

This project forked from jacob-alford/schemata-ts

0.0 1.0 0.0 1.85 MB

Write domain types once. A schema engine based on io-ts v2 with a collection of schemata inspired by io-ts-types and validators.js

Home Page: https://jacob-alford.github.io/schemata-ts/modules/schemata.ts.html

License: MIT License

Shell 0.01% JavaScript 0.06% TypeScript 99.94%

schemata-ts's Introduction




schemata-ts

Write domain types once. A collection of Schemata inspired by io-ts-types and validators.js.

NPM Version Coverage Status Vulnerabilities



Welcome

A schema is an expression of a type structure that can be used to generate typeclass instances from a single declaration. Typeclass instances can perform a variety of tasks, for instance Decoder can take a pesky unknown value and give you an Either in return where the success case abides by the schema that generated it. The example below constructs a User schema.

Installation

Uses fp-ts, and io-ts as peer dependencies. Read more about peer dependencies at nodejs.org.

Also contains fast-check as a soft peer dependency. Soft peer dependency implies that usage of the Arbitrary module requires fast-check as a peer-dependency.

Yarn

yarn add schemata-ts

NPM

npm install schemata-ts

Documentation

Codec and Arbitrary

A codec is a typeclass that contains the methods of Decoder, Encoder, JsonSerializer, JsonDeserializer, and Guard. Decoder and encoder are lossless when composed together. This means that for all domain types for which an encoder encodes to, a decoder will return a valid E.Right value.

User Document Example

This is a live example found in src/Codec.ts type-checked and tested with docs-ts.

import * as fc from 'fast-check'
import * as E from 'fp-ts/Either'
import { pipe } from 'fp-ts/function'
import * as O from 'fp-ts/Option'
import * as RA from 'fp-ts/ReadonlyArray'
import { getArbitrary } from 'schemata-ts/Arbitrary'
import { getCodec } from 'schemata-ts/Codec'
import * as S from 'schemata-ts/schemata'

export const User = S.Struct({
  id: S.UUID(5),
  created_at: S.DateFromIsoString({ requireTime: 'None' }),
  updated_at: S.DateFromIsoString({ requireTime: 'TimeAndOffset' }),
  email: S.EmailAddress,
  name: S.NonEmptyString,
  username: S.Ascii,
  age: S.PositiveInt,
  favorite_color: S.OptionFromNullable(S.HexColor),
})

export type User = S.TypeOf<typeof User>
export type UserInput = S.InputOf<typeof User>

export const userArbitrary = getArbitrary(User).arbitrary(fc)
export const userCodec = getCodec(User)

const validInput = {
  id: '987FBC97-4BED-5078-AF07-9141BA07C9F3',
  created_at: '+002021-10-31',
  updated_at: '2022-11-22T18:30Z',
  name: 'Johnathan Doe',
  email: '[email protected]',
  username: 'jdoe22',
  age: 52,
  favorite_color: null,
}

const expectedOutput = {
  id: '987FBC97-4BED-5078-AF07-9141BA07C9F3',
  created_at: new Date('+002021-10-31'),
  updated_at: new Date('2022-11-22T18:30Z'),
  name: 'Johnathan Doe',
  email: '[email protected]',
  username: 'jdoe22',
  age: 52,
  favorite_color: O.none,
}

const invalidInput = {
  // not a UUID
  id: 123,
  // Not ISO 8601 compliant, though parsable with `new Date()`
  created_at: 'October 31, 2021',
  updated_at: 'November 22, 2022 12:30',
  // Empty string not allowed
  name: '',
  // Non-ASCII characters not allowed
  username: '๐Ÿ˜‚๐Ÿ˜‚๐Ÿ˜‚',
  // Positive Ints only
  age: 0,
  // hex color values only
  favorite_color: 'rgb(105, 190, 239)',
}

// Using Decoders

assert.deepStrictEqual(userCodec.decode(validInput), E.right(expectedOutput))
assert.deepStrictEqual(userCodec.decode(invalidInput)._tag, 'Left')

// Using Arbitraries, Encoders, and Decoders

const testUsers = fc.sample(userArbitrary, 10)

assert.deepStrictEqual(
  pipe(
    testUsers,
    // Encode the users generated using Arbitrary
    RA.map(userCodec.encode),
    // Decode the encoded users back to their original form, collecting any errors
    E.traverseArray(userCodec.decode),
  ),
  E.right(testUsers),
)

Json Serializer and Deserializer

Like encoder and decoder, JsonSerializer and JsonDeserializer are lossless when composed together. Certain data types in Javascript like NaN, undefined, Infinity, and others are not part of the JSON specification, and JSON.stringify will turn these values into something different (or omit them). This means that if you stringify these types and attempt to parse, you will get a different object than you originally started with. Additionally, JSON cannot stringify bigint, and cannot contain circular references. Under these circumstances JSON.stringify will throw an error.

Anything that successfully stringifies using JsonSerializer will successfully parse with JsonDeserializer and will be equivalent objects. This is useful to avoid bugs when using JSON strings for storing data. Additionally, JsonDeserializer will decode the Json string into a domain type for immediate use in your program.

Deriving JSON Schema

Schemata-ts comes with its own implementation of JSON-Schema and is a validation standard that can be used to validate artifacts in many other languages and frameworks. Schemata-ts's implementation is compatible with JSON Schema Draft 4, Draft 6, Draft 7, Draft 2019-09, and has partial support for 2020-12. Note: string format (like regex, contentType, or mediaType) is only available starting with Draft 6, and tuples are not compatible with Draft 2020-12.

Customer JSON Schema Example

This is a live example generating a JSON Schema in src/base/JsonSchemaBase.ts

import * as JS from 'schemata-ts/base/JsonSchemaBase'
import * as S from 'schemata-ts/schemata'
import { getJsonSchema } from 'schemata-ts/JsonSchema'

const schema = S.Struct({
  id: S.Natural,
  jwt: S.Jwt,
  tag: S.Literal('Customer'),
})

const jsonSchema = getJsonSchema(schema)

assert.deepStrictEqual(JS.stripIdentity(jsonSchema), {
  type: 'object',
  required: ['id', 'jwt', 'tag'],
  properties: {
    id: { type: 'integer', minimum: 0, maximum: 9007199254740991 },
    jwt: {
      type: 'string',
      description: 'Jwt',
      pattern:
        '^(([A-Za-z0-9_\\x2d]*)\\.([A-Za-z0-9_\\x2d]*)(\\.([A-Za-z0-9_\\x2d]*)){0,1})$',
    },
    tag: { type: 'string', const: 'Customer' },
  },
})

A note on JS.stripIdentity in the above example: internally, JSON Schema is represented as a union of Typescript classes. This is handy when inspecting the schema because the name of the schema is shown next to its properties. Because this prevents equality comparison, schemata-ts exposes a method stripIdentity to remove the object's class identity. Caution: this method stringifies and parses the schema and may throw if the schema itself contains circularity.

Pattern Builder

Schemata-ts comes with powerful regex combinators that are used to construct regex from comprehensible atoms. The Pattern schema allows extension of a string schema to a subset of strings defined by a pattern. Decoders and Guards guarantee that a string conforms to the specified pattern, Arbitrary generates strings that follow the pattern, and Json Schema generates string schemata that lists the pattern as a property.

US Phone Number Example

This is a live example validating US Phone numbers found in src/PatternBuilder.ts

import * as PB from 'schemata-ts/PatternBuilder'
import { pipe } from 'fp-ts/function'

const digit = PB.characterClass(false, ['0', '9'])

const areaCode = pipe(
  pipe(
    PB.char('('),
    PB.then(PB.times(3)(digit)),
    PB.then(PB.char(')')),
    PB.then(PB.maybe(PB.char(' '))),
  ),
  PB.or(PB.times(3)(digit)),
  PB.subgroup,
)

const prefix = PB.times(3)(digit)

const lineNumber = PB.times(4)(digit)

export const usPhoneNumber = pipe(
  areaCode,
  PB.then(pipe(PB.char('-'), PB.maybe)),
  PB.then(prefix),
  PB.then(PB.char('-')),
  PB.then(lineNumber),
)

assert.equal(PB.regexFromPattern(usPhoneNumber).test('(123) 456-7890'), true)
assert.equal(PB.regexFromPattern(usPhoneNumber).test('(123)456-7890'), true)
assert.equal(PB.regexFromPattern(usPhoneNumber).test('123-456-7890'), true)
assert.equal(PB.regexFromPattern(usPhoneNumber).test('1234567890'), false)

Advanced Structs and Key Transformations

Schemata-ts has powerful tools for constructing domain artifacts that are strongly-typed plain javascript objects. There are a few ways to build the same schema, and some ways are more powerful than others. If, for instance, domain types are fragmented and need to compose in different ways, they can't be changed once they've been turned into schemata. schemata-ts/struct has built-in combinators for composing struct definitions together in elegant ways.

Declaring a struct schema

There are a few ways to declare a struct-based schema. The first is to use the Struct schema exported with all the other schemata from schemata-ts/schemata:

import * as E from 'fp-ts/Either'
import * as S from 'schemata-ts/schemata'
import { getDecoder } from 'schemata-ts/Decoder'

const SomeDomainType = S.Struct({
  a: S.String,
  b: S.BooleanFromNumber,
})

// SomeDomainType will have the type:
// SchemaExt<{ a: string, b: number }, { a: string, b: boolean }>

const decoder = getDecoder(SomeDomainType)

assert.deepStrictEqual(
  decoder.decode({
    a: 'foo',
    b: 0,
  }),
  E.right({
    a: 'foo',
    b: false,
  }),
)

The next few ways use the schemata-ts/struct module to define meta-definitions of structs. Once the struct has been constructed as it needs, it can be plugged into the StructM schema, and used anywhere else schemata are used.

The following results in the same schema as defined in the above example:

import * as S from 'schemata-ts/schemata'
import * as s from 'schemata-ts/struct'
import { getEncoder } from 'schemata-ts/Encoder'

const someDomainType = s.struct({
  a: S.String,
  b: S.BooleanFromNumber,
})

const SomeDomainTypeSchema = S.StructM(someDomainType)

// SomeDomainType will have the type:
// SchemaExt<{ a: string, b: number }, { a: string, b: boolean }>

const encoder = getEncoder(SomeDomainTypeSchema)

assert.deepStrictEqual(
  encoder.encode({
    a: 'foo',
    b: false,
  }),
  {
    a: 'foo',
    b: 0,
  },
)

The final way to write this domain type is to use struct.defineStruct which differs from struct in that each property key must explicitly specify whether the key is required or optional.

The following results in the same schema as defined in the above two examples:

import * as fc from 'fast-check'
import * as S from 'schemata-ts/schemata'
import * as s from 'schemata-ts/struct'
import { getGuard } from 'schemata-ts/Guard'
import { getArbitrary } from 'schemata-ts/Arbitrary'

const someDomainType = s.defineStruct({
  a: s.required(S.String),
  b: s.required(S.BooleanFromNumber),
})

const SomeDomainTypeSchema = S.StructM(someDomainType)

// SomeDomainType will have the type:
// SchemaExt<{ a: string, b: number }, { a: string, b: boolean }>

const arbitrary = getArbitrary(SomeDomainTypeSchema).arbitrary(fc)
const guard = getGuard(SomeDomainTypeSchema)

fc.assert(fc.property(arbitrary, guard.is))

CamelCase Keys

As of 1.4.0, schemata-ts has built in combinators for constructing domain types where the expected input type contains mixed case keys (words separated by any whitespace character, hyphens, and underscores) whose output is camelCase. Like struct above, there are a few ways to do this. This first example is using the CamelCaseFromMixed schema of schemata-ts/schemata.

import * as E from 'fp-ts/Either'
import * as S from 'schemata-ts/schemata'
import { getDecoder } from 'schemata-ts/Decoder'

const DatabasePerson = S.CamelCaseFromMixed({
  first_name: S.String,
  last_name: S.String,
  age: S.Number,
  is_married: S.BooleanFromString,
})

// DatabasePerson will have the type:
// SchemaExt<
//   { first_name: string, last_name: string, age: number, is_married: string },
//   { firstName: string, lastName: string, age: number, isMarried: boolean }
// >

const decoder = getDecoder(DatabasePerson)

assert.deepStrictEqual(
  decoder.decode({
    first_name: 'John',
    last_name: 'Doe',
    age: 42,
    is_married: 'false',
  }),
  E.right({
    firstName: 'John',
    lastName: 'Doe',
    age: 42,
    isMarried: false,
  }),
)

The following example is identical to the above except it uses the camelCaseKeys combinator of the struct module.

import * as S from 'schemata-ts/schemata'
import * as s from 'schemata-ts/struct'
import { getEncoder } from 'schemata-ts/Encoder'

const databasePerson = s.struct({
  first_name: S.String,
  last_name: S.String,
  age: S.Number,
  is_married: S.BooleanFromString,
})

const DatabasePerson = S.StructM(s.camelCaseKeys(databasePerson))

// DatabasePerson will have the type:
// SchemaExt<
//   { first_name: string, last_name: string, age: number, is_married: string },
//   { firstName: string, lastName: string, age: number, isMarried: boolean }
// >

const encoder = getEncoder(DatabasePerson)

assert.deepStrictEqual(
  encoder.encode({
    firstName: 'John',
    lastName: 'Doe',
    age: 42,
    isMarried: false,
  }),
  {
    first_name: 'John',
    last_name: 'Doe',
    age: 42,
    is_married: 'false',
  },
)

The following example is identical to the above, except the keys being mapped to are explicitly specified using defineStruct:

import * as fc from 'fast-check'
import * as S from 'schemata-ts/schemata'
import * as s from 'schemata-ts/struct'
import { getArbitrary } from 'schemata-ts/Arbitrary'
import { getGuard } from 'schemata-ts/Guard'

const databasePerson = s.defineStruct({
  first_name: s.mapKeyTo('firstName')(s.required(S.String)),
  last_name: s.mapKeyTo('lastName')(s.required(S.String)),
  age: s.required(S.Number),
  is_married: s.mapKeyTo('isMarried')(s.required(S.BooleanFromString)),
})

const DatabasePerson = S.StructM(databasePerson)

// DatabasePerson will have the type:
// SchemaExt<
//   { first_name: string, last_name: string, age: number, is_married: string },
//   { firstName: string, lastName: string, age: number, isMarried: boolean }
// >

const arbitrary = getArbitrary(DatabasePerson).arbitrary(fc)
const guard = getGuard(DatabasePerson)

fc.assert(fc.property(arbitrary, guard.is))

Furthermore, schemata-ts has several utilities for working with structs:

Name Description
partial Marks all properties as optional
complete Marks all properties as required
pick Keep only specified keys
omit Remove specified keys
mapKeysTo Apply a mapping function to an object's keys

Exported Schemata

Schema Type
Date.date Base Schemable
Date.dateFromString Base Schemable
Int.int Base Schemable
Float.float Base Schemable
Json.json Base Schemable
Json.jsonFromString Base Schemable
Unknown Base Schemable
BigIntFromString Conversion
BooleanFromString Conversion
BooleanFromNumber Conversion
CamelCaseFromMixed Conversion
DateFromInt Conversion
DateFromIsoString Conversion
DateFromUnixTime Conversion
FloatFromString Conversion
IntFromString Conversion
JsonFromString Conversion
OptionFromNullable Conversion
OptionFromUndefined Conversion
SetFromArray Conversion
NonEmptyArray Generic
Natural Number
NegativeFloat Number
NegativeInt Number
NonNegativeFloat Number
NonPositiveFloat Number
NonPositiveInt Number
PositiveFloat Number
PositiveInt Number
Ascii String
Base64 String
Base64Url String
BitcoinAddress String
CreditCard String
EmailAddress String
Ethereum Address String
Hexadecimal String
HexColor String
HslColor String
Jwt String
LatLong String
NonEmptyString String
RGB String
UUID String

Additionally, there are more unlisted base schemable schemata also exported from schemata-ts/schemata. These can be used to construct more complex schemata. There are many examples of custom schemata in src/schemata to use as a reference.

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.