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

@safer-api/axios

v1.1.0

Published

[![NPM version](https://img.shields.io/npm/v/@safer-api/axios.svg)](https://www.npmjs.com/package/@safer-api/axios) [![CI Status](https://github.com/justsml/safer-axios/workflows/test/badge.svg)](https://github.com/justsml/safer-axios/actions)

Downloads

5

Readme

@safer-api/axios

NPM version CI Status

API Validation - Centralized & Simplified

Overview

The @safer-api/axios library lets you define request & response interceptors by http method & path.

While Axios provides interceptors to process requests and responses, it has no elegant way to do so conditionally per URL.

Example @safer-api/axios 'validation router'

// Create a wrapper for `/api/notes` service:
const axiosNotesApi = saferAxios({
  `GET /api/notes`: {
    response: (notes) => notes.every(note => validate_id_and_note(note)),
  },
  `POST /api/notes`: {
    request: (data) => data?.id == undefined,
    response: (data) => data.id !== undefined,
  }
});

See complete example.

It's similar in concept to Express Server/Router. You provide route handlers by path & method. So a GET /some/thing/ would be handled by something like: app.get('/some/thing', respondWithTheThing).

Install

npm install @safer-api/axios

yarn add @safer-api/axios

Design Notes

  • Centrally manage API validation by HTTP Method + Path.

  • Runs Validation functions per HTTP request payload and/or response body.

  • Any request to unrecognized paths will be allowed without any validation.

  • A Validation function matches (errorDetails) => true | false | Error

    1. Accept a JSON object.
    2. Succeed by returning any truthy value.
    3. Fail with either throw Error('....') or return false.

There are 2 main modes of operation:

  1. Fail on Error. Breaks the flow of the Promise chain. Prevents bad data flowing in or out.
    • Use cases: log unexpected data from 3rd party data providers to Sentry or DataDog, microservice-to-microservice integration code.
  2. Log Silently. A callback option can capture details about validation failures silently.
    • Use cases: log failures to Sentry or DataDog, microservice-to-microservice integration code, update React/Redux state (form error messages).

Related Libraries

See @safer-api/fetch for a browser fetch and node-fetch compatible version of this library.

Example

Step 1/2: Define your path & function mapping

Choose the mode that fits your use case: Fail on Error or Log Silently.

Fail on Error

This configuration will bail out of the promise chain on any false-y return value or thrown error.

// `./src/services/notes.js`
import saferAxios from '@safer-api/axios';

export default saferAxios({
  `GET /api/notes`: data => schema_id_and_note.parse(data),
  `POST /api/notes`: {
    request: (data) => schema_note.parse(data),
    response: (data) => schema_id_and_note.parse(data),
  }
}); // Note: no options - default behavior is to reject on error.

Log Silently

To silently handle validation failures, we'll need to pass in an options parameter:

{ ignoreErrors: true, callback: (details) => console.info(details) }

// `./src/services/notes.js`
import saferAxios from '@safer-api/axios';

export default saferAxios({
  `GET /api/notes`: data => schema_id_and_note.parse(data),
  `POST /api/notes`: {
    request: (data) => schema_note.parse(data),
    response: (data) => schema_id_and_note.parse(data),
  }
}, {
  ignoreErrors: true,
  callback: (details) => console.info(details),
});

Step 2/2: Replace axios calls with new saferAxios wrapper

Use the module exported with saferAxios(pathConfig) just as you would axios(url, config), axios.get(url, config), etc.

// `./src/modules/notes.js`
import axiosNotesApi from './src/services/notes'

export const listNotes = () => axiosNotesApi('/api/notes');

export const createNote = (data) =>
  axiosNotesApi('/api/notes', {method: 'post', data});

export const updateNote = (id, data) =>
  axiosNotesApi(`/api/notes/${id}`, {method: 'post', data});

TODO

  • [ ] Support transforming payloads.
  • [ ] Support full URL, w/ domain. (Query string pattern matching?)
  • [ ] Dynamic path & validation interface. (registerHandler(method, path, handler: fn | fn[]), appendHandler(method, path, handler: fn | fn[]), listHandlers(): PathMapping[])
  • [ ] Chaining arrays of functions. (Or include a pipeline composition example.)