在 傳統Ajax 時代,進行 API 等網絡請求都是經過XMLHttpRequest或者封裝後的框架進行網絡請求,然而配置和調用方式很是混亂,對於剛入門的新手並不友好。今天咱們介紹的Fetch提供了一個更好的替代方法,它不只提供了一種簡單,合乎邏輯的方式來跨網絡異步獲取資源,並且能夠很容易地被其餘技術使用,例如 Service Workers。
本文首發地址爲GitHub博客,寫文章不易,請多多支持與關注!git
使用Ajax請求一個 JSON 數據通常是這樣:github
var xhr = new XMLHttpRequest(); xhr.open('GET', url/file,true); xhr.onreadystatechange = function() { if(xhr.readyState==4){ if(xhr.status==200){ var data=xhr.responseText; console.log(data); } }; xhr.onerror = function() { console.log("Oh, error"); }; xhr.send();
一樣咱們使用fetch請求JSON數據:json
fetch(url).then(response => response.json())//解析爲可讀數據 .then(data => console.log(data))//執行結果是 resolve就調用then方法 .catch(err => console.log("Oh, error", err))//執行結果是 reject就調用catch方法
從二者對比來看,fetch代碼精簡許多,業務邏輯更清晰明瞭,使得代碼易於維護,可讀性更高。
總而言之,Fetch 優勢主要有:api
1. 語法簡潔,更加語義化,業務邏輯更清晰網絡
2. 基於標準 Promise 實現,支持 async/awaitapp
3. 同構方便,使用isomorphic-fetch框架
因爲 Fetch API 是基於 Promise 設計,接下來咱們簡單介紹下Promise工做流程,方便你們更好理解Fetch。
異步
fetch方法返回一個Promise對象, 根據 Promise Api 的特性, fetch能夠方便地使用then方法將各個處理邏輯串起來, 使用 Promise.resolve() 或 Promise.reject() 方法將分別返會確定結果的Promise或否認結果的Promise, 從而調用下一個then 或者 catch。一旦then中的語句出現錯誤, 也將跳到catch中。async
接下來將介紹如何使用fetch請求本地文本數據,請求本地JSON數據以及請求網絡接口。其實操做相比與Ajax,簡單不少!post
//HTML部分 <div class="container"> <h1>Fetch Api sandbox</h1> <button id="button1">請求本地文本數據</button> <button id="button2">請求本地json數據</button> <button id="button3">請求網絡接口</button> <br><br> <div id="output"></div> </div> <script src="app.js"></script>
本地有一個test.txt文檔,經過如下代碼就能夠獲取其中的數據,而且顯示在頁面上。
document.getElementById('button1').addEventListener('click',getText); function getText(){ fetch("test.txt") .then((res) => res.text())//注意:此處是res.text() .then(data => { console.log(data); document.getElementById('output').innerHTML = data; }) .catch(err => console.log(err)); }
本地有個posts.json數據,與請求本地文本不一樣的是,獲得數據後還要用forEach遍歷,最後呈如今頁面上。
document.getElementById('button2').addEventListener('click',getJson); function getJson(){ fetch("posts.json") .then((res) => res.json()) .then(data => { console.log(data); let output = ''; data.forEach((post) => { output += `<li>${post.title}</li>`; }) document.getElementById('output').innerHTML = output; }) .catch(err => console.log(err)); }
獲取https://api.github.com/users
中的數據,作法與獲取本地JSON的方法相似,獲得數據後,一樣要通過處理
document.getElementById('button3').addEventListener('click',getExternal); function getExternal(){ // https://api.github.com/users fetch("https://api.github.com/users") .then((res) => res.json()) .then(data => { console.log(data); let output = ''; data.forEach((user) => { output += `<li>${user.login}</li>`; }) document.getElementById('output').innerHTML = output; }) .catch(err => console.log(err)); }