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-server

v0.19.1

Published

RESTful mock server using axios

Downloads

3,073

Readme

npm version npm bundle size CircleCI Codecov Language grade: JavaScript Dependabot Status License

RESTful mock server using axios.

Features

  • You can create a GET/POST/PUT/DELETE API endpoint in a few lines.
  • A dedicated server is not required.
  • It works with SPA as a static JavaScript file.
  • You can use axios as mock-up even in Node.js environment.
  • There is an auto-routing function similar to Nuxt.js, and no path description is required.
  • Supports TypeScript.

Getting Started

Installation

  • Using npm:

    $ npm install axios
    $ npm install axios-mock-server --save-dev
  • Using Yarn:

    $ yarn add axios
    $ yarn add axios-mock-server --dev

Tutorial

Introducing the simplest use of axios-mock-server.

Create API

First, create a mocks directory to store the files you want to mock up.

$ mkdir mocks

Next, create an API endpoint file in the mocks directory.
Let's define a mock API that retrieves basic user information with a GET request.

Create a mocks/users directory and create a _userId.js file.

$ mkdir mocks/users
$ touch mocks/users/_userId.js

# If Windows (Command Prompt)
> mkdir mocks\users
> echo. > mocks\users\_userId.js

Add the following to the mocks/users/_userId.js file.

// file: 'mocks/users/_userId.js'
const users = [{ id: 0, name: 'foo' }, { id: 1, name: 'bar' }]

module.exports = {
  get({ values }) {
    return [200, users.find(user => user.id === values.userId)]
  }
}

The routing of axios-mock-server is automatically generated according to the tree structure of JavaScript and TypeScript files in the mocks directory in the same way as the routing of Nuxt.js.

Reference: Routing - Nuxt.js

In other words, the mocks/users/_userId.js file can define an endpoint using dynamic routing as the path of /users/:userId.

Build API

axios-mock-server needs to build and generate the necessary files for routing before running.

$ node_modules/.bin/axios-mock-server

# If Windows (Command Prompt)
> node_modules\.bin\axios-mock-server

If the build is successful, the $mock.js file is generated in themocks directory.

$ cat mocks/\$mock.js
/* eslint-disable */
module.exports = (client) => require('axios-mock-server')([
  {
    path: '/users/_userId',
    methods: require('./users/_userId')
  }
], client)

# If Windows (Command Prompt)
> type mocks\$mock.js

Mocking Axios

Finally, import the mocks/$mock.js file generated by index.js file etc. and pass it to the argument of axios-mock-server.
axios-mock-server will mock up all axios communications by default.

// file: 'index.js'
const axios = require('axios')
const mock = require('./mocks/$mock.js')

mock()

axios.get('https://example.com/users/1').then(({ data }) => {
  console.log(data)
})

If you run the index.js file, you will see that { id: 1, name: 'bar' } is returned.

$ node index.js
{ id: 1, name: 'bar' }

Examples

axios-mock-server can be used to mock up browser usage, data persistence and multipart/form-data format communication.
It is also easy to link with Nuxt.js (@nuxtjs/axios).

See examples for source code.

WIP

  • with-in-memory-database

Usage

Create an API endpoint

const users = [{ id: 0, name: 'foo' }, { id: 1, name: 'bar' }]

/**
 * Type definitions for variables passed as arguments in requests
 * @typedef { Object } MockMethodParams
 * @property { import('axios').AxiosRequestConfig } config axios request settings
 * @property {{ [key: string]: string | number }} values Dynamic value of the requested URL (underscore part of the path)
 * @property {{ [key: string]: any }} params The value of the query parameter for the requested URL
 * @property { any } data Request data sent by POST etc.
 */

/**
 * Type definition when response is returned as an object
 * @typedef { Object } MockResponseObject
 * @property { number } status HTTP response status code
 * @property { any? } data Response data
 * @property {{ [key: string]: any }?} headers Response header
 */

/**
 * Response type definition
 * @typedef { [number, any?, { [key: string]: any }?] | MockResponseObject } MockResponse
 */

export default {
  /**
   * All methods such as GET and POST have the same type
   * @param { MockMethodParams }
   * @returns { MockResponse }
   */
  get({ values }) {
    return [200, users.find(user => user.id === values.userId)]
  },

  /**
   * You can also return a response asynchronously
   * @param { MockMethodParams }
   * @returns { Promise<MockResponse> }
   */
  async post({ data }) {
    await new Promise(resolve => setTimeout(resolve, 1000))

    users.push({
      id: users.length,
      name: data.name
    })

    return { status: 201 }
  }
}

Connect to axios

Default

axios-mock-server will mock up all axios communications by default.

import axios from 'axios'
import mock from './mocks/$mock.js'

mock()

axios.get('https://example.com/api/foo').then(response => {
  /* ... */
})

Each instance

You can also mock up each axios instance.

import axios from 'axios'
import mock from './mocks/$mock.js'

const client = axios.create({ baseURL: 'https://example.com/api' })

mock(client)

client.get('/foo').then(response => {
  /* ... */
})

// axios will not be mocked up
axios.get('https://example.com/api/foo').catch(error => {
  console.log(error.response.status) // 404
})

Functions

axios-mock-server has several built-in functions available.

setDelayTime(millisecond: number): void

Simulate response delay.

import axios from 'axios'
import mock from './mocks/$mock.js'

mock().setDelayTime(500)

console.time()
axios.get('https://example.com/api/foo').then(() => {
  console.timeEnd() // default: 506.590ms
})

enableLog(): void and disableLog(): void

Switch request log output.

import axios from 'axios'
import mock from './mocks/$mock.js'

const mockServer = mock()

;(async () => {
  // To enable
  mockServer.enableLog()
  await axios.get('/foo', { baseURL: 'https://example.com/api', params: { bar: 'baz' } }) // stdout -> [mock] get: /foo?bar=baz => 200

  // To disable
  mockServer.disableLog()
  await axios.get('/foo', { baseURL: 'https://example.com/api', params: { bar: 'baz' } }) // stdout ->
})()

TypeScript

axios-mock-server includes TypeScript definitions.

Cautions

.gitignore

Exclude $mock.js or $mock.ts generated by axios-mock-server in the build from Git monitoring.

$ echo "\$mock.*" >> .gitignore

# If Windows (Command Prompt)
> echo $mock.* >> .gitignore

@ts-ignore, eslint-disable

For TypeScript projects, add a // @ ts-ignore comment to the above line that imports$ mock.ts. If @typescript-eslint/ban-ts-ignore rule is enabled in typescript-eslint, please exclude the // @ ts-ignore comment from ESLint.

// eslint-disable-next-line @typescript-eslint/ban-ts-ignore
// @ts-ignore: Cannot find module
import mock from './mocks/$mock'

Troubleshooting

The expected type comes from property 'get' which is declared here on type 'MockMethods' error in TypeScript

When returning a response asynchronously with TypeScript, an error occurs because the type does not match if you try to make the response an array.
Assert MockResponse or return it as an object.

Example of error (Note that the axios-mock-server build will pass!)

import { MockMethods } from 'axios-mock-server'

const methods: MockMethods = {
  async get() {
    await new Promise(resolve => setTimeout(resolve, 100))
    return [200, { foo: 'bar' }] // Error
  }
}

export default methods

Resolve by asserting MockResponse.

import { MockMethods, MockResponse } from 'axios-mock-server'

const methods: MockMethods = {
  async get() {
    await new Promise(resolve => setTimeout(resolve, 100))
    return [200, { foo: 'bar' }] as MockResponse // Type safe
  }
}

export default methods

If the response can be an object, no assertion is required.

import { MockMethods } from 'axios-mock-server'

const methods: MockMethods = {
  async get() {
    await new Promise(resolve => setTimeout(resolve, 100))
    return { status: 200, data: { foo: 'bar' } } // Type safe
  }
}

export default methods

Command Line Interface Options

The following options can be specified in the Command Line Interface.

Configuration

Settings are written in .mockserverrc file with JSON syntax.

License

axios-mock-server is licensed under a MIT License.