What is axios?Axios is a promise-based HTTP library that can be used in browsers and node.js. characteristic:
Promises axios relies on native ES6 Promise implementation to be supported. If your environment does not support ES6 Promise, you can use a polyfill. Axios request type?Install a set of node environments:
Axios encapsulates the default custom configurationconst instance = axios.create({ { // `url` is the server URL to use for the request url: '/user', // `method` is the method used when creating the request method: 'get', // default // `baseURL` will be automatically prepended to `url` unless `url` is an absolute URL. // It is convenient to pass relative URLs to the methods of the axios instance by setting a `baseURL` baseURL: 'https://some-domain.com/api/', // `transformRequest` allows modification of request data before sending to the server // Can only be used with 'PUT', 'POST' and 'PATCH' request methods // The functions in the following array must return a string, ArrayBuffer, or Stream transformRequest: [function (data, headers) { //Perform arbitrary conversion on data return data; }], // `transformResponse` allows modifying the response data before passing it to then/catch transformResponse: [function (data) { //Perform arbitrary conversion on data return data; }], // `headers` is the custom request header that will be sent headers: {'X-Requested-With': 'XMLHttpRequest'}, // `params` are the URL parameters that will be sent with the request // must be a plain object or a URLSearchParams object params: { ID: 12345 }, // `paramsSerializer` is a function responsible for serializing `params` // (eg https://www.npmjs.com/package/qs, http://api.jquery.com/jquery.param/) paramsSerializer: function(params) { return Qs.stringify(params, {arrayFormat: 'brackets'}) }, // `data` is the data to be sent as the request body // Only applies to request methods 'PUT', 'POST', and 'PATCH' // When `transformRequest` is not set, it must be one of the following types: // - string, plain object, ArrayBuffer, ArrayBufferView, URLSearchParams // - Browser-specific: FormData, File, Blob // - Node specific: Stream data: { firstName: 'Fred' }, // `timeout` specifies the number of milliseconds for the request to timeout (0 means no timeout) // If the request takes longer than `timeout`, the request will be interrupted timeout: 1000, // `withCredentials` indicates whether credentials are required for cross-domain requests withCredentials: false, // default // `adapter` allows custom request handling to make testing easier // Returns a promise with a valid response (see [response docs](#response-api)). adapter: function (config) { /* ... */ }, // `auth` indicates that HTTP Basic Authentication should be used, and provides credentials // This will set an `Authorization` header, overwriting any existing custom `Authorization` header set using `headers` auth: { username: 'janedoe', password: 's00pers3cret' }, // `responseType` indicates the data type of the server response, which can be 'arraybuffer', 'blob', 'document', 'json', 'text', 'stream' responseType: 'json', // default // `responseEncoding` indicates encoding to use for decoding responses // Note: Ignored for `responseType` of 'stream' or client-side requests responseEncoding: 'utf8', // default // `xsrfCookieName` is the name of the cookie used as the value of the xsrf token xsrfCookieName: 'XSRF-TOKEN', // default // `xsrfHeaderName` is the name of the http header that carries the xsrf token value xsrfHeaderName: 'X-XSRF-TOKEN', // default // `onUploadProgress` allows handling progress events for uploads onUploadProgress: function (progressEvent) { // Do whatever you want with the native progress event }, // `onDownloadProgress` allows handling progress events for download onDownloadProgress: function (progressEvent) { // Handling of native progress events}, // `maxContentLength` defines the maximum size of the response content maxContentLength: 2000, // `validateStatus` defines whether to resolve or reject the promise for a given HTTP response status code. If `validateStatus` returns `true` (or is set to `null` or `undefined`), the promise will be resolved; otherwise, the promise will be rejected. validateStatus: function (status) { return status >= 200 && status < 300; // default }, // `maxRedirects` defines the maximum number of redirects to follow in node.js // If set to 0, no redirects will be followed maxRedirects: 5, // default // `socketPath` defines a UNIX Socket to be used in node.js. // eg '/var/run/docker.sock' to send requests to the docker daemon. // Only either `socketPath` or `proxy` can be specified. // If both are specified, `socketPath` is used. socketPath: null, // default // `httpAgent` and `httpsAgent` are used in node.js to define custom agents to use when executing http and https respectively. Allows configuration options like this: // `keepAlive` is not enabled by default httpAgent: new http.Agent({ keepAlive: true }), httpsAgent: new https.Agent({ keepAlive: true }), // 'proxy' defines the hostname and port of the proxy server // `auth` indicates that HTTP basic authentication should be used to connect to the proxy, and provide credentials // This will set a `Proxy-Authorization` header, overriding any existing custom `Proxy-Authorization` header set using `header`. proxy: { host: '127.0.0.1', port: 9000, auth: username: 'mikeymike', password: 'rapunz3l' } }, // `cancelToken` specifies the cancel token used to cancel the request // (See the Cancellation section below for more information) cancelToken: new CancelToken(function (cancel) { }) } }).then(function(response){ // `data` The response data provided by the server: {}, // `status` The HTTP status code from the server response status: 200, // `statusText` HTTP status information from the server response statusText: 'OK', // `headers` Server response headers: {}, // `config` is the configuration information provided for the request config: {}, // 'request' // `request` is the request that generated this response // It is the last ClientRequest instance in node.js (in redirects) // and an XMLHttpRequest instance the browser request: {} }); Configuration loading priorityHigh to low order: Step 1: Configure default values Configuration items set in the request instance.get('/longRequest', { timeout: 5000 }); Part 2: Global Axios Defaults Configuration items set in the api file instance.defaults.timeout = 2500; Step 3: Customize instance defaults Configuration items set when creating an axios instance var instance = axios.create(); Interceptor// Add request interceptor axios.interceptors.request.use(function (config) { // Do something before sending the request return config; }, function (error) { // Do something with request error return Promise.reject(error); }); // Add response interceptor axios.interceptors.response.use(function (response) { // Do something with the response data return response; }, function (error) { switch (err.response.status) { case 400: err.message = 'Error request'; break; case 401: err.message = 'Unauthorized, please log in again'; break; case 403: err.message = 'Access denied'; break; case 404: err.message = 'Request error, the resource was not found'; break; case 405: err.message = 'Request method not allowed'; break; case 408: err.message = 'Request timeout'; break; case 415: err.message = 'The server cannot process the media format attached to the request'; break; case 500: err.message = 'Server error'; break; case 501: err.message = 'Network not implemented'; break; case 502: err.message = 'Network error'; break; case 503: err.message = 'Service unavailable'; break; case 504: err.message = 'Network timeout'; break; case 505: err.message = 'The http version does not support this request'; break; default: err.message = `Connection error ${err.response.status}`; } } else { err.message = 'Failed to connect to the server'; } return Promise.resolve(err.response); });
Get requestaxios.get({ method:'get', url:'xxxx', reponseType:'', //corresponding type parems:{//input parameter } }).then(function(response){ .... }) post requestaxios({ method: 'post', url: '/user/12345', data: { firstName: 'Fred', lastName: 'Flintstone' } }).then(function(res){ }); delete requestaxios({ method: 'delete', url: '/user/12345', //Parameter 1: Mount to the end of the request parmes: { } //Parameter 2: Mount into the request body data{ } }).then(function(res){ }); Put request: Update the entire object resourceaxios({ method: 'put', url: '/user/12345', data{ } }).then(function(res){ }); Patch request: Updates local resources of an objectaxios({ method: 'patch', url: '/user/12345', data{ } }).then(function(res){ });
Concurrent Requestsaxios.all(iterable) axios.spread(callback) function getUserAccount() { return axios.get('/user/12345'); } function getUserPermissions() { return axios.get('/user/12345/permissions'); } //Request array axios.all([getUserAccount(), getUserPermissions()]) .then(axios.spread(function (acct, perms) { // response body of the corresponding request // both requests are now completed })); What is the difference between axios and ajax?axios: Making http requests from node.js Support for Promise API Client-side support for CSRF protection Provides some concurrent request interfaces (important, convenient for many operations) ajax: 3. The entire JQuery project is too large. It is unreasonable to introduce the entire JQuery when using only ajax (adopting a personalized packaging solution does not allow CDN services) How to customize the encapsulation of axios?1. Establish interface request encapsulation, response, interception, authentication, and other basic configuration files index.js Import static resources import axios from 'axios'; import qs from 'qs'; import apiMap from './apiMap'; Set the global default parameter axios.defaults.withCredentials = false; axios.defaults.headers.post['Content-Type'] = 'application/json; charset=UTF-8'; Set the default request parameters const instance = axios.create({ baseURL: process.env.API_ROOT, timeout: 15 * 1000, auth: ... }, headers: { 'Content-Type': 'application/json;charset=utf-8', 'X-Requested-With': 'XMLHttpRequest', }, }, ); Set up request interception: instance.interceptors.request.use(function (config) { ... }) Set up corresponding interception: // Response interceptor is exception handlinginstance.interceptors.response.use(response => response , (err) => { if (err && err.response) { switch (err.response.status) { case 400: err.message = 'Error request'; break; case 401: err.message = 'Unauthorized, please log in again'; break; case 403: err.message = 'Access denied'; break; case 404: err.message = 'Request error, the resource was not found'; break; case 405: err.message = 'Request method not allowed'; break; case 408: err.message = 'Request timeout'; break; case 415: err.message = 'The server cannot process the media format attached to the request'; break; case 500: err.message = 'Server error'; break; case 501: err.message = 'Network not implemented'; break; case 502: err.message = 'Network error'; break; case 503: err.message = 'Service unavailable'; break; case 504: err.message = 'Network timeout'; break; case 505: err.message = 'The http version does not support this request'; break; default: err.message = `Connection error ${err.response.status}`; } } else { err.message = 'Failed to connect to the server'; } return Promise.resolve(err.response); }); Encapsulation interface request: let api={ /** * get method encapsulation * @param url * @param params * @returns {Promise} */ get (url, params = {}) { return new Promise((resolve, reject) => { instance.get(apiMap[url],params).then(res => { resolve(res.data) }).catch(err => { reject(err) }) }) }, /** * post * @param url * @param params * @returns {Promise} */ post (url, params = {}) { return new Promise((resolve, reject) => { instance.post(apiMap[url], params) .then(res => { resolve(res.data) }, err => { reject(err) }) }) }, /** * delete method encapsulation * @param url * @param params * @returns {Promise} */ delete (url, params = {}) { return new Promise((resolve, reject) => { instance.delete(apiMap[url] ,params).then(res => { resolve(res.data) }).catch(err => { reject(err) }) }) }, /** * put method encapsulation * @param url * @param params * @returns {Promise} */ put (url, params = {}) { return new Promise((resolve, reject) => { instance.put(apiMap[url], params).then(res => { resolve(res.data) }).catch(err => { reject(err) }) }) }, /** * Patch method encapsulation * @param url * @param params * @returns {Promise} */ patch (url, params = {}) { return new Promise((resolve, reject) => { instance.patch(apiMap[url], params).then(res => { resolve(res.data) }).catch(err => { reject(err) }) }) } } export default api; 2. Create an interface file in the form of key-vlue to facilitate interface request management apiMap.js export default { // Theme list key: 'path' }; 3. Introduce the index file into the vue entry file Import Vue resourcesimport Vue from 'vue' Import the viewui plug-in import ViewUI from 'view-design'; Import viewuicss file import 'view-design/dist/styles/iview.css'; Import file|No file suffix is required by defaultimport Api from '/index'; Global binding | $ sets the scope for instance properties Vue.prototype.$api = Api; Global parameter configuration: Create a configuration file index.js: import Vue from 'vue'; import Vuex from 'vuex'; import State from './state'; Vue.use(Vuex); const store = new Vuex.Store(State); export default store; Create a global parameter detailed file state.js export default { state: { //Put global parameters here test: 0 }, mutations:{ //Set value test(state,value)=>state.test=value; }, getters:{//return value test: state =>state.test; } }; Calling method: var data = this.$store.getter.test; var data = this.$store.commit('test', data); Vue.use(Vuex); Determine whether Vue has registered the Vuex plug-in; Mix the vuexInit function into the beforeCreate lifecycle of vue; When vue is instantiated, the store property is added to each vue instance, and the vuex instance is bound to the store property, and the vuex instance is bound to To the store property, and bind the vuex instance to the store property. SummarizeThis is the end of this article about vue application based on axios request encapsulation. For more related axios request encapsulation content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: Windows Server 2016 Standard Key activation key serial number
>>: Summary of common MySQL commands
MySQL 5.7.17 installation and configuration metho...
With the right settings, you can force Linux user...
You can use yum to install all dependencies toget...
Tutorial Series MySQL series: Basic concepts of M...
Preface Nginx 's built-in module supports lim...
1. Introduction Recently I found that there are m...
Preface Today, a developer gave me feedback that ...
Note that this is not a project created by vue-cl...
I started using Linux for development and enterta...
In Black Duck's 2017 open source survey, 77% ...
1. Introduction By enabling the slow query log, M...
Because I wrote the word transition incorrectly i...
Hello everyone, today we are going to learn about...
Table of contents 1. Basic types 2. Object Type 2...
In this article we assume you already know the ba...