Socket
Socket
Sign inDemoInstall

@sinclair/typebox

Package Overview
Dependencies
0
Maintainers
1
Versions
306
Alerts
File Explorer

Advanced tools

Install Socket

Detect and block malicious and high-risk dependencies

Install

    @sinclair/typebox

JSONSchema Type Builder with Static Type Resolution for TypeScript


Version published
Maintainers
1
Install size
59.4 kB
Created

Package description

What is @sinclair/typebox?

The @sinclair/typebox package is a TypeScript utility designed to create type-safe schemas with a consistent syntax. It is primarily used for defining data structures with TypeScript types and validating data at runtime using a separate validation library like Ajv.

What are @sinclair/typebox's main functionalities?

Type Creation

Allows the creation of TypeScript types for various data structures such as strings, numbers, objects, arrays, etc. The created types can be used for compile-time type checking and runtime validation.

{"const T = Type.String()"}

Type Composition

Enables the composition of complex types by combining simpler types. This is useful for defining the shape of objects, with optional and required fields.

{"const UserType = Type.Object({ name: Type.String(), age: Type.Optional(Type.Number()) })"}

Type Validation

Provides a way to validate data at runtime against the defined types using a validation library like Ajv. This ensures that the data conforms to the specified schema.

{"const T = Type.String(); const validate = ajv.compile(T); const isValid = validate('hello');"}

Other packages similar to @sinclair/typebox

Readme

Source

TypeBox

JSONSchema Type Builder with Static Type Resolution for TypeScript

npm version Build Status

Install

$ npm install @sinclair/typebox --save

Overview

TypeBox is a type builder library that allows developers to compose complex in-memory JSONSchema objects that can be resolved to static TypeScript types. The schemas produced by TypeBox can be used directly as validation schemas or reflected upon by navigating the standard JSONSchema properties at runtime. TypeBox can be used as a simple tool to build complex schemas or integrated into RPC or REST services to help validate JSON data received over the wire.

TypeBox does not provide any mechanism for validating JSONSchema. Please refer to libraries such as AJV or similar to validate the schemas created with this library.

Requires TypeScript 3.8.3 and above.

License MIT

Contents

Example

The following shows the general usage.

import { Type, Static } from '@sinclair/typebox'

// Some type...

type Order = {
    email:    string,
    address:  string,
    quantity: number,
    option:   'pizza' | 'salad' | 'pie'
}

// ...can be expressed as...

const Order = Type.Object({
    email:    Type.Format('email'), 
    address:  Type.String(),
    quantity: Type.Number({ minimum: 1, maximum: 99 }),
    option:   Type.Union(
        Type.Literal('pizza'), 
        Type.Literal('salad'),
        Type.Literal('pie')
    )
})

// ... which can be reflected

console.log(JSON.stringify(Order, null, 2))

// ... and statically resolved

type TOrder = Static<typeof Order>

// .. and validated as JSONSchema

JSON.validate(Order, {  // IETF | TC39 ?
    email: 'dave@domain.com', 
    address: '...', 
    quantity: 99, 
    option: 'pie' 
}) 

// ... and so on ...

Types

TypeBox provides many functions generate JSONschema data types. The following tables list the functions TypeBox provides and their respective TypeScript and JSONSchema equivalents.

TypeBox > TypeScript

TypeTypeBoxTypeScript
Literalconst T = Type.Literal(123)type T = 123
Stringconst T = Type.String()type T = string
Numberconst T = Type.Number()type T = number
Integerconst T = Type.Integer()type T = number
Booleanconst T = Type.Boolean()type T = boolean
Objectconst T = Type.Object({ name: Type.String() })type T = { name: string }
Arrayconst T = Type.Array(Type.Number())type T = number[]
Mapconst T = Type.Map(Type.Number())type T = { [key: string] } : number
Intersectconst T = Type.Intersect(Type.String(), Type.Number())type T = string & number
Unionconst T = Type.Union(Type.String(), Type.Number())type T = string | number
Tupleconst T = Type.Tuple(Type.String(), Type.Number())type T = [string, number]
Anyconst T = Type.Any()type T = any
Nullconst T = Type.Null()type T = null
Patternconst T = Type.Pattern(/foo/)type T = string
Formatconst T = Type.Format('date-time')type T = string
Guidconst T = Type.Guid()type T = string

TypeBox > JSONSchema

TypeTypeBoxJSONSchema
Literalconst T = Type.Literal(123){ type: 'number', enum: [123] }
Stringconst T = Type.String(){ type: 'string' }
Numberconst T = Type.Number(){ type: 'number' }
Integerconst T = Type.Number(){ type: 'integer' }
Booleanconst T = Type.Boolean(){ type: 'boolean' }
Objectconst T = Type.Object({ name: Type: String() }){ type: 'object': properties: { name: { type: 'string' } }, required: ['name'] }
Arrayconst T = Type.Array(Type.String()){ type: 'array': items: { type: 'string' } }
Mapconst T = Type.Map(Type.Number()){ type: 'object', additionalProperties: { type: 'number' } }
Intersectconst T = Type.Intersect(Type.Number(), Type.String()){ allOf: [{ type: 'number'}, {type: 'string'}] }
Unionconst T = Type.Union(Type.Number(), Type.String()){ oneOf: [{ type: 'number'}, {type: 'string'}] }
Tupleconst T = Type.Tuple(Type.Number(), Type.String()){ type: "array", items: [{type: 'string'}, {type: 'number'}], additionalItems: false, minItems: 2, maxItems: 2 }
Anyconst T = Type.Any(){ }
Nullconst T = Type.Null(){ type: 'null' }
Patternconst T = Type.Pattern(/foo/){ type: 'string', pattern: 'foo' }
Formatconst T = Type.Format('date-time'){ type: 'string',format: 'date-time' }
Guidconst T = Type.Guid(){ type: 'string', format: '' }

Type Modifiers

The following are object property modifiers. Note that Type.Optional(...) will make the schema object property optional. Type.Readonly(...) however has no effect on the underlying schema as is only meaningful to TypeScript.

TypeTypeBoxTypeScript
ReadonlyOptionalconst T = Type.Object({ email: Type.ReadonlyOptional(Type.String()) })type T = { readonly email?: string }
Readonlyconst T = Type.Object({ email: Type.Readonly(Type.String()) })type T = { readonly email: string }
Optionalconst T = Type.Object({ email: Type.Optional(Type.String()) })type T = { email?: string }

Function Types

TypeBox allows function signatures to be composed in a similar way to other types. It uses a custom schema represenation to achieve this. Note, this format is not JSONSchema, rather it uses JSONSchema to encode function arguments and return types. It also provides additional types; Type.Constructor(), Type.Void(), Type.Undefined(), and Type.Promise().

For more information on their using functions, see the Functions and Generics sections below.

Format

The following is an example of how TypeBox encodes function signatures.

type T = (a: string, b: number) => boolean

{
    "type": "function",
    "returns": { "type": "boolean" },
    "arguments": [
        {"type": "string" }, 
        {"type": "number" },
    ]
}

TypeBox > TypeScript

IntrinsicTypeBoxTypeScript
Functionconst T = Type.Function([Type.String()], Type.String())type T = (arg0: string) => string
Constructorconst T = Type.Constructor([Type.String()], Type.String())type T = new (arg0: string) => string
Promiseconst T = Type.Promise(Type.String())type T = Promise<string>
Undefinedconst T = Type.Undefined()type T = undefined
Voidconst T = Type.Void()type T = void

TypeBox > JSON Function

IntrinsicTypeBoxJSON Function
Functionconst T = Type.Function([Type.String()], Type.Number()){ type: 'function', arguments: [ { type: 'string' } ], returns: { type: 'number' } }
Constructorconst T = Type.Constructor([Type.String()], Type.Number()){ type: 'constructor', arguments: [ { type: 'string' } ], returns: { type: 'number' } }
Promiseconst T = Type.Promise(Type.String()){ type: 'promise', item: { type: 'string' } }
Undefinedconst T = Type.Undefined(){ type: 'undefined' }
Voidconst T = Type.Void(){ type: 'void' }

Functions

The following demonstrates creating function signatures for the following TypeScript types.

TypeScript

type T0 = (a0: number, a1: string) => boolean;

type T1 = (a0: string, a1: () => string) => void;

type T2 = (a0: string) => Promise<number>;

type T3 = () => () => string;

type T4 = new () => string

TypeBox

const T0 = Type.Function([Type.Number(), Type.String()], Type.Boolean())

const T1 = Type.Function([Type.String(), Type.Function([], Type.String())], Type.Void())

const T2 = Type.Function([Type.String()], Type.Promise(Type.Number()))

const T3 = Type.Function([], Type.Function([], Type.String()))

const T4 = Type.Constructor([], Type.String())

Generics

Generic function signatures can be composed with TypeScript functions with Generic Constraints.

TypeScript

type ToString = <T>(t: T) => string

TypeBox

import { Type, Static, TStatic } from '@sinclair/typebox'

const ToString = <G extends TStatic>(T: G) => Type.Function([T], Type.String())

However, it's not possible to statically infer what type ToString is without first creating some specialized variant of it. The following creates a specialization called NumberToString.

const NumberToString = ToString(Type.Number())

type X = Static<typeof NumberToString>

// X is (arg0: number) => string

To take things a bit further, the following code contains some generic TypeScript REST setup with controllers that take some generic resource of type T. Below this we express that same setup using TypeBox. The resulting type IRecordController contains reflectable interface metadata about the RecordController.

TypeScript

interface IController<T> {
    get    (): Promise<T>
    post   (resource: T): Promise<void>
    put    (resource: T): Promise<void>
    delete (resource: T): Promise<void>
}

interface Record {
     key: string
     value: string
}

class StringController implements IController<Record> {
    async get   (): Promise<Record> { throw 'not implemented' }
    async post  (resource: Record): Promise<void> { /* */  }
    async put   (resource: Record): Promise<void> { /* */  }
    async delete(resource: Record): Promise<void> { /* */  }
}

TypeBox

import { Type, Static, TStatic } from '@sinclair/typebox'

const IController = <G extends TStatic>(T: G) => Type.Object({
    get:    Type.Function([], Type.Promise(T)),
    post:   Type.Function([T], Type.Promise(Type.Void())),
    put:    Type.Function([T], Type.Promise(Type.Void())),
    delete: Type.Function([T], Type.Promise(Type.Void())),
})

type Record = Static<typeof Record>
const Record = Type.Object({
    key: Type.String(),
    value: Type.String()
})

type IRecordController = Static<typeof IRecordController>
const IRecordController = IController(Record)

class RecordController implements IRecordController {
    async get   (): Promise<Record> { throw 'not implemented' }
    async post  (resource: Record): Promise<void> { /* */  }
    async put   (resource: Record): Promise<void> { /* */  }
    async delete(resource: Record): Promise<void> { /* */  }
}

// Reflect
console.log(IRecordController)

Validation

The following uses the library Ajv to validate a type.

import * Ajv from 'ajv'

const ajv = new Ajv({ })

ajv.validate(Type.String(), 'hello')  // true

ajv.validate(Type.String(), 123)      // false

FAQs

Last updated on 06 Mar 2020

Did you know?

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

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc