我需要在Mac OS X破折号小部件中执行此操作。
#1 楼
浏览器(和Dashcode)提供了XMLHttpRequest对象,该对象可用于通过JavaScript发出HTTP请求:function httpGet(theUrl)
{
var xmlHttp = new XMLHttpRequest();
xmlHttp.open( "GET", theUrl, false ); // false for synchronous request
xmlHttp.send( null );
return xmlHttp.responseText;
}
但是,不鼓励同步请求,并且会在同步请求中生成警告注释:从Gecko 30.0(Firefox 30.0 / Thunderbird 30.0 / SeaMonkey 2.27)开始,主线程上的同步请求已被弃用,原因是对用户体验造成负面影响。
您应该发出异步请求并在事件处理程序中处理响应。
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);
}
评论
好吧,当然是内置了Javascript,或者任何Javascript库如何为它提供一种便捷的方法?不同之处在于便捷方法提供了便捷性以及更清晰,更简单的语法。
–手枪
2014年6月26日19:53
为什么使用XML`前缀?
– AlikElzin-kilaka
14年6月29日在18:13
XML前缀,因为它使用AJAX〜异步JavaScript和XML中的X。同样,“具有API和ECMAScript绑定的API”的好处是,除了支持HTTP的浏览器(例如Adobe Reader ...)以外,JavaScript可以有很多其他用途,因此要记住尖耳朵。
–将
2014年9月5日下午4:29
@ AlikElzin-kilaka上面的所有答案实际上都没有道理(实际上,链接的W3文档解释说“此名称的每个组件都可能引起误解”)。正确答案?它只是名字不正确的stackoverflow.com/questions/12067185 / ...
–阿什利·库尔曼(Ashley Coolman)
16年5月28日在11:58
提取API提供了一种更好的方法,可以在需要时进行填充(请参见下面的@PeterGibson的答案)。
–Dominus.Vobiscum
19-10-12在17:33
#2 楼
在jQuery中:$.get(
"somepage.php",
{paramOne : 1, paramX : 'abc'},
function(data) {
alert('page content: ' + data);
}
);
评论
请注意,当尝试访问与页面域不同的域中的URL时,这在IE 10中不起作用
– BornToCode
2013年9月30日9:35
@BornToCode,您应该进一步研究,并可能在这种情况下在jQuery问题跟踪器上打开一个错误
–ashes999
13年10月8日在16:58
我知道有些人想编写纯Javascript。我明白了。我在他们的项目中做到这一点没有问题。我的“在jQuery中:”应该解释为“我知道您问过如何使用Javascript进行操作,但是让我向您展示如何使用jQuery来实现此目的,这样您就可以通过看到什么样的语法简洁性来激发您的好奇心,并且使用此库可以使您享受到清晰的体验,这也将为您提供许多其他优点和工具。”
–手枪
2014年6月26日19:47
还可以观察到原始海报后来说:“感谢所有答案!我根据在其网站上阅读的内容使用jQuery。”
–手枪
2014年6月26日19:49
#3 楼
上面有很多很棒的建议,但不是很可重用,并且经常被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
});
评论
UnCaughtReference错误,未定义HttpClient。我正在自己获得这第一条线。
– sashikanta
17年1月10日在13:17
您如何从html onClick调用它?
–地精
17年1月18日在10:39
在其他包含var client的地方创建一个函数...,然后运行functionName();。返回false;在onClick中
–mail929
17年2月4日在20:48
ReferenceError:未定义XMLHttpRequest
–臭虫车
17年7月5日在19:48
#4 楼
新的window.fetch
API可以替代使用ES6承诺的XMLHttpRequest
。这里有一个很好的解释,但可以归结为(摘自本文):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浏览器和Chrome for Android),但是IE可能不会获得官方支持。 GitHub上有一个polyfill,建议使用它来支持仍在大量使用的旧版浏览器(2017年3月之前的esp版本的Safari和同一时期的移动浏览器)。
我想这是否比jQuery更方便还是XMLHttpRequest取决于项目的性质。
这里是规范的链接https://fetch.spec.whatwg.org/
编辑:
使用ES7异步/等待,它变得简单(基于此Gist):
async function fetchAsync (url) {
let response = await fetch(url);
let data = await response.json();
return data;
}
评论
我可能会提到您可以在请求中包括凭据,从而节省了一些时间:fetch(url,{凭据:“ include”})
– Enselic
17 Mar 9 '17 at 11:01
@ bugmenot123 window.fetch没有XML解析器,但是如果您将响应作为文本处理(不是上面的示例中的json),则可以自己解析响应。有关示例,请参见stackoverflow.com/a/37702056/66349
– Peter Gibson
17年8月16日在22:56
#5 楼
没有回调的版本var i = document.createElement("img");
i.src = "/your/GET/url?params=here";
评论
优秀的!我需要一个Greasemonkey脚本来使会话保持活动状态,并且此片段非常完美。只需将其包装在setInterval调用中即可。
– Carcamano
16-10-20在14:33
我如何得到结果?
–OMRY VOLK
16年11月16日在17:19
@ user4421975您不知道-要访问请求响应,您需要使用前面提到的XMLHttpRequest。
–雅各布·帕斯图祖克(Jakub Pastuszuk)
19年4月4日在13:33
#6 楼
这是直接用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 request javascript”的最佳结果之一,因此值得一提的是,在响应数据上运行eval被认为是不好的做法
– Kloar
2014年5月19日在9:47
@Kloar很好,但是最好给出它不好的原因,我猜这是安全性。解释为什么做法不好是使人们改变习惯的最好方法。
– Balmipour
15年9月16日在11:16
#7 楼
复制粘贴的现代版本(使用访存和箭头功能):
//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())
)
)();
复制粘贴的经典版本:
let request = new XMLHttpRequest();
request.onreadystatechange = function () {
if (this.readyState === 4) {
if (this.status === 200) {
document.body.className = 'ok';
console.log(this.responseText);
} else if (this.response == null && this.status === 0) {
document.body.className = 'error offline';
console.log("The computer appears to be offline.");
} else {
document.body.className = 'error';
}
}
};
request.open("GET", url, true);
request.send(null);
#8 楼
简洁: const http = new XMLHttpRequest()
http.open("GET", "https://api.lyrics.ovh/v1/toto/africa")
http.send()
http.onload = () => console.log(http.responseText)
#9 楼
IE会缓存URL以加快加载速度,但是,例如,如果您要定期轮询服务器以获取新信息,则IE会缓存该URL并可能返回您一直拥有的相同数据集。 br />不管最终以何种方式执行GET请求-原始JavaScript,Prototype,jQuery等-确保已建立适当的机制来对抗缓存。为了解决这个问题,请在您要访问的URL末尾附加一个唯一的令牌。这可以通过以下方式完成:
var sURL = '/your/url.html?' + (new Date()).getTime();
这将在URL末尾附加一个唯一的时间戳,并防止发生任何缓存。
#10 楼
原型使其变得简单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)都不是最佳解决方案。
–kiamlaluno
2010年8月7日,下午5:05
@kiamlaluno使用cloudflare的Prototype CDN
–弗拉基米尔·斯塔吉洛夫(Vladimir Stazhilov)
17-2-14在10:34
#11 楼
一种支持较旧浏览器的解决方案: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();
评论
人们可以对我做错了什么发表评论吗?这样不是很有帮助!
–flyingP0tat0
16-10-15在14:04
我认为,最好的答案是使用纯JavaScript在ES5中进行编码。
– CoderX
17年8月9日在14:26
#12 楼
我不熟悉Mac OS的Dashcode窗口小部件,但是如果它们允许您使用JavaScript库并支持XMLHttpRequests,我将使用jQuery并执行以下操作:var page_content;
$.get( "somepage.php", function(data){
page_content = data;
});
#13 楼
现代,干净,最短fetch('https://www.randomtext.me/api/lorem')
let url = 'https://www.randomtext.me/api/lorem';
// to only send GET request without waiting for response just call
fetch(url);
// to wait for results use 'then'
fetch(url).then(r=> r.json().then(j=> console.log('\nREQUEST 2',j)));
// or async/await
(async()=>
console.log('\nREQUEST 3', await(await fetch(url)).json())
)();
Open Chrome console network tab to see request
#14 楼
在小部件的Info.plist文件中,请不要忘记将AllowNetworkAccess
键设置为true。#15 楼
最好的方法是使用AJAX(您可以在此页面Tizag中找到一个简单的教程)。原因是您可能使用的任何其他技术都需要更多代码,不能保证无需重做就可以跨浏览器工作,并且需要通过在传递URL解析其数据的URL的框架内打开隐藏页面并关闭它们来使用更多客户端内存。AJAX是在这种情况下的解决方法。那是我这两年对javascript重开发的讲。
#16 楼
对于使用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 楼
您可以通过两种方式获得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);
}});
});
#18 楼
为此,建议使用JavaScript Promises来获取API。 XMLHttpRequest(XHR),IFrame对象或动态标签是较旧的(且笨拙的)方法。<script type=“text/javascript”>
// Create request object
var request = new Request('https://example.com/api/...',
{ method: 'POST',
body: {'name': 'Klaus'},
headers: new Headers({ 'Content-Type': 'application/json' })
});
// Now use it!
fetch(request)
.then(resp => {
// handle response })
.catch(err => {
// handle errors
}); </script>
这是一个很棒的获取演示和MDN文档
#19 楼
function get(path) {
var form = document.createElement("form");
form.setAttribute("method", "get");
form.setAttribute("action", path);
document.body.appendChild(form);
form.submit();
}
get('/my/url/')
对邮寄请求也可以做同样的事情。
看看此链接JavaScript邮寄请求,如表单Submit
#20 楼
简单的异步请求:function get(url, callback) {
var getRequest = new XMLHttpRequest();
getRequest.open("get", url, true);
getRequest.addEventListener("readystatechange", function() {
if (getRequest.readyState === 4 && getRequest.status === 200) {
callback(getRequest.responseText);
}
});
getRequest.send();
}
#21 楼
Ajax最好使用Prototype或jQuery之类的库。
#22 楼
// Create a request variable and assign a new XMLHttpRequest object to it.
var request = new XMLHttpRequest()
// Open a new connection, using the GET request on the URL endpoint
request.open('GET', 'restUrl', true)
request.onload = function () {
// Begin accessing JSON data here
}
// Send request
request.send()
#23 楼
如果要为Dashboard小部件使用代码,并且不想在创建的每个小部件中都包含JavaScript库,则可以使用Safari原生支持的XMLHttpRequest对象。据Andrew Hedges报道,默认情况下,小部件无法访问网络;您需要在与小部件关联的info.plist中更改该设置。
#24 楼
为了让joann刷新最佳答案,并保证这是我的代码:let httpRequestAsync = (method, url) => {
return new Promise(function (resolve, reject) {
var xhr = new XMLHttpRequest();
xhr.open(method, url);
xhr.onload = function () {
if (xhr.status == 200) {
resolve(xhr.responseText);
}
else {
reject(new Error(xhr.responseText));
}
};
xhr.send();
});
}
#25 楼
您也可以使用纯JS来做到这一点:// Create the XHR object.
function createCORSRequest(method, url) {
var xhr = new XMLHttpRequest();
if ("withCredentials" in xhr) {
// XHR for Chrome/Firefox/Opera/Safari.
xhr.open(method, url, true);
} else if (typeof XDomainRequest != "undefined") {
// XDomainRequest for IE.
xhr = new XDomainRequest();
xhr.open(method, url);
} else {
// CORS not supported.
xhr = null;
}
return xhr;
}
// Make the actual CORS request.
function makeCorsRequest() {
// This is a sample server that supports CORS.
var url = 'http://html5rocks-cors.s3-website-us-east-1.amazonaws.com/index.html';
var xhr = createCORSRequest('GET', url);
if (!xhr) {
alert('CORS not supported');
return;
}
// Response handlers.
xhr.onload = function() {
var text = xhr.responseText;
alert('Response from CORS request to ' + url + ': ' + text);
};
xhr.onerror = function() {
alert('Woops, there was an error making the request.');
};
xhr.send();
}
更多信息:html5rocks教程
#26 楼
这是xml文件的替代方法,它可以以非常快速的方式将文件作为对象加载并作为对象访问属性。注意,以便javascript可以读取并解释内容正确地,必须将文件保存为与HTML页面相同的格式。如果使用UTF 8,则将文件保存在UTF8等文件中。
XML可以像树一样工作吗?而不是编写
<property> value <property>
编写一个像这样的简单文件:
Property1: value
Property2: value
etc.
保存文件..
现在调用函数....
var objectfile = {};
function getfilecontent(url){
var cli = new XMLHttpRequest();
cli.onload = function(){
if((this.status == 200 || this.status == 0) && this.responseText != null) {
var r = this.responseText;
var b=(r.indexOf('\n')?'\n':r.indexOf('\r')?'\r':'');
if(b.length){
if(b=='\n'){var j=r.toString().replace(/\r/gi,'');}else{var j=r.toString().replace(/\n/gi,'');}
r=j.split(b);
r=r.filter(function(val){if( val == '' || val == NaN || val == undefined || val == null ){return false;}return true;});
r = r.map(f => f.trim());
}
if(r.length > 0){
for(var i=0; i<r.length; i++){
var m = r[i].split(':');
if(m.length>1){
var mname = m[0];
var n = m.shift();
var ivalue = m.join(':');
objectfile[mname]=ivalue;
}
}
}
}
}
cli.open("GET", url);
cli.send();
}
现在您可以有效地获取值。
getfilecontent('mesite.com/mefile.txt');
window.onload = function(){
if(objectfile !== null){
alert (objectfile.property1.value);
}
}
这只是向小组成员致敬的小礼物。谢谢您的喜欢:)
如果要在本地测试PC上的功能,请使用以下命令重新启动浏览器(除safari外,所有浏览器都支持):
yournavigator.exe '' --allow-file-access-from-files
#27 楼
<button type="button" onclick="loadXMLDoc()"> GET CONTENT</button>
<script>
function loadXMLDoc() {
var xmlhttp = new XMLHttpRequest();
var url = "<Enter URL>";``
xmlhttp.onload = function () {
if (xmlhttp.readyState == 4 && xmlhttp.status == "200") {
document.getElementById("demo").innerHTML = this.responseText;
}
}
xmlhttp.open("GET", url, true);
xmlhttp.send();
}
</script>
评论
请注意,这受“同一来源政策”的约束。 zh.wikipedia.org/wiki/Same_origin_policy