JavaScript Type Validation and Coercion
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
-
TypeError: Invalid [type] provided for [name] ([value])
cause An input value failed validation when passed to an `*/ensure` utility without `isOptional` or `default` options.fixProvide a value that satisfies the type constraints of the `*/ensure` utility, or configure the `isOptional: true` option to allow `null`/`undefined`, or set a `default` value. -
ReferenceError: require is not defined
cause Attempting to use `require()` statements (CommonJS) in an environment or file configured for ECMAScript Modules (ESM) without proper interoperability setup.fixEnsure your project is configured for CommonJS (e.g., by omitting `"type": "module"` in `package.json` or by using `.cjs` file extensions for CommonJS files), or use a build tool like Webpack or Rollup to bundle CommonJS modules for an ESM target.
Warnings
- gotcha The `type` package is designed for validating and coercing primitive or simple JavaScript types. For complex, deeply nested object structures or schema-based validation, it's explicitly recommended to use more powerful dedicated schema utilities like AJV or Hapi/Joi, as `type` does not offer this functionality.
- gotcha The library explicitly states 'No transpilation implied', meaning users should not expect it to polyfill modern JavaScript features. It's written to work in ECMAScript 3+ engines, focusing purely on type validation.
- gotcha By default, `*/ensure` utilities throw a `TypeError` if the input value does not meet the specified constraints. This requires explicit error handling (e.g., `try...catch`) or the use of `isOptional` and `default` options to prevent exceptions.
- gotcha The `*/coerce` utilities offer 'restricted coercion' and return `null` if a value is not coercible according to their rules, rather than throwing an error. This differs from the error-throwing behavior of `*/ensure`.
Install
-
npm install type -
yarn add type -
pnpm add type
Imports
- ensureString
import { ensureString } from 'type/string/ensure';const ensureString = require('type/string/ensure'); - isObject
import { isObject } from 'type/object/is';const isObject = require('type/object/is'); - ensureNaturalNumber
import { ensureNaturalNumber } from 'type/natural-number/ensure';const ensureNaturalNumber = require('type/natural-number/ensure');
Quickstart
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');