npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

ts-contract

v0.0.9

Published

ts-contract is a TypeScript library for validation and logging. It depends on [joi](https://github.com/hapijs/joi) (validator) and [bunyan](https://github.com/trentm/node-bunyan) (logger)

Downloads

24

Readme

Typescript Contract

ts-contract is a TypeScript library for validation and logging.
It depends on joi (validator) and bunyan (logger)

NOTE Works only with Typescript 2.8+.

Greenkeeper badge Travis codecov Dev Dependencies

About

The motivation is to provide a library for contract programming that works well with TypeScript.
There are many existing libraries for data validation that rely heavily on decorator annotations. Unfortunately, decorators have many flaws:

  • it's an experimental feature, and its syntax is going to change,
  • redundant syntax because we must create special classes instead of using plain objects,
  • it's a runtime feature, and there are some bugs related to reflection,
  • no type inference, any typos or mistakes cause a runtime error instead of a compilation error.

Since Typescript 2.8, it's possible to use conditional types, that allow us to map one type to another. It's a powerful feature that can extract a Typescript interface from the Joi validation schema.

See the example below. There are no TypeScript annotations. It's pure JavaScript code, but we have type checking inferred from Joi.

Alt text

Features

  • Full type inference for input parameters extracted from the Joi schema definition.
  • Input validation and normalization (example: string type "2" to number type 2).
  • Input logging (input parameters):
myService: ENTER methodName: {param1: 'foo', param2: 'bar'}
  • Output logging (sync and async):
myService:  EXIT methodName: {result: 'foobar', anotherProp: 'bar'}
  • Error logging with input parameters (see example below).

Contract Programming

Getting Started

npm install ts-contract
yarn add ts-contract

Example usage

// services/CalcService.ts
import { Joi, contractProvider } from 'ts-contract';

// It's recommended that you configure the provider once and all
const contract = contractProvider();

export const add = contract(
  'CalcService#add',
  ['a', 'b'],
  {
    a: Joi.number().required(),
    b: Joi.number().required(),
  },
  (a, b) => a + b,
  { sync: true },
);

use service

// app.ts
import * as CalcService from './services/CalcService';


CalcService.add(1, 3); // returns 4
CalcService.add('5' as any, '6' as any); // returns 11, input parameters are converted to number types
CalcService.add('1' as any, { foo: 'bar' } as any); // logs and throws an error
// NOTE: you shouldn't use casting `as any` in your code. It's used only for a demonstration purpose.
// The service is expected to be called with unknown input (for example: req.body).

Alt text

See example under examples/example1.ts. Run it using npm run example1.

Async example usage

file services/UserService.ts

// services/CalcService.ts
import { Joi, contractProvider } from 'ts-contract';

const contract = contractProvider();

export const createUser = contract(
  'UserService#createUser',
  ['values'],
  {
    values: Joi.object({
      name: Joi.string()
        .required()
        .alphanum(),
      email: Joi.string()
        .required()
        .email(),
      password: Joi.string()
        .required()
        .min(5),
    }).required(),
  },
  async values => {
    // do something with values
    // UserModel.create(values);
    const id = 1;
    return id;
  },
);

use service

// app.ts
import * UserService from './services/UserService';

await UserService.createUser({
  name: 'john',
  email: '[email protected]',
  password: 'secret',
}); // ok
await UserService.createUser({
  name: 'john',
  email: 'invalid email',
  password: 'secret',
}); // throws an error

Alt text

See example under examples/example2.ts. Run it using npm run example2.

Removing security information

By default properties password, token, accessToken are removed from logging.
Additionally you set options to {removeOutput: true} to remove the method result.
Example:

file services/SecurityService.ts

// services/SecurityService.ts
import { Joi, contractProvider } from 'ts-contract';

const contract = contractProvider();

export const hashPassword = contract(
  'SecurityService#hashPassword',
  ['password'],
  {
    password: Joi.string().required(),
  },
  password => 'ba817ef716',
  { sync: true },
);

use service

// app.ts
import * as SecurityService from './services/SecurityService';

securityService.hashPassword('secret-password');

Alt text

See example under examples/example3.ts. Run it using npm run example3.

API Docs

import {contractProvider} from 'ts-service';

const contract = contractProvider({
  removeFields: string[], // the array of fields not won't be logged to the console, default: ['password', 'token', 'accessToken'],
  debug: boolean,         // the flag if ENTER and EXIT logging is enabled, (errors are always enabled), default: true
  depth: number,          // the object depth level when serializing, default: 4           
  maxArrayLength: number, // the maximum number of elements to include when formatting an array, default: 30  
  getLogger: (serviceName: string) => Logger, // a function to create a new bunyan logger instance for the given service.
                                              // default: creates a logger with options {name: serviceName, level: this.debug ? 'debug' : 'error' }
  getNextId: () => number // a function to get the next service call id, default: function that returns sequence 1,2,3 ...
})

contract(
  signature, // the method signature in format `serviceName#methodName`, example `UserService#register`
  [param1, param2], // the names of the function parameters
  {
    param1: Joi.string()...,
    param2: Joi.number()...,
  }, // the validation rules for parameters
  (para1, param2) => {...}, // the function to wrap
  {
    sync: true/false, // the flag if the flag is async (promise) or async. In sync mode errors are thrown, in async mode Promise.reject is returned. Default: false
    removeOutput: true/false, // the flag if the output must be removed in the log, default: false
  }
)

Special properties

if the parameter name is req it's assumed that the object is an express request.
Only properties are logged: method, url, headers, remoteAddress, remotePort.

if the parameter name is res it's assumed that the object is an express response.
Only properties are logged: statusCode, header.

Notes

  • The wrapped function must have 0-4 arguments.
  • You can always override the inferred type. For example, if you need union types or more complex schema (e.g. alternatives).
const foo = contract(
  'CalcService#foo',
  ['str'],
  {
    str: Joi.string().only('admin', 'user').required(),
  },
  (str: 'admin' | 'user') => a + a,
  { sync: true },
);
  • If there are any bugs in Joi annotations. Please open an issue and override the typings manually (see previous point).
  • Annotations for joi are custom. Do not install @types/joi.

License

MIT