IT评测·应用市场-qidao123.com

标题: Ajax、Fetch 和 Axios 的对比介绍 [打印本页]

作者: 老婆出轨    时间: 2025-3-10 01:11
标题: Ajax、Fetch 和 Axios 的对比介绍
一、Ajax、Fetch 和 Axios 的介绍

1. Ajax(Asynchronous JavaScript and XML)

概述: Ajax 是一种用于在不重新加载整个页面的环境下与服务器交换数据的技术。它使网页可以或许向服务器发送哀求并处理响应,从而创建动态和交互性的用户界面。
特点:

应用:

2. Fetch API

概述: Fetch API 是新一代的用来发起网络哀求的接口,旨在替换传统的 XMLHttpRequest。它基于 Promise,提供更简洁和易于理解的接口。
特点:

应用:

留意:

3. Axios

概述: Axios 是一个基于 Promise 的 HTTP 客户端,适用于欣赏器和 Node.js。它封装了 XMLHttpRequest 和 fetch API,提供了简单的 API 进行网络哀求。
特点:

应用:




二、对比区别

Ajax 是一种较为早期的技术,提供了很大的灵活性,但也带来了复杂性。
Fetch 作为今世 API,具有更简洁的语法和基于 Promise 的特性,使得处理异步哀求变得更加方便,不过在错误处理上有些不足。
Axios 在这两者之上,提供了一整套高级功能,尤其得当需要处理大量 HTTP 哀求的项目,但需要依赖库的额外引入。



三、哀求的流程

1.Ajax的哀求流程

完备的 Ajax 哀求示例:
  1. var xhr = new XMLHttpRequest();
  2. xhr.open('GET', 'https://api.example.com/data', true);
  3. xhr.onreadystatechange = function() {
  4.     if (xhr.readyState === 4 && xhr.status === 200) {
  5.         var response = JSON.parse(xhr.responseText);
  6.         console.log(response);
  7.     }
  8. };
  9. xhr.send();
复制代码
2.Fetch 的哀求流程

完备的 Fetch 哀求示例:
  1. fetch('https://api.example.com/data')
  2.     .then(response => {
  3.         if (!response.ok) {
  4.             throw new Error('网络响应异常');
  5.         }
  6.         return response.json(); // 将响应解析为 JSON
  7.     })
  8.     .then(data => {
  9.         console.log(data); // 处理获取到的数据
  10.     })
  11.     .catch(error => {
  12.         console.error('请求失败:', error); // 处理错误
  13.     });
复制代码
通过以上步调,您可以利用 Fetch API 实现网络哀求,从服务器异步获取数据并处理响应。
3.Axios 的哀求流程

        Axios 是一个基于 Promise 的 HTTP 客户端,可以用在欣赏器和 Node.js 中。它简化了发送 HTTP 哀求的过程,并提供了许多功能,例如哀求和响应拦截、取消哀求等。以下是利用 Axios 进行哀求的基本流程:
