web-dev-qa-db-ja.com

ES6 Vanilla JavaScriptでのAjaxリクエスト

Jqueryとes5を使用してajaxリクエストを作成できますが、コードを移行して、Vanillaとes6を使用するようにします。このリクエストはどのように変わりますか。 (注:ウィキペディアのAPIを照会しています)。

      var link = "https://en.wikipedia.org/w/api.php?action=query&prop=info&pageids="+ page +"&format=json&callback=?";

    $.ajax({
      type: "GET",
      url: link,
      contentType: "application/json; charset=utf-8",
      async: false,
      dataType: "json",
      success:function(re){
    },
      error:function(u){
        console.log("u")
        alert("sorry, there are no results for your search")
    }
8
sacora

おそらく、 fetch API を使用します。

fetch(link, { headers: { "Content-Type": "application/json; charset=utf-8" }})
    .then(res => res.json()) // parse response as JSON (can be res.text() for plain response)
    .then(response => {
        // here you do what you want with response
    })
    .catch(err => {
        console.log("u")
        alert("sorry, there are no results for your search")
    });

asyncにしたい場合、それは不可能です。ただし、 Async-Await 機能を使用すると、非同期操作ではないように見せることができます。

19
termosa

AJAXリクエストは、データの非同期送信、応答の取得、チェック、コンテンツの更新による現在のWebページへの適用に役立ちます。

function ajaxRequest()
{
    var link = "https://en.wikipedia.org/w/api.php?action=query&prop=info&pageids="+ page +"&format=json&callback=?";
    var xmlHttp = new XMLHttpRequest(); // creates 'ajax' object
        xmlHttp.onreadystatechange = function() //monitors and waits for response from the server
        {
           if(xmlHttp.readyState === 4 && xmlHttp.status === 200) //checks if response was with status -> "OK"
           {
               var re = JSON.parse(xmlHttp.responseText); //gets data and parses it, in this case we know that data type is JSON. 
               if(re["Status"] === "Success")
               {//doSomething}
               else 
               {
                   //doSomething
               }
           }

        }
        xmlHttp.open("GET", link); //set method and address
        xmlHttp.send(); //send data

}
1
Giulio Bambini

現在、jQueryまたはAPIを使用する必要はありません。これを行うのと同じくらい簡単です:

var xmlhttp = new XMLHttpRequest();
xmlhttp.onreadystatechange = function() {
  if (this.readyState === 4 && this.status === 200) {
    console.log(this.responseText);
  }
};
xmlhttp.open('GET', 'https://www.example.com');
xmlhttp.send();
0
daaawx