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

axios-mock-shim

v1.2.4

Published

A plugin build for easily using axios-mock-adapter with axios

Downloads

30

Readme

Axios Mock Shim

A plugin build for easily using axios-mock-adapter with axios.

Be sure to install axios & axios-mock-adapter before using this plugin.

Install

npm i axios-mock-shim
// or
yarn add axios-mock-shim

Usage

Step 1.

Import the plugin with two methods createAxios, createAPIHandler

import { createAxios, createAPIHandler } from 'axios-mock-shim';

createAxios(axiosConfig)

Create Axios instance by given config.(default config or your custom config)

const instance = createAxios();

// eg.
instance.interceptors.response.use(
  //...
);

createAPIHandler(axiosInstance, shimOptions)

Create an AxiosRequest object, which you can then use to define & call the api with specific mock data.

Note: Here must provide the shimOptions with at least useMock property to tell the plugin whether using the mock-adapter.

// Create an AxiosRequest with mock-adapter feature
const api = createAPIHandler(instance, { useMock: true });

// If you would like to use pure axios for production
// You can set the option as below
const api = createAPIHandler(instance, {
  useMock: process.env.NODE_ENV !== 'production'
});

Step 2.

Define your api logic & mock data with your AxiosRequest object

method list: use, with, run

- use(method, svc, data)

Define the api setting

  1. method: http method
    required
    - type: string

  2. svc: url path
    required
    - type: string
    (note => without baseURL in axios instance)

  3. data: params or data
    optional
    - type: object

- with(replyHandler)

Define the mock reply data.

If set useMock to false, then no need to call this method.

Even call this method with useMock set by false, it will still skip the mock feature automatically.

  1. replyHandler: handler send to mock-adapter's reply method required - type: function(resolve, reject, config) | array[statusCode: number, data] > function will get three arguments, when using function type reply, please wrap your data into the first resolve method in order to tell the plugin fullfill the Promise.

- mock

Trigger the mock feature without calling run, by default, calling run will trigger mock automatically, but sometimes we just want to define specific response with some params.

Just like with, if useMock is set to false, this method will skip the mock. avoiding you from calling mock accidently in production mode.

// Define some special situation response in dev
if (process.env.NODE_ENV === 'development') {
  const getInfos = [{ id: 3000 }, {
    test: 'This is test data',
  }];
  // trigger as folloing will let Shim plugin cache result for the params without calling a request
  api.use('post', 'buy', getInfos[0]).with([400, getInfos[1]]).mock();
}

- mockOnce()

calling the mock with replyOnce, with only mock request once.

- run()

Execute the AxiosRequest, will execute real request by axios with auto checking for mock cache, if there's no cache yet, will mock & cache the result.

export default {

  // array type reply
  getProfile() {
    return api.use('get', 'solo/config', { params: { token: 1 } }).with([200, {
      data: {
        number: 10,
      }
    }]).run();
  },

  // function type reply
  getSoloConfig() {
    return api.use('post', 'profile', { id: 100 })
      .with((resolve, reject, config) => {
        console.log(config); // mock-adapter's config
        res([
          200,
          {
            data: {
              name: 'Johnny',
              money: 1000,
            },
          }
        ]);
      }).run();
  },

  // If no need for mock
  getNoMock() {
    return api.use('get', 'nomock').run();
  },
};

- runOnce()

Same behavior to run, but would just mock once. same action as mockOnce + run.

Options

useMock

  • Type: boolean

Required to set whether using mock-adapter. no default value.

snakifyData

  • Type: boolean

Whether snakify keys in params or data in request. SnakifyKeys will run before the beforeRequest, those config added by beforeRequest will not auto apply the snakifyKeys method.

beforeRequest

  • Type: Function

provide a way to dynamically inject some axios config each request, such as getting localStorage data into header.

it will give you the default params to send to request.

if this property is not set, it will use the default params to call

The axios instance will call such as axios.post() but not axios() to send the request in order to match the mock-adapter's setting, using axios() with sending data will cause 404 error!! See: Mock failed with 404 Error

const api = createAPIHandler(instance, {
  beforeRequest(config) {
    const TOKEN = localStorage.getItem('TOKEN');
    return Object.assign(config, {
      headers: {
        'Content-Type': 'application/json',
        'My-Token': TOKEN,
      },
    });
  },
});

beforeResponse

  • Type: Function

You can specify what to do before getting the response, eg.

const api = createAPIHandler(instance, {
  useMock: true,
  beforeResponse(response) {
    return camelizeKeys(response.data);
  },
});

anyReply

If you need to mock every request which without using with to set its mock data, this property could that you define a fallback reply which will be used for all unhandled request.

This could only used with useMock set by true;

const api = createAPIHandler(instance, {
  useMock: process.env.NODE_ENV !== 'production',
  anyReply: [200, {
    error: 'Unhandled request',
  }],
  // or
  anyReply(resolve, reject, config) {
    if (Math.random() > 0.1) return reject([404]);
    return resolve([200, {
      error: 'Unhandled request'
    }]);
  },
});

Default setting

Mock Adapter Config

const mockDefaultConfig = {
  delayResponse: 500,
  onNoMatch: "passthrough",
}

Axios Config

const axiosDefaultConfig = {
  baseURL: '/api/',
  headers: {
    'Content-Type': 'application/json',
  },
  timeout: 5000,
  withCredentials: true,
}

Usecase Demo (Webpack)

import { createAxios, createAPIHandler } from 'axios-mock-shim';

const instance = createAxios({
  xsrfCookieName: 'myToken',
  xsrfHeaderName: 'MY-TOKEN',
});

const api = createAPIHandler(instance, {
  useMock: process.env.NODE_ENV === 'development',
  snakifyData: true,
  beforeRequest(params) {
    const TOKEN = localStorage.getItem('MY-TOKEN');
    // console.log(params);
    return Object.assign(params, {
      headers: {
        'MY-Token': TOKEN,
      },
    });
  },
  beforeResponse(res) {
    return utils.camelizeKeys(res.data);
  },
});

// custom situation request
// will not be bundled in production
if (process.env.NODE_ENV === 'development') {
  const getInfos = [{ id: 3000 }, {
    test: 'This is test data',
  }];
  // trigger as folloing will let Shim plugin cache result for the params
  api.use('post', 'buy', getInfos[0]).with([400, getInfos[1]]).mock();
}

export default {
  getUser() {
    return api.use('get', 'user').with([200, {
      username: 'Johnny',
      age: 3333,
    }]).run();
  },
  postBuy({ id }) {
    return api.use('post', 'buy', {
      id,
    }).with([200, {
      normal: 'Here is normal response text',
    }]).run();
  },
}

License

MIT

Copyright (c) 2020-present, Johnny Wang