欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

ajax请求头怎么设置(ajax和http请求的区别)

程序员文章站 2023-11-21 19:41:04
本人已经过原 danny markov 授权翻译在本教程中,我们将学习如何使用 js 进行ajax调用。1.ajax术语ajax 表示 异步的 javascript 和 xml。ajax 在 js 中...

本人已经过原 danny markov 授权翻译

在本教程中,我们将学习如何使用 js 进行ajax调用。

1.ajax

术语ajax 表示 异步的 javascript 和 xml

ajax 在 js 中用于发出异步网络请求来获取资源。当然,不像名称所暗示的那样,资源并不局限于xml,还用于获取json、html或纯文本等资源。

有多种方法可以发出网络请求并从服务器获取数据。我们将一一介绍。

2.xmlhttprequest

xmlhttprequest对象(简称xhr)在较早的时候用于从服务器异步检索数据。

之所以使用xml,是因为它首先用于检索xml数据。现在,它也可以用来检索json, html或纯文本。

事例 2.1: get

function success() {
  var data = json.parse(this.responsetext)
  console.log(data)
}

function error (err) {
  console.log('error occurred:', err)
}

var xhr = new xmlhttprequest()
xhr.onload = success
xhr.onerror = error
xhr.open("get", ""https://jsonplaceholder.typicode.com/posts/1")
xhr.send()

我们看到,要发出一个简单的get请求,需要两个侦听器来处理请求的成功和失败。我们还需要调用open()和send()方法。来自服务器的响应存储在responsetext变量中,该变量使用json.parse()转换为javascript 对象。

function success() {
    var data = json.parse(this.responsetext);
    console.log(data);
}

function error(err) {
    console.log('error occurred :', err);
}

var xhr = new xmlhttprequest();
xhr.onload = success;
xhr.onerror = error;
xhr.open("post", "https://jsonplaceholder.typicode.com/posts");
xhr.setrequestheader("content-type", "application/json; charset=utf-8");
xhr.send(json.stringify({
    title: 'foo',
    body: 'bar',
    userid: 1
  })
);

我们看到post请求类似于get请求。我们需要另外使用setrequestheader设置请求标头“content-type” ,并使用send方法中的json.stringify将json正文作为字符串发送。

2.3 xmlhttprequest vs fetch

早期的开发人员,已经使用了好多年的 xmlhttprequest来请求数据了。现代的fetch api允许我们发出类似于xmlhttprequest(xhr)的网络请求。主要区别在于fetch()api使用promises,它使 api更简单,更简洁,避免了回调地狱。

3. fetch api

fetch 是一个用于进行ajax调用的原生 javascript api,它得到了大多数浏览器的支持,现在得到了广泛的应用。

3.1 api用法

fetch(url, options)
    .then(response => {
        // handle response data
    })
    .catch(err => {
        // handle errors
    });

api参数

fetch() api有两个参数

  1. url是必填参数,它是您要获取的资源的路径。
  2. options是一个可选参数。不需要提供这个参数来发出简单的get请求。
  • method: get | post | put | delete | patch
  • headers: 请求头,如 { “content-type”: “application/json; charset=utf-8” }
  • mode: cors | no-cors | same-origin | navigate
  • cache: default | reload | no-cache
  • body: 一般用于post请求

api返回promise对象

fetch() api返回一个promise对象。

  • 如果存在网络错误,则将拒绝,这会在.catch()块中处理。
  • 如果来自服务器的响应带有任何状态码(如200、404、500),则promise将被解析。响应对象可以在.then()块中处理。

错误处理

请注意,对于成功的响应,我们期望状态代码为200(正常状态),但是即使响应带有错误状态代码(例如404(未找到资源)和500(内部服务器错误)),fetch() api 的状态也是 resolved,我们需要在.then() 块中显式地处理那些。

我们可以在response 对象中看到http状态:

  • http状态码,例如200。
  • ok –布尔值,如果http状态代码为200-299,则为true。

3.3 示例:get

const gettodoitem = fetch('https://jsonplaceholder.typicode.com/todos/1')
  .then(response => response.json())
  .catch(err => console.error(err));

gettodoitem.then(response => console.log(response));
response

 { userid: 1, id: 1, title: "delectus aut autem", completed: false }

在上面的代码中需要注意两件事:

  1. fetch api返回一个promise对象,我们可以将其分配给变量并稍后执行。
  2. 我们还必须调用response.json()将响应对象转换为json

错误处理

我们来看看当http get请求抛出500错误时会发生什么:

fetch('http://httpstat.us/500') // this api throw 500 error
  .then(response => () => {
    console.log("inside first then block");
    return response.json();
  })
  .then(json => console.log("inside second then block", json))
  .catch(err => console.error("inside catch block:", err));
inside first then block
➤ ⓧ inside catch block: syntaxerror: unexpected token i in json at position 4

我们看到,即使api抛出500错误,它仍然会首先进入then()块,在该块中它无法解析错误json并抛出catch()块捕获的错误。

这意味着如果我们使用fetch()api,则需要像这样显式地处理此类错误:-

fetch('http://httpstat.us/500')
  .then(handleerrors)
  .then(response => response.json())
  .then(response => console.log(response))
  .catch(err => console.error("inside catch block:", err));

function handleerrors(response) {
  if (!response.ok) { // throw error based on custom conditions on response
      throw error(response.statustext);
  }
  return response;
}
 ➤ inside catch block: error: internal server error at handleerrors (script snippet %239:9)

3.3 示例:post

fetch('https://jsonplaceholder.typicode.com/todos', {
    method: 'post',
    body: json.stringify({
      completed: true,
      title: 'new todo item',
      userid: 1
    }),
    headers: {
      "content-type": "application/json; charset=utf-8"
    }
  })
  .then(response => response.json())
  .then(json => console.log(json))
  .catch(err => console.log(err))
response

➤ {completed: true, title: "new todo item", userid: 1, id: 201}

在上面的代码中需要注意两件事:-

  1. post请求类似于get请求。我们还需要在fetch() api的第二个参数中发送method,body 和headers 属性。
  2. 我们必须需要使用 json.stringify() 将对象转成字符串请求body参数

4.axios api

axios api非常类似于fetch api,只是做了一些改进。我个人更喜欢使用axios api而不是fetch() api,原因如下:

  • 为get 请求提供 axios.get(),为 post 请求提供 axios.post()等提供不同的方法,这样使我们的代码更简洁。
  • 将响应代码(例如404、500)视为可以在catch()块中处理的错误,因此我们无需显式处理这些错误。
  • 它提供了与ie11等旧浏览器的向后兼容性
  • 它将响应作为json对象返回,因此我们无需进行任何解析

4.1 示例:get

// 在chrome控制台中引入脚本的方法

var script = document.createelement('script');
script.type = 'text/javascript';
script.src = 'https://unpkg.com/axios/dist/axios.min.js';
document.head.appendchild(script);
axios.get('https://jsonplaceholder.typicode.com/todos/1')
  .then(response => console.log(response.data))
  .catch(err => console.error(err));
response

{ userid: 1, id: 1, title: "delectus aut autem", completed: false }

我们可以看到,我们直接使用response获得响应数据。数据没有任何解析对象,不像fetch() api。

错误处理

axios.get('http://httpstat.us/500')
  .then(response => console.log(response.data))
  .catch(err => console.error("inside catch block:", err));
inside catch block: error: network error

我们看到,500错误也被catch()块捕获,不像fetch() api,我们必须显式处理它们。

4.2 示例:post

axios.post('https://jsonplaceholder.typicode.com/todos', {
      completed: true,
      title: 'new todo item',
      userid: 1
  })
  .then(response => console.log(response.data))
  .catch(err => console.log(err))
 {completed: true, title: "new todo item", userid: 1, id: 201}

我们看到post方法非常简短,可以直接传递请求主体参数,这与fetch()api不同。