首頁  >  文章  >  web前端  >  淺談使用JavaScript如何進行AJAX呼叫與請求

淺談使用JavaScript如何進行AJAX呼叫與請求

青灯夜游
青灯夜游轉載
2021-06-23 12:04:323267瀏覽

Ajax是一種用來創造更好更快、互動性更強的Web應用程式的技術,這篇文章給大家如何使用JavaScript進行AJAX呼叫和請求的方法。

淺談使用JavaScript如何進行AJAX呼叫與請求

在本教學中,我們將學習如何使用 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()區塊中處理。
  • 如果來自伺服器的回應帶有任何狀態碼(如200404500),則promise將被解析。響應對象可以在.then()區塊中處理。

錯誤處理

請注意,對於成功的回應,我們期望狀態代碼為200(正常狀態),但即使回應帶有錯誤狀態代碼(例如404(未找到資源)和500(內部伺服器錯誤)),fetch() API 的狀態也是resolved,我們需要在.then() 區塊中明確地處理那些。

我們可以在response 物件中看到HTTP狀態:

  • HTTP狀態碼,例如200。
  • ok –布林值,如果HTTP狀態碼為200-299,則為true

3.2 範例: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 }

在上面的程式碼中需要注意兩件事:

  • fetch API傳回promise對象,我們可以將其指派給變數並稍後執行。

  • 我們也必須呼叫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}

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

  • POST请求类似于GET请求。 我们还需要在fetch() API的第二个参数中发送methodbodyheaders 属性。

  • 我们必须需要使用 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不同。

更多编程相关知识,请访问:编程视频!!

以上是淺談使用JavaScript如何進行AJAX呼叫與請求的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述:
本文轉載於:segmentfault.com。如有侵權,請聯絡admin@php.cn刪除