当前位置:  开发笔记 > 编程语言 > 正文

JavaScript中的HTTP GET请求?

如何解决《JavaScript中的HTTPGET请求?》经验,为你挑选了17个好方法。

我需要在JavaScript中执行HTTP GET请求.最好的方法是什么?

我需要在Mac OS X dashcode小部件中执行此操作.



1> 小智..:

您可以通过javascript使用托管环境提供的功能:

function httpGet(theUrl)
{
    var xmlHttp = new XMLHttpRequest();
    xmlHttp.open( "GET", theUrl, false ); // false for synchronous request
    xmlHttp.send( null );
    return xmlHttp.responseText;
}

但是,不建议使用同步请求,因此您可能希望使用此命令:

function httpGetAsync(theUrl, callback)
{
    var xmlHttp = new XMLHttpRequest();
    xmlHttp.onreadystatechange = function() { 
        if (xmlHttp.readyState == 4 && xmlHttp.status == 200)
            callback(xmlHttp.responseText);
    }
    xmlHttp.open("GET", theUrl, true); // true for asynchronous 
    xmlHttp.send(null);
}

注意:从Gecko 30.0(Firefox 30.0/Thunderbird 30.0/SeaMonkey 2.27)开始,由于对用户体验的负面影响,主线程上的同步请求已被弃用.


