基本的 DELETE 请求概念
DELETE 请求用于向服务器发送删除资源的请求。它是 RESTful API 中的一个重要方法,用于删除指定的资源。
在 Axios 中,发送 DELETE 请求需要指定目标 URL,并可选地传递一些参数,例如请求头、请求体等。DELETE 请求不同于 GET 请求,它可以包含请求体,因此在某些情况下,你可能需要在 DELETE 请求中传递数据。
DELETE 请求传参写法
在 Axios 中,DELETE 请求的传参写法主要有以下几种方式:
1. 在 URL 中传递参数
最简单的方式是将参数直接拼接在 URL 上,这通常用于传递少量的数据,例如资源的 ID。
示例代码:
javascript
const axios = require('axios');
const resourceId = 123;
axios.delete(`https://api.example.com/resource/${resourceId}`)
.then(response => {
console.log('Resource deleted successfully:', response.data);
})
.catch(error => {
console.error('Error deleting resource:', error);
});
2. 使用 params 参数传递参数
如果你希望将参数作为查询参数传递,可以使用 Axios 的 params
参数。
示例代码:
javascript
const axios = require('axios');
const params = { id: 123 };
axios.delete('https://api.example.com/resource', { params })
.then(response => {
console.log('Resource deleted successfully:', response.data);
})
.catch(error => {
console.error('Error deleting resource:', error);
});
3. 使用 data 参数传递请求体数据
对于一些需要在 DELETE 请求中传递复杂数据的情况,可以使用 Axios 的 data
参数。
示例代码:
javascript
const axios = require('axios');
const requestData = { id: 123, reason: 'No longer needed' };
axios.delete('https://api.example.com/resource', { data: requestData })
.then(response => {
console.log('Resource deleted successfully:', response.data);
})
.catch(error => {
console.error('Error deleting resource:', error);
});