我有这个代码而且我正在尝试返回Flickr API,但是我收到以下错误。
阻止跨源请求:同源策略禁止读取 远程资源在
http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback={callback}&tags=london&tagmode=any&format=json
。 这可以通过将资源移动到同一个域来修复 启用CORS。
如何在我的代码中启用此功能?
enter
MyFeed.prototype.getFeed = function(data) {
console.log(f.feedUrl);
var request = new XMLHttpRequest();
request.open('GET', f.feedUrl, true);
request.onload = function () {
if (request.status >= 200 && request.status < 400) {
// Success!
console.log(request.responseText);
var data = JSON.parse(request.responseText);
} else {
// We reached our target server, but it returned an error
console.log("error");
}
};
request.onerror = function () {
// There was a connection error of some sort
};
request.send();
}here
答案 0 :(得分:12)
由于这是使用JSONP,因此不使用XMLHttpRequest
来检索资源,使用适当的src URL注入script
元素,并定义具有相同名称的函数分配给jsoncallback
参数,该参数将在脚本加载后调用:
function handleTheResponse(jsonData) {
console.log(jsonData);
}
// ... elsewhere in your code
var script = document.createElement("script");
script.src = f.feedUrl;
document.head.appendChild(script);
请确保您拥有jsoncallback=handleTheResponse
(或者您称之为方法的任何内容),确保该方法可以全局访问,并且您应该很高兴。
这是一个演示:
function handleTheResponse(data) {
document.getElementById("response").textContent = JSON.stringify(data,null,2);
}
var script = document.createElement("script");
script.src = "http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback=handleTheResponse&tags=london&tagmode=any&format=json"
document.head.appendChild(script);
<pre id="response">Loading...</pre>
答案 1 :(得分:3)
有多种方法可以解决它,一个简单的方法就是使用jQuery;
假设回调
http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback= {回调}&安培;标记=伦敦&安培; tagmode =任何&安培;格式= JSON
回调= “jQuery111203062643037081828_1446872573181”
enter
MyFeed.prototype.getFeed = function(data) {
$.ajax({
url: f.feedUrl,
dataType : "jsonp",
success: function(response) {
console.log(response);
},
error: function (e) {
console.log(e);
}
});
}here
或者如果你想要没有jQuery,这与@ daniel-flint推荐的相同。
function jsonp(url, callback) {
var callbackName = 'jsonp_callback_' + Math.round(100000 * Math.random());
window[callbackName] = function(data) {
delete window[callbackName];
document.body.removeChild(script);
callback(data);
};
var script = document.createElement('script');
script.src = url + (url.indexOf('?') >= 0 ? '&' : '?') + 'callback=' + callbackName;
document.body.appendChild(script);
}
jsonp('http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback=callback&tags=london&tagmode=any&format=json', callback);
function callback(data){
console.log(data);
}