为什么XML`前缀?
XML前缀,因为它使用来自AJAX的X~ [异步JavaScript和XML](http://en.wikipedia.org/wiki/Ajax_%28programming%29).此外,"[具有和ECMAScript绑定的API](http://www.w3.org/TR/XMLHttpRequest)"的好处是由于JavaScript可以在许多方面,除了支持HTTP的浏览器(例如像Adobe Reader ...)要记住对PointedEars如此讨厌的好事.
@ AlikElzin-kilaka实际上上面的所有答案都是不合适的(实际上,链接的W3文档解释说"这个名称的每个组成部分都有可能产生误导").正确答案?它刚刚命名为http://stackoverflow.com/questions/12067185/why-is-it-called-xmlhttprequest
好吧,当然Javascript内置了它,或者任何Javascript库如何为它提供便利方法?不同之处在于便捷方法提供了便利性,以及更清晰,更简单的语法.

2> Pistos..:

在jQuery中:

$.get(
    "somepage.php",
    {paramOne : 1, paramX : 'abc'},
    function(data) {
       alert('page content: ' + data);
    }
);


我知道有些人想写纯Javascript.我明白了.我对他们的项目中的人没有任何问题.我的"在jQuery中"应该被解释为"我知道你在Javascript中问过如何做到这一点,但是让我告诉你如何用jQuery做到这一点,你可以通过看到什么样的语法简洁性来激发你的好奇心通过使用这个库可以提供清晰度,这将为您提供许多其他优势和工具".
还要注意原来的海报后来说:"感谢所有答案!我根据我在他们网站上阅读的一些内容使用了jQuery."
@BornToCode你应该进一步调查,并在这种情况下可能在jQuery问题跟踪器上打开一个bug
请注意,当尝试访问与页面域不同的域中的URL时,这在IE 10中不起作用

3> tggagne..:

上面有很多很棒的建议,但不是很容易重复使用,而且经常充斥着DOM废话和其他隐藏简单代码的漏洞.

这是我们创建的一个可重用且易于使用的Javascript类.目前它只有一个GET方法,但这对我们有用.添加POST不应该对任何人的技能征税.

var HttpClient = function() {
    this.get = function(aUrl, aCallback) {
        var anHttpRequest = new XMLHttpRequest();
        anHttpRequest.onreadystatechange = function() { 
            if (anHttpRequest.readyState == 4 && anHttpRequest.status == 200)
                aCallback(anHttpRequest.responseText);
        }

        anHttpRequest.open( "GET", aUrl, true );            
        anHttpRequest.send( null );
    }
}

使用它就像:

var client = new HttpClient();
client.get('http://some/thing?with=arguments', function(response) {
    // do something with response
});



4> Peter Gibson..:

新的window.fetchAPI是一个更清洁的替代品XMLHttpRequest,使用ES6承诺.有一个很好的解释在这里,但它归结为(文章):

fetch(url).then(function(response) {
  return response.json();
}).then(function(data) {
  console.log(data);
}).catch(function() {
  console.log("Booo");
});

浏览器支持现在在最新版本中很好(适用于Chrome,Firefox,Edge(v14),Safari(v10.1),Opera,Safari iOS(v10.3),Android浏览器和Android版Chrome),但IE将可能没有获得官方支持.GitHub有一个polyfill可用,建议支持仍在使用中的旧浏览器(特别是2017年3月的Safari和同期的移动浏览器).

我想这是否比jQuery或XMLHttpRequest更方便取决于项目的性质.

这是规范https://fetch.spec.whatwg.org/的链接

编辑:

使用ES7 async/await,这变得简单(基于此Gist):

async function fetchAsync (url) {
  let response = await fetch(url);
  let data = await response.json();
  return data;
}


我可以通过提及你可以在请求中包含凭据来节省一些时间:`fetch(url,{credentials:"include"})`

5> 小智..:

没有回调的版本

var i = document.createElement("img");
i.src = "/your/GET/url?params=here";


我如何得到结果?
优秀!我需要一个Greasemonkey脚本来保持会话活着,这个片段是完美的.把它包装在`setInterval`调用中.

6> rp...:

以下是使用JavaScript直接执行此操作的代码.但是,如前所述,使用JavaScript库会更好.我最喜欢的是jQuery.

在下面的例子中,正在调用ASPX页面(作为穷人的REST服务进行服务)以返回JavaScript JSON对象.

var xmlHttp = null;

function GetCustomerInfo()
{
    var CustomerNumber = document.getElementById( "TextBoxCustomerNumber" ).value;
    var Url = "GetCustomerInfoAsJson.aspx?number=" + CustomerNumber;

    xmlHttp = new XMLHttpRequest(); 
    xmlHttp.onreadystatechange = ProcessRequest;
    xmlHttp.open( "GET", Url, true );
    xmlHttp.send( null );
}

function ProcessRequest() 
{
    if ( xmlHttp.readyState == 4 && xmlHttp.status == 200 ) 
    {
        if ( xmlHttp.responseText == "Not found" ) 
        {
            document.getElementById( "TextBoxCustomerName"    ).value = "Not found";
            document.getElementById( "TextBoxCustomerAddress" ).value = "";
        }
        else
        {
            var info = eval ( "(" + xmlHttp.responseText + ")" );

            // No parsing necessary with JSON!        
            document.getElementById( "TextBoxCustomerName"    ).value = info.jsonData[ 0 ].cmname;
            document.getElementById( "TextBoxCustomerAddress" ).value = info.jsonData[ 0 ].cmaddr1;
        }                    
    }
}


由于这个答案是谷歌搜索"http请求javascript"的最佳结果之一,值得一提的是,在响应数据上运行eval就像被认为是不好的做法
@Kloar很好,但是如果说它不好的原因会更好,我想这就是安全性.解释为什么做法不好是让人们改变习惯的最好方法.

7> Daniel De Le..:

复制粘贴就绪版本

//Option with catch
fetch( textURL )
   .then(async r=> console.log(await r.text()))
   .catch(e=>console.error('Boo...' + e));

//No fear...
(async () =>
    console.log(
            (await (await fetch( jsonURL )).json())
            )
)();



8> Damjan Pavli..:

短而纯:

const http = new XMLHttpRequest()

http.open("GET", "https://api.lyrics.ovh/v1/toto/africa")
http.send()

http.onload = () => console.log(http.responseText)


9> Tom..:

IE将缓存URL以便加快加载速度,但是如果您在尝试获取新信息的同时轮询服务器,IE将缓存该URL并可能返回您一直拥有的相同数据集.

无论你最终如何做你的GET请求 - 香草JavaScript,原型,jQuery等 - 确保你建立了一个机制来对抗缓存.为了解决这个问题,请在您要点击的URL末尾附加一个唯一的令牌.这可以通过以下方式完成:

var sURL = '/your/url.html?' + (new Date()).getTime();

这将在URL的末尾附加一个唯一的时间戳,并防止任何缓存发生.



10> Mark Biek..:

原型使它变得简单

new Ajax.Request( '/myurl', {
  method:  'get',
  parameters:  { 'param1': 'value1'},
  onSuccess:  function(response){
    alert(response.responseText);
  },
  onFailure:  function(){
    alert('ERROR');
  }
});


问题是Mac OS X没有预装Prototype.由于小部件需要在任何计算机上运行,​​包括每个小部件中的Prototype(或jQuery)并不是最佳解决方案.

11> Daniel Beard..:

我不熟悉Mac OS Dashcode Widgets,但是如果他们让你使用JavaScript库并支持XMLHttpRequests,我会使用jQuery并执行以下操作:

var page_content;
$.get( "somepage.php", function(data){
    page_content = data;
});



12> flyingP0tat0..:

支持旧版浏览器的一种方案

function httpRequest() {
    var ajax = null,
        response = null,
        self = this;

    this.method = null;
    this.url = null;
    this.async = true;
    this.data = null;

    this.send = function() {
        ajax.open(this.method, this.url, this.asnyc);
        ajax.send(this.data);
    };

    if(window.XMLHttpRequest) {
        ajax = new XMLHttpRequest();
    }
    else if(window.ActiveXObject) {
        try {
            ajax = new ActiveXObject("Msxml2.XMLHTTP.6.0");
        }
        catch(e) {
            try {
                ajax = new ActiveXObject("Msxml2.XMLHTTP.3.0");
            }
            catch(error) {
                self.fail("not supported");
            }
        }
    }

    if(ajax == null) {
        return false;
    }

    ajax.onreadystatechange = function() {
        if(this.readyState == 4) {
            if(this.status == 200) {
                self.success(this.responseText);
            }
            else {
                self.fail(this.status + " - " + this.statusText);
            }
        }
    };
}

也许有点矫枉过正,但你肯定对这段代码安全.

用法:

//create request with its porperties
var request = new httpRequest();
request.method = "GET";
request.url = "https://example.com/api?parameter=value";

//create callback for success containing the response
request.success = function(response) {
    console.log(response);
};

//and a fail callback containing the error
request.fail = function(error) {
    console.log(error);
};

//and finally send it away
request.send();


人们可以请一些关于我做错了什么的评论吗?以这种方式不是很有帮助!

13> Andrew Hedge..:

在窗口小部件的Info.plist文件中,不要忘记将AllowNetworkAccess密钥设置为true.



14> Nikola Stjel..:

最好的方法是使用AJAX(您可以在本页Tizag上找到一个简单的教程)。原因是您可能使用的任何其他技术都需要更多代码,不能保证无需重做即可跨浏览器工作,并且需要通过在传递URL解析其数据的URL的框架内打开隐藏页面并关闭它们来使用更多客户端内存。在这种情况下,AJAX是解决之道。那是我这两年对javascript重度开发的讲。



15> parag.rane..:

您可以通过两种方式获取HTTP GET请求:

    这种方法基于xml格式。您必须传递请求的URL。

    xmlhttp.open("GET","URL",true);
    xmlhttp.send();
    

    这是基于jQuery的。您必须指定要调用的URL和function_name。

    $("btn").click(function() {
      $.ajax({url: "demo_test.txt", success: function_name(result) {
        $("#innerdiv").html(result);
      }});
    }); 
    



16> Vitalii Fedo..:

对于那些使用AngularJs的人来说$http.get

$http.get('/someUrl').
  success(function(data, status, headers, config) {
    // this callback will be called asynchronously
    // when the response is available
  }).
  error(function(data, status, headers, config) {
    // called asynchronously if an error occurs
    // or server returns response with an error status.
  });



17> aabiro..:

为此,建议使用JavaScript Promises来获取API。XMLHttpRequest(XHR),IFrame对象或动态标签是较旧的(且笨拙的)方法。


这是一个很棒的获取演示和MDN文档

推荐阅读
勤奋的瞌睡猪_715
这个屌丝很懒,什么也没留下!
DevBox开发工具箱 | 专业的在线开发工具网站    京公网安备 11010802040832号  |  京ICP备19059560号-6
Copyright © 1998 - 2020 DevBox.CN. All Rights Reserved devBox.cn 开发工具箱 版权所有