Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More
Socket
Sign inDemoInstall
Socket

@axios-use/vue

Package Overview
Dependencies
Maintainers
1
Versions
25
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@axios-use/vue

A Vue composition utilities for Axios.

  • 0.2.5
  • latest
  • Source
  • npm
  • Socket score

Version published
Maintainers
1
Created
Source

@axios-use/vue - A Vue composition utilities for Axios. Lightweight and less change. @axios-use/vue - A Vue composition utilities for Axios. Lightweight and less change.
A Vue composition utilities for Axios. Lightweight, cancelable and less change.

NPM version minzipped size license



npm i axios @axios-use/vue


  • 🪽 Lightweight with 1.7kb bundle size
  • 👼 Less change. Increment, doesn't affect current Axios usage
  • ✨ Written in TypeScript
  • 🚀 Cancelable. Auto / Manual cancellation of duplicate requests
  • 🙆‍♂️ Works with both Vue 2.7 and Vue 3

Usage

Quick Start

<script setup>
import { defineProps, toRef } from "vue";
import { useResource } from "@axios-use/vue";

const props = defineProps(["userId"]);
const userId = toRef(props, "userId");
const [reqState] = useResource((id) => ({ url: `/user/${id}` }), [userId]);
</script>

<template>
  <div v-if="reqState.error">{{ reqState.error?.message || "error" }}</div>
  <div v-else-if="reqState.isLoading === false">{{ reqState.data?.name }}</div>
  <div v-else>...</div>
</template>
import { useRequest, useResource } from "@axios-use/vue";

Options (optional)

configtypedefaultexplain
instanceobjectaxiosAxios instance. You can pass your axios with a custom config.
getResponseItemfunction(r) => r.datacustom data value. The default value is response['data']. PR#1
import axios from "axios";
import AxiosUseVue from "@axios-use/vue";

import App from "./App.vue";

// custom Axios instance. https://github.com/axios/axios#creating-an-instance
const axiosInstance = axios.create({
  baseURL: "https://example.com/",
});

const app = createApp(App);
// custom instance
app.use(AxiosUseVue, { instance: axiosInstance });

app.mount("#app");
// Vue.js v2.7
Vue.use(AxiosUseVue, { instance: axiosInstance });

useRequest

optiontypeexplain
fnfunctionget AxiosRequestConfig function
options.onCompletedfunctionThis function is passed the query's result data.
options.onErrorfunctionThis function is passed an RequestError object
options.instanceAxiosInstanceCustomize the Axios instance of the current item
options.getResponseItemfunctioncustom returns the value of data(index 0).
// js
const [createRequest, { hasPending, cancel }] = useRequest((id) => ({
  url: `/user/${id}`,
  method: "DELETE",
}));

// ts
const [createRequest, { hasPending, cancel }] = useRequest((id: string) =>
  // response.data: Result. AxiosResponse<Result>
  request<Result>({
    url: `/user/${id}`,
    method: "DELETE",
  }),
);
interface CreateRequest {
  // Promise function
  ready: () => Promise<[Payload<T>, AxiosResponse]>;
  // Axios Canceler. clear current request.
  cancel: Canceler;
}

type HasPending = ComputedRef<boolean>;
// Axios Canceler. clear all pending requests(CancelTokenSource).
type Cancel = Canceler;
// options: onCompleted, onError
const [createRequest, { hasPending, cancel }] = useRequest(
  (id) => ({
    url: `/user/${id}`,
    method: "DELETE",
  }),
  {
    onCompleted: (data, response) => console.info(data, response),
    onError: (err) => console.info(err),
  },
);

useResource

optiontypeexplain
fnfunctionget AxiosRequestConfig function
parametersarray | falsefn function parameters. effect dependency list
options.filterfunctionRequest filter. if return a falsy value, will not start the request
options.defaultStateobjectInitialize the state value. {data, response, error, isLoading}
options.onCompletedfunctionThis function is passed the query's result data.
options.onErrorfunctionThis function is passed an RequestError object
options.instanceAxiosInstanceCustomize the Axios instance of the current item
options.getResponseItemfunctioncustom returns the value of data(index 0).
// js
const [reqState, fetch, refresh, cancel] = useResource((id) => ({
  url: `/user/${id}`,
  method: "GET",
}));