完备的 Axios 哀求示例:
  1. import axios from 'axios';
  2. axios.get('https://api.example.com/data')    .then(response => {        console.log(response.data); // 处理乐成响应的数据    })    .catch(error => {        console.error('哀求失败:', error); // 处理错误    });
复制代码
        通过以上步调,您可以利用 Axios 进行网络哀求,从服务器异步获取数据并处理响应。Axios 提供了更丰富的功能,您可以根据需求进一步探索,如哀求拦截、响应拦截等。




四、各自封装案例

1.Ajax 封装示例

  1. class Ajax {    // 封装GET哀求    static get(url, params = {}) {        return new Promise((resolve, reject) => {            const xhr = new XMLHttpRequest();            const queryString = this.createQueryString(params);            xhr.open('GET', `${url}?${queryString}`, true);            xhr.onload = () => {                if (xhr.status >= 200 && xhr.status < 300) {                    resolve(JSON.parse(xhr.responseText));                } else {                    reject(xhr.statusText);                }            };            xhr.onerror = () => reject(xhr.statusText);            xhr.send();
  2.         });    }    // 封装POST哀求    static post(url, data = {}) {        return new Promise((resolve, reject) => {            const xhr = new XMLHttpRequest();            xhr.open('POST', url, true);            xhr.setRequestHeader('Content-Type', 'application/json;charset=UTF-8');            xhr.onload = () => {                if (xhr.status >= 200 && xhr.status < 300) {                    resolve(JSON.parse(xhr.responseText));                } else {                    reject(xhr.statusText);                }            };            xhr.onerror = () => reject(xhr.statusText);            xhr.send(JSON.stringify(data));        });    }    // 封装PUT哀求    static put(url, data = {}) {        return new Promise((resolve, reject) => {            const xhr = new XMLHttpRequest();            xhr.open('PUT', url, true);            xhr.setRequestHeader('Content-Type', 'application/json;charset=UTF-8');            xhr.onload = () => {                if (xhr.status >= 200 && xhr.status < 300) {                    resolve(JSON.parse(xhr.responseText));                } else {                    reject(xhr.statusText);                }            };            xhr.onerror = () => reject(xhr.statusText);            xhr.send(JSON.stringify(data));        });    }    // 封装DELETE哀求    static delete(url) {        return new Promise((resolve, reject) => {            const xhr = new XMLHttpRequest();            xhr.open('DELETE', url, true);            xhr.onload = () => {                if (xhr.status >= 200 && xhr.status < 300) {                    resolve(JSON.parse(xhr.responseText));                } else {                    reject(xhr.statusText);                }            };            xhr.onerror = () => reject(xhr.statusText);            xhr.send();
  3.         });    }    // 封装文件上传    static upload(url, file) {        return new Promise((resolve, reject) => {            const xhr = new XMLHttpRequest();            const formData = new FormData();            formData.append('file', file);            xhr.open('POST', url, true);            xhr.onload = () => {                if (xhr.status >= 200 && xhr.status < 300) {                    resolve(JSON.parse(xhr.responseText));                } else {                    reject(xhr.statusText);                }            };            xhr.onerror = () => reject(xhr.statusText);            xhr.send(formData);        });    }    // 封装文件下载    static download(url) {        const link = document.createElement('a');        link.href = url;        link.download = '';        document.body.appendChild(link);        link.click();        document.body.removeChild(link);    }    // 创建查询字符串    static createQueryString(params) {        const str = [];        for (let p in params) {            if (params.hasOwnProperty(p)) {                str.push(encodeURIComponent(p) + '=' + encodeURIComponent(params[p]));            }        }        return str.join('&');    }}// GET哀求示例Ajax.get('https://api.example.com/data', { search: 'test' })    .then(response => console.log(response))    .catch(error => console.error(error));// POST哀求示例Ajax.post('https://api.example.com/data', { name: 'test' })    .then(response => console.log(response))    .catch(error => console.error(error));// 上传文件示例const fileInput = document.querySelector('input[type="file"]');fileInput.addEventListener('change', (event) => {    const file = event.target.files[0];    Ajax.upload('https://api.example.com/upload', file)        .then(response => console.log(response))        .catch(error => console.error(error));});// 下载文件示例Ajax.download('https://api.example.com/file.zip');
