JavaScript Type Validation and Coercion

2.7.3 · active · verified Sun Apr 19

The `type` package offers a suite of runtime validation and processing utilities for fundamental JavaScript types, engineered for environments supporting ECMAScript 3 and higher without implying any transpilation. It specializes in bulletproof input argument normalization and validation, making it highly suitable for validating public API endpoints. The library's current stable version is 2.7.3, released in May 2024, and it follows an irregular release cadence, focusing on maintenance improvements and incremental feature additions like `BigInt` or `Map`/`Set` validation. Its core differentiators include a deep respect for JavaScript's inherent language nature and quirks, offering restricted forms of type coercion that explicitly reject invalid input while intelligently normalizing permissible type deviations. It provides `coerce`, `is`, and `ensure` utilities for various types, enabling developers to confirm types, safely coerce values, or strictly validate them with configurable error handling, including options for optional values and default fallbacks. It's explicitly positioned for basic type checks, recommending more powerful schema-based utilities like AJV or Joi for complex, deeply nested object structures.

Common errors

Warnings

Install

Imports

Quickstart

This example demonstrates how to normalize and validate function arguments using various `type` utilities, including string, date, natural number, and object checks, applying options like error messages, optionality, and default values for robust input handling.

const ensureString        = require('type/string/ensure');
const ensureDate          = require('type/date/ensure');
const ensureNaturalNumber = require('type/natural-number/ensure');
const isObject            = require('type/object/is');

function processData(path, options = { min: 0 }) {
  path = ensureString(path, { errorMessage: "%v is not a valid path string" });
  if (!isObject(options)) {
    console.warn("Options provided were not an object, defaulting to empty.");
    options = {};
  }
  const min = ensureNaturalNumber(options.min, { default: 0 });
  const max = ensureNaturalNumber(options.max, { isOptional: true, errorMessage: "Max value '%v' is not a natural number" });
  const startTime = ensureDate(options.startTime, { isOptional: true });

  console.log(`Processing path: ${path}`);
  console.log(`Min: ${min}, Max: ${max === null ? 'N/A' : max}`);
  console.log(`Start Time: ${startTime === null ? 'N/A' : startTime.toISOString()}`);
  // ...further logic based on validated inputs
}

// Example usage:
processData('/api/resource', { min: 5, max: 10, startTime: new Date() });
processData('/another/path', { min: 'abc' }); // Will throw TypeError for min
processData('/default/options');

view raw JSON →