web-dev-qa-db-ja.com

jQuery Getから応答ヘッダーの場所を取得する方法は?

そのため、jQuery getを使用してヘッダー応答から場所を取得しようとしています。 getResponseHeader( 'Location')とgetAllResponseHeaders()を使用してみましたが、どちらもnullを返すようです。

これが私の現在のコードです

$(document).ready(function(){
   var geturl;
   geturl = $.ajax({
      type: "GET",
      url: 'http://searchlight.cluen.com/E5/Login.aspx?URLKey=uzr7ncj8)',
   });
   var locationResponse = geturl.getResponseHeader('Location');
   console.log(locationResponse);
});
17
raeq

asynchronousリクエストが返されたときにヘッダーが利用できるため、 success callback でヘッダーを読み取る必要があります。

$.ajax({
    type: "GET",
    url: 'http://searchlight.cluen.com/E5/Login.aspx?URLKey=uzr7ncj8)',
    success: function(data, status, xhr) {
        console.log(xhr.getResponseHeader('Location'));
    }
});
31
Bergi

jQuery Ajaxの一部のヘッダーでは、XMLHttpRequestオブジェクトにアクセスする必要があります

var xhr;
var _orgAjax = jQuery.ajaxSettings.xhr;
jQuery.ajaxSettings.xhr = function () {
  xhr = _orgAjax();
  return xhr;
};

$.ajax({
    type: "GET",
    url: 'http://example.com/redirect',
    success: function(data) {
        console.log(xhr.responseURL);
    }
});

またはプレーンなJavaScriptを使用して

var xhr = new XMLHttpRequest();
xhr.open('GET', "http://example.com/redirect", true);

xhr.onreadystatechange = function () {
  if (this.readyState == 4 && this.status == 200) {
    console.log(xhr.responseURL);
  }
};

xhr.send();
5
uingtea

jQueryは、responseURLフィールドを公開しないいわゆる「スーパーセット」でXMLHttpRequestオブジェクトを抽象化します。ドキュメント内で「jQuery XMLHttpRequest(jqXHR)オブジェクト」について説明しています。

For backward compatibility with XMLHttpRequest, a jqXHR object will expose the following properties and methods:

readyState
responseXML and/or responseText when the underlying request responded with xml and/or text, respectively
status
statusText
abort( [ statusText ] )
getAllResponseHeaders() as a string
getResponseHeader( name )
overrideMimeType( mimeType )
setRequestHeader( name, value ) which departs from the standard by replacing the old value with the new one rather than concatenating the new value to the old one
statusCode( callbacksByStatusCode )
No onreadystatechange mechanism is provided, however, since done, fail, always, and statusCode cover all conceivable requirements.

ご覧のとおり、jqXHR APIは応答URLを公開しないため、応答URLを取得する方法はありません。

3
Glen van Ginkel