复制代码
2.Fetch 封装示例

  1. class FetchAPI {
  2.     // 封装GET请求
  3.     static async get(url, params = {}) {
  4.         const queryString = this.createQueryString(params);
  5.         const response = await fetch(`${url}?${queryString}`);
  6.         if (!response.ok) {
  7.             throw new Error(`请求失败: ${response.statusText}`);
  8.         }
  9.         return await response.json();
  10.     }
  11.     // 封装POST请求
  12.     static async post(url, data = {}) {
  13.         const response = await fetch(url, {
  14.             method: 'POST',
  15.             headers: {
  16.                 'Content-Type': 'application/json',
  17.             },
  18.             body: JSON.stringify(data),
  19.         });
  20.         if (!response.ok) {
  21.             throw new Error(`请求失败: ${response.statusText}`);
  22.         }
  23.         return await response.json();
  24.     }
  25.     // 封装PUT请求
  26.     static async put(url, data = {}) {
  27.         const response = await fetch(url, {
  28.             method: 'PUT',
  29.             headers: {
  30.                 'Content-Type': 'application/json',
  31.             },
  32.             body: JSON.stringify(data),
  33.         });
  34.         if (!response.ok) {
  35.             throw new Error(`请求失败: ${response.statusText}`);
  36.         }
  37.         return await response.json();
  38.     }
  39.     // 封装DELETE请求
  40.     static async delete(url) {
  41.         const response = await fetch(url, {
  42.             method: 'DELETE',
  43.         });
  44.         if (!response.ok) {
  45.             throw new Error(`请求失败: ${response.statusText}`);
  46.         }
  47.         return await response.json();
  48.     }
  49.     // 封装文件上传
  50.     static async upload(url, file) {
  51.         const formData = new FormData();
  52.         formData.append('file', file);
  53.         const response = await fetch(url, {
  54.             method: 'POST',
  55.             body: formData,
  56.         });
  57.         if (!response.ok) {
  58.             throw new Error(`请求失败: ${response.statusText}`);
  59.         }
  60.         return await response.json();
  61.     }
  62.     // 封装文件下载
  63.     static download(url) {
  64.         const link = document.createElement('a');
  65.         link.href = url;
  66.         link.download = '';
  67.         document.body.appendChild(link);
  68.         link.click();
  69.         document.body.removeChild(link);
  70.     }
  71.     // 创建查询字符串
  72.     static createQueryString(params) {
  73.         const str = [];
  74.         for (const key in params) {
  75.             if (params.hasOwnProperty(key)) {
  76.                 str.push(`${encodeURIComponent(key)}=${encodeURIComponent(params[key])}`);
  77.             }
  78.         }
  79.         return str.join('&');
  80.     }
  81. }
  82. // GET请求示例
  83. FetchAPI.get('https://api.example.com/data', { search: 'test' })
  84.     .then(response => console.log(response))
  85.     .catch(error => console.error(error));
  86. // POST请求示例
  87. FetchAPI.post('https://api.example.com/data', { name: 'test' })
  88.     .then(response => console.log(response))
  89.     .catch(error => console.error(error));
  90. // 上传文件示例
  91. const fileInput = document.querySelector('input[type="file"]');
  92. fileInput.addEventListener('change', async (event) => {
  93.     const file = event.target.files[0];
  94.     try {
  95.         const response = await FetchAPI.upload('https://api.example.com/upload', file);
  96.         console.log(response);
  97.     } catch (error) {
  98.         console.error(error);
  99.     }
  100. });
  101. // 下载文件示例
  102. FetchAPI.download('https://api.example.com/file.zip');
复制代码
3.Axios 封装示例

  1. import axios from 'axios';
  2. class AxiosAPI {    // 配置默认的 Axios 实例    static instance = axios.create({        baseURL: '', // 填写你的底子 URL        timeout: 10000, // 哀求超时    });    // 封装GET哀求    static async get(url, params = {}) {        try {            const response = await this.instance.get(url, { params });            return response.data;        } catch (error) {            throw new Error(`哀求失败: ${error.response ? error.response.statusText : error.message}`);        }    }    // 封装POST哀求    static async post(url, data = {}) {        try {            const response = await this.instance.post(url, data);            return response.data;        } catch (error) {            throw new Error(`哀求失败: ${error.response ? error.response.statusText : error.message}`);        }    }    // 封装PUT哀求    static async put(url, data = {}) {        try {            const response = await this.instance.put(url, data);            return response.data;        } catch (error) {            throw new Error(`哀求失败: ${error.response ? error.response.statusText : error.message}`);        }    }    // 封装DELETE哀求    static async delete(url) {        try {            const response = await this.instance.delete(url);            return response.data;        } catch (error) {            throw new Error(`哀求失败: ${error.response ? error.response.statusText : error.message}`);        }    }    // 封装文件上传    static async upload(url, file) {        const formData = new FormData();        formData.append('file', file);        try {            const response = await this.instance.post(url, formData, {                headers: {                    'Content-Type': 'multipart/form-data',                },            });            return response.data;        } catch (error) {            throw new Error(`哀求失败: ${error.response ? error.response.statusText : error.message}`);        }    }    // 封装文件下载    static download(url) {        const link = document.createElement('a');        link.href = url;        link.download = '';        document.body.appendChild(link);        link.click();        document.body.removeChild(link);    }}// GET哀求示例AxiosAPI.get('/api/example', { search: 'test' })    .then(response => console.log(response))    .catch(error => console.error(error));// POST哀求示例AxiosAPI.post('/api/example', { name: 'test' })    .then(response => console.log(response))    .catch(error => console.error(error));// 上传文件示例const fileInput = document.querySelector('input[type="file"]');fileInput.addEventListener('change', async (event) => {    const file = event.target.files[0];    try {        const response = await AxiosAPI.upload('/api/upload', file);        console.log(response);    } catch (error) {        console.error(error);    }});// 下载文件示例AxiosAPI.download('/api/file.zip');
复制代码





四、实际开辟留意事项

通过公道利用和封装这些工具,可以显着提拔网络哀求的开辟效率和用户体验。

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。




欢迎光临 IT评测·应用市场-qidao123.com (https://dis.qidao123.com/) Powered by Discuz! X3.4