Express Json Validator Middleware

Express middleware for validating requests against JSON schema
Alternatives To Express Json Validator Middleware
Project NameStarsDownloadsRepos Using ThisPackages Using ThisMost Recent CommitTotal ReleasesLatest ReleaseOpen IssuesLicenseLanguage
Body Parser5,244862,60023,9523 months ago69April 03, 202225mitJavaScript
Node.js body parsing middleware
Simorgh1,126
12 hours ago88otherJavaScript
The BBC's Open Source Single Page Application. Contributions welcome! Used on some of our biggest websites, e.g.
Apicache1,06343757a year ago79October 25, 202152mitJavaScript
Simple API-caching middleware for Express/Node.
Dyson83643136 months ago66June 08, 20218JavaScript
Node server for dynamic, fake JSON.
Node Spliderapi801
9 months ago13mitJavaScript
基于node+express爬虫 API接口项目,包括全国高校信息、成语诗歌、星座运势、历史的今天、音乐数据接口、图片壁纸、搞笑视频、热点新闻资讯 详情接口数据
Stock Market India574
6 months ago28mitJavaScript
API for Indian Stock Market's NSE and BSE.
Express Zod Api356115 hours ago147January 08, 20233mitTypeScript
A Typescript library to help you get an API server up and running with I/O schema validation and custom middlewares in minutes.
Linkedin Profile Scraper331
4 days ago22July 03, 202022mitTypeScript
🕵️‍♂️ LinkedIn profile scraper returning structured profile data in JSON. Works in 2020.
Athena Express1643a month ago52March 22, 202229mitJavaScript
Athena-Express can simplify executing SQL queries in Amazon Athena AND fetching cleaned-up JSON results in the same synchronous or asynchronous request - well suited for web applications.
Express Json Validator Middleware136285a year ago27May 20, 20229mitJavaScript
Express middleware for validating requests against JSON schema
Alternatives To Express Json Validator Middleware
Select To Compare


Alternative Project Comparisons
Readme

Express JSON Validator Middleware

Express middleware for validating requests against JSON schemas.

npm version npm monthly downloads npm license Build status codecov

Why validate with JSON schemas?

  • Simple - JSON schemas are a simple and expressive way to describe a data structure.
  • Standard - JSON schemas are not specific to JavaScript. In fact, they are used just about everywhere.
  • Fail-Fast - Catch errors early in your logic, evading confusing errors later.
  • Separate Validation - Keep your routes clean. Validation logic doesn't need to be defined in your route handlers.
  • Error Messaging - Ajv provides you with rich error objects that can easily be transformed into human-readable format.
  • Documentation - Creating a JSON Schema is another way of documenting your application.

Install

npm install express-json-validator-middleware

Getting started

import { Validator } from "express-json-validator-middleware";

/**
 * Define a JSON schema.
 */
 const addressSchema = {
  type: "object",
  required: ["street"],
  properties: {
    street: {
      type: "string",
    }
  },
};

/**
 * Initialize a `Validator` instance, optionally passing in
 * an Ajv options object.
 *
 * @see https://github.com/ajv-validator/ajv/tree/v6#options
 */
 const { validate } = new Validator();

/**
 * The `validate` method accepts an object which maps request
 * properties to the JSON schema you want them to be validated
 * against e.g.
 *
 * { requestPropertyToValidate: jsonSchemaObject }
 *
 * Validate `request.body` against `addressSchema`.
 */
app.post("/address", validate({ body: addressSchema }), (request, response) => {
  /**
   * Route handler logic to run when `request.body` has been validated.
   */
  response.send({});
});

Coming from express-jsonschema? Read the migration notes.

Error handling

On encountering invalid data, the validator will call next() with a ValidationError object. It is recommended to setup a general error handler for your app where you handle ValidationError errors.

Example - error thrown for the body request property:

ValidationError {
    name: "JsonSchemaValidationError",
    validationErrors: {
        body: [AjvError]
    }
}

More information on Ajv errors.

Example Express application

import express from "express";

import { Validator, ValidationError } from "express-json-validator-middleware";

const app = express();

app.use(express.json());

const addressSchema = {
  type: "object",
  required: ["number", "street", "type"],
  properties: {
    number: {
      type: "number",
    },
    street: {
      type: "string",
    },
    type: {
      type: "string",
      enum: ["Street", "Avenue", "Boulevard"],
    },
  },
};

const { validate } = new Validator();

/**
 * Validate `request.body` against `addressSchema`.
 */
app.post("/address", validate({ body: addressSchema }), (request, response) => {
  /**
   * Route handler logic to run when `request.body` has been validated.
   */
  response.send({});
});

/**
 * Error handler middleware for validation errors.
 */
app.use((error, request, response, next) => {
  // Check the error is a validation error
  if (error instanceof ValidationError) {
    // Handle the error
    response.status(400).send(error.validationErrors);
    next();
  } else {
    // Pass error on if not a validation error
    next(error);
  }
});

app.listen(3000);

Validating multiple request properties

Sometimes your route may depend on the body and query both having a specific format. In this example we use body and query but you can choose to validate any request properties you like. This example builds on the Example Express application.

const tokenSchema = {
  type: "object",
  required: ["token"],
  properties: {
    token: {
      type: "string",
      minLength: 36,
      maxLength: 36
    },
  },
};

app.post(
  "/address",
  validate({ body: addressSchema, query: tokenSchema }),
  (request, response) => {
    /**
     * Route handler logic to run when `request.body` and
     * `request.query` have both been validated.
     */
    response.send({});
  }
);

A valid request must now include a token URL query. Example valid URL: /street/?uuid=af3996d0-0e8b-4165-ae97-fdc0823be417

Using dynamic schema

Instead of passing in a schema object you can also pass in a function that will return a schema. It is useful if you need to generate or alter the schema based on the request object.

Example: Loading schema from a database (this example builds on the Example Express application):

function getSchemaFromDb() {
  /**
   * In a real application this would be making a database query.
   */
  return Promise.resolve(addressSchema);
}

/**
 * Middleware to set schema on the `request` object.
 */
async function loadSchema(request, response, next) {
  try {
    request.schema = await getSchemaFromDb();
    next();
  } catch (error) {
    next(error);
  }
}

/**
 * Get schema set by the `loadSchema` middleware.
 */
function getSchema(request) {
  return request.schema;
}

app.post(
  "/address",
  loadSchema,
  validate({ body: getSchema }),
  (request, response) => {
    /**
     * Route handler logic to run when `request.body` has been validated.
     */
    response.send({});
  }
);

Ajv instance

The Ajv instance can be accessed via validator.ajv.

import { Validator, ValidationError } from "express-json-validator-middleware";

const validator = new Validator();

// Ajv instance
validator.ajv;

Ajv must be configured before you call Validator.validate() to add middleware (e.g. if you need to define custom keywords.

Ajv versions

The major version 1.x of this module uses [email protected], read their changelog and migration guide here.

Major version 2.x uses [email protected] in order to support draft-07 of JSON Schema. You have to manually configure Ajv to support draft-06 schemas (see https://github.com/ajv-validator/ajv/tree/v6#using-version-6).

Tests

Tests are written using Mocha & Chai.

npm install
npm test

More documentation on JSON Schema

Credits

Popular Json Projects
Popular Express Projects
Popular Data Formats Categories
Related Searches

Get A Weekly Email With Trending Projects For These Categories
No Spam. Unsubscribe easily at any time.
Javascript
Json
Express
Expressjs
Json Schema
Express Middleware