axios的cookie跨域以及相關配置前端
一、 帶cookie請求 - 畫個重點node
axios默認是發送請求的時候不會帶上cookie的,須要經過設置withCredentials: true來解決。 這個時候須要注意須要後端配合設置:ios
- header信息 Access-Control-Allow-Credentials:true
- Access-Control-Allow-Origin不能夠爲 '*',由於 '*' 會和 Access-Control-Allow-Credentials:true 衝突,需配置指定的地址
若是後端設置 Access-Control-Allow-Origin: '*', 會有以下報錯信息web
Failed to load http://localhost:8090/category/lists: The value of the 'Access-Control-Allow-Origin' header in the response must not be the wildcard '*' when the request's credentials mode is 'include'. Origin 'http://localhost:8081' is therefore not allowed access. The credentials mode of requests initiated by the XMLHttpRequest is controlled by the withCredentials attribute.ajax
後端配置缺一不可,不然會出錯,貼上個人後端示例:express
const express = require('express') const app = express() const cors = require('cors') // 此處個人項目中使用express框架,跨域使用了cors npm插件 app.use(cors{ credentials: true, origin: 'http://localhost:8081', // web前端服務器地址 // origin: '*' // 這樣會出錯 })
成功以後,可在請求中看到npm
二、個人前端項目代碼的axios配置json
axios統一配置,會很好的提高效率,避免bug,以及定位出bug所在(方便捕獲到error信息) 創建一個單獨的fetch.js封裝axios請求並做爲方法暴露出來 import axios from 'axios' // 建立axios實例 const service = axios.create({ baseURL: process.env.BASE_API, // node環境的不一樣,對應不一樣的baseURL timeout: 5000, // 請求的超時時間 //設置默認請求頭,使post請求發送的是formdata格式數據// axios的header默認的Content-Type好像是'application/json;charset=UTF-8',個人項目都是用json格式傳輸,若是須要更改的話,能夠用這種方式修改 // headers: { // "Content-Type": "application/x-www-form-urlencoded" // }, withCredentials: true // 容許攜帶cookie }) // 發送請求前處理request的數據 axios.defaults.transformRequest = [function (data) { let newData = '' for (let k in data) { newData += encodeURIComponent(k) + '=' + encodeURIComponent(data[k]) + '&' } return newData }] // request攔截器 service.interceptors.request.use( config => { // 發送請求以前,要作的業務 return config }, error => { // 錯誤處理代碼 return Promise.reject(error) } ) // response攔截器 service.interceptors.response.use( response => { // 數據響應以後,要作的業務 return response }, error => { return Promise.reject(error) } ) export default service 以下所示,若是須要調用ajax請求 import fetch from '@/utils/fetch' fetch({ method: 'get', url: '/users/list' }) .then(res => { cosole.log(res) })