// ts
const [reqState, fetch, refresh] = useResource((id: string) =>
  // response.data: Result. AxiosResponse<Result>
  request<Result>({
    url: `/user/${id}`,
    method: "GET",
  }),
);
type ReqState = ComputedRef<{
  // Result
  data?: Payload<T>;
  // axios response
  response?: AxiosResponse;
  // normalized error
  error?: RequestError;
  isLoading: boolean;
}>;

// `options.filter` will not be called
type Fetch = (...args: Parameters<T>) => Canceler;

// 1. Same as `fetch`. But no parameters required. Inherit `useResource` parameters
// 2. Will call `options.filter`
type Refresh = () => Canceler | undefined;
type Cancel = Canceler;

The request can also be triggered passing its arguments as dependencies to the useResource hook.

const userId = ref("001");

const [reqState] = useResource(
  (id) => ({
    url: `/user/${id}`,
    method: "GET",
  }),
  [userId],
);

// no parameters
const [reqState] = useResource(
  () => ({
    url: "/users/",
    method: "GET",
  }),
  [],
);

// conditional
const [reqState, request] = useResource(
  (id) => ({
    url: `/user/${id}`,
    method: "GET",
  }),
  [userId],
  {
    filter: (id) => id !== "12345",
  },
);

request("12345"); // custom request is still useful

// ComputedRef parameter
const params = computed(() => ({ id: unref(userId) }));
const [reqState, request] = useResource(
  ({ id }) => ({
    url: `/user/${id}`,
    method: "GET",
  }),
  [params],
);

// reactive parameter
const params = reactive({ id: userId });
const [reqState, request] = useResource(
  ({ id }) => ({
    url: `/user/${id}`,
    method: "GET",
  }),
  [params],
);

// options: onCompleted, onError
const [reqState] = useResource(
  () => ({
    url: "/users/",
    method: "GET",
  }),
  [],
  {
    onCompleted: (data, response) => console.info(data, response),
    onError: (err) => console.info(err),
  },
);

other

request

The request function allows you to define the response type coming from it. It also helps with creating a good pattern on defining your API calls and the expected results. It's just an identity function that accepts the request config and returns it. Both useRequest and useResource extract the expected and annotated type definition and resolve it on the response.data field.

import { request } from "@axios-use/vue";

const api = {
  getUsers: () => {
    return request<Users>({
      url: "/users",
      method: "GET",
    });
  },

  getUserInfo: (userId: string) => {
    return request<UserInfo>({
      url: `/users/${userId}`,
      method: "GET",
    });
  },
};

You can also use these request functions directly in axios.

const usersRes = await axios(api.getUsers());

const userRes = await axios(api.getUserInfo("ID001"));

custom response type. (if you change the response's return value. like axios.interceptors.response)

import { request, _request } from "@axios-use/vue";

const [reqState] = useResource(() => request<DataType>({ url: `/users` }));
// AxiosResponse<DataType>
unref(reqState).response;
// DataType
unref(reqState).data;

// custom response type
const [reqState] = useResource(() => _request<MyWrapper<DataType>>({ url: `/users` }));
// MyWrapper<DataType>
unref(reqState).response;
// MyWrapper<DataType>["data"]. maybe `undefined` type.
// You can use `getResponseItem` to customize the value of `data`
unref(reqState).data;
createRequestError

The createRequestError normalizes the error response. This function is used internally as well. The isCancel flag is returned, so you don't have to call axios.isCancel later on the promise catch block.

interface RequestError<T> {
  data?: T;
  message: string;
  code?: string | number;
  isCancel: boolean;
  original: AxiosError<T>;
}

License

MIT

Keywords

FAQs

Package last updated on 12 Jan 2024

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc