如何在Javascript中使用CORS?

时间:2016-06-22 11:17:05

标签: javascript cors

如何在JavaScript中使用CORS从HTTPS URL到localhost进行数据检索?该URL是一个Service-Now事件列表,我需要将其作为JSON对象进行处理。

2 个答案:

答案 0 :(得分:0)

CORS是新浏览器支持的服务器端功能。

当您从跨域服务请求资源时,浏览器会向服务器执行预检请求并要求他提供访问信息。

如果服务器允许您从其他域访问它的资源,它将发回一些HTTP标头,浏览器将决定有关您的操作的标题。

了解更多here

答案 1 :(得分:0)

如果完成了服务器端配置,则执行此操作:

// 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;
}

// Helper method to parse the title tag from the response.
function getTitle(text) {
  return text.match('<title>(.*)?</title>')[1];
}

// Make the actual CORS request.
function makeCorsRequest() {
  // All HTML5 Rocks properties support CORS.
  var url = 'http://updates.html5rocks.com';

  var xhr = createCORSRequest('GET', url);
  if (!xhr) {
    alert('CORS not supported');
    return;
  }

  // Response handlers.
  xhr.onload = function() {
    var text = xhr.responseText;
    var title = getTitle(text);
    alert('Response from CORS request to ' + url + ': ' + title);
  };

  xhr.onerror = function() {
    alert('Woops, there was an error making the request.');
  };

  xhr.send();
}

来自:http://www.html5rocks.com/en/tutorials/cors/