New Research: Supply Chain Attack on Axios Pulls Malicious Dependency from npm.Details →
Socket
Book a DemoSign in
Socket

tjs

Package Overview
Dependencies
Maintainers
2
Versions
47
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

tjs

The world's fastest and most accurate JSON Schema validator, with magical typescript inference

latest
Source
npmnpm
Version
7.0.0
Version published
Weekly downloads
396
4.76%
Maintainers
2
Weekly downloads
 
Created
Source

tjs

The world's fastest and most accurate json-schema validator, with magical typescript inference.

Benchmark

100% spec compliance. 40% faster than ajv. Zero dependencies. Full TypeScript inference.

At a Glance

tjsajvzodjoi
JSON Schema compliance✅ 100%⚠️ 94%⚠️ Basic❌ None
TypeScript inference✅ Built-in⚠️ Plugin✅ Built-in❌ None
Dependencies✅ 0❌ 4+✅ 0❌ 5+
Performance✅ Fastest⚠️ Fast❌ Slow❌ Slow

Installation

npm install tjs

Quick Start

import { schema } from 'tjs';

const User = schema({
  type: 'object',
  properties: {
    name: { type: 'string' },
    email: { type: 'string', format: 'email' },
    age: { type: 'integer', minimum: 0 },
  },
  required: ['name', 'email'],
});

// Validate with full type inference
const user = User.assert(data);
//    ^? { name: string; email: string; age?: number }

Why tjs?

100% JSON Schema Compliance 🎯

tjs passes the entire JSON Schema Test Suite — the official compliance benchmark:

DraftCompliance
draft-04100% (881/881)
draft-06100% (1170/1170)
draft-07100% (1534/1534)
draft-2019-09100% (1941/1941)
draft-2020-12100% (1990/1990)
Total100% (7516/7516)

See COMPLIANCE.md for details.

Blazing Fast 🔥

tjs uses JIT compilation to generate optimized validation code — 40% faster than ajv overall:

Performance vs ajv (JSON Schema Test Suite):
────────────────────────────────────────────────────────────────────────────
Draft          Files   Tests │ tjs ns/test  ajv ns/test      Diff
────────────────────────────────────────────────────────────────────────────
draft-04          38     790 │          36           53      -31%
draft-06          49    1120 │          34           46      -26%
draft-07          54    1324 │          39           53      -26%
draft-2019-09     69    1703 │          50           95      -47%
draft-2020-12     68    1665 │          49           90      -46%
────────────────────────────────────────────────────────────────────────────
TOTAL            278    6602 │          43           72      -40%
────────────────────────────────────────────────────────────────────────────

Format validation is where tjs really shines — up to 124x faster for complex formats:

idn-email validation      124x faster than ajv
regex syntax validation    44x faster than ajv
date-time validation        5x faster than ajv
ipv6 validation             3x faster than ajv

Magical Type Inference ✨

tjs infers TypeScript types directly from your schema — no code generation, no separate type definitions:

import { schema } from 'tjs';

const Product = schema({
  type: 'object',
  properties: {
    id: { type: 'string', format: 'uuid' },
    name: { type: 'string' },
    price: { type: 'number', minimum: 0 },
    tags: { type: 'array', items: { type: 'string' } },
    status: { enum: ['active', 'discontinued'] },
  },
  required: ['id', 'name', 'price'],
});

// Extract the inferred type
type Product = typeof Product.type;
// { id: string; name: string; price: number; tags?: string[]; status?: 'active' | 'discontinued' }

Types are inferred for:

  • All primitive types (string, number, integer, boolean, null)
  • Arrays with items and prefixItems (tuples)
  • Objects with properties, additionalProperties, patternProperties
  • Union types via anyOf, oneOf
  • Intersection types via allOf
  • Const and enum literals
  • Conditional schemas with if/then/else
  • Recursive schemas with $ref and $defs

Zero Runtime Dependencies 💎

tjs has zero runtime dependencies. The entire library is ~25KB minified.

Compare to ajv which requires:

  • fast-deep-equal
  • json-schema-traverse
  • require-from-string
  • uri-js (which itself has dependencies)

API

schema(definition, options?)

Create a validator from a JSON Schema:

const User = schema({
  type: 'object',
  properties: {
    name: { type: 'string' },
    age: { type: 'integer' },
  },
  required: ['name'],
});

validator.validate(data)

Validate and return result with value or error:

const result = User.validate(input);

if (result.error === undefined) {
  console.log(result.value);  // Typed & coerced data
} else {
  console.log(result.error);  // Validation errors with paths
}

validator.assert(data)

Assert validity, throwing on failure. Returns coerced value:

try {
  const user = User.assert(input);  // Returns typed, coerced data
  console.log(user.name);
} catch (e) {
  console.error('Invalid:', e.message);
}

struct(properties, options?)

Ergonomic helper for object schemas:

import { struct } from 'tjs';

const User = struct({
  id: 'string',
  name: 'string',
  email: { type: 'string', format: 'email' },
  age: { type: 'integer', minimum: 0, optional: true },
  role: { enum: ['admin', 'user'], optional: true },
});

// Automatically infers:
// { id: string; name: string; email: string; age?: number; role?: 'admin' | 'user' }

schemaAsync(definition, options?)

Create a validator that automatically fetches remote $ref schemas:

const validator = await schemaAsync({
  $ref: 'https://json-schema.org/draft/2020-12/schema',
});

Type Coercion

Automatically coerce values to match schema types:

const Config = schema({
  type: 'object',
  properties: {
    port: { type: 'integer' },
    debug: { type: 'boolean' },
    timeout: { type: 'number' },
  },
}, { coerce: true });

// String values are coerced to match types
const result = Config.validate({ port: '3000', debug: 'true', timeout: '30.5' });
result.value; // { port: 3000, debug: true, timeout: 30.5 }

Supported coercions:

  • Strings to numbers/integers ("42"42)
  • Strings/numbers to booleans ("true", 1true)
  • Strings to null ("", "null"null)
  • Single values to arrays ("item"["item"])

Options

interface ValidatorOptions {
  // Enable format validation (default: true)
  formatAssertion?: boolean;

  // Enable content validation for contentMediaType/contentEncoding (default: false)
  contentAssertion?: boolean;

  // Pre-loaded remote schemas for $ref resolution
  remotes?: Record<string, JsonSchema>;

  // Use legacy $ref behavior where $ref ignores siblings (default: true)
  legacyRef?: boolean;

  // Enable type coercion (default: false)
  coerce?: boolean | {
    string?: boolean;
    number?: boolean;
    integer?: boolean;
    boolean?: boolean;
    null?: boolean;
    array?: boolean;
  };
}

License

MIT

Keywords

json-schema

FAQs

Package last updated on 02 Jan 2026

Did you know?

Socket

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