[javascript] XmlHttpRequest.responseJSON에서 JSON 구문 분석
자바 스크립트에서 bit.ly JSON 응답을 구문 분석하려고합니다.
XmlHttpRequest를 통해 JSON을 얻습니다.
var req = new XMLHttpRequest;
req.overrideMimeType("application/json");
req.open('GET', BITLY_CREATE_API + encodeURIComponent(url)
+ BITLY_API_LOGIN, true);
var target = this;
req.onload = function() {target.parseJSON(req, url)};
req.send(null);
parseJSON: function(req, url) {
if (req.status == 200) {
var jsonResponse = req.responseJSON;
var bitlyUrl = jsonResponse.results[url].shortUrl;
}
나는 파이어 폭스 애드온에서 이것을한다. 실행하면 줄에 “jsonResponse is undefined”오류가 발생합니다 var bitlyUrl = jsonResponse.results[url].shortUrl;
. 여기서 JSON을 구문 분석하는 데 문제가 있습니까? 아니면이 코드에 어떤 문제가 있습니까?
답변
새로운 방법 I : fetch
TL; DR 동기 요청을 보내거나 이전 브라우저를 지원할 필요가없는 한이 방법을 권장합니다.
요청이 비동기 적이면 Fetch API 를 사용하여 HTTP 요청을 보낼 수 있습니다 . fetch API는 promise 와 함께 작동하며 JavaScript에서 비동기 워크 플로를 처리하는 좋은 방법입니다. 이 접근 방식 fetch()
에서는 요청을 보내고 ResponseBody.json()
응답을 구문 분석하는 데 사용합니다.
fetch(url)
.then(function(response) {
return response.json();
})
.then(function(jsonResponse) {
// do something with jsonResponse
});
호환성 : Fetch API는 IE11과 Edge 12 및 13에서 지원되지 않습니다 . 그러나 polyfill이 있습니다.
새로운 방법 II : responseType
Londeren 이 답변 에서 작성 했듯이 최신 브라우저에서는 responseType
속성을 사용하여 예상되는 응답 형식을 정의 할 수 있습니다 . 그런 다음 response
속성을 통해 구문 분석 된 응답 데이터에 액세스 할 수 있습니다 .
var req = new XMLHttpRequest();
req.responseType = 'json';
req.open('GET', url, true);
req.onload = function() {
var jsonResponse = req.response;
// do something with jsonResponse
};
req.send(null);
호환성 : responseType = 'json'
IE11에서는 지원되지 않습니다.
고전적인 방법
표준 XMLHttpRequest에는 responseJSON
속성 이 없으며 responseText
및 responseXML
. 요청에 약간의 JSON으로 실제로 응답하는 한 responseText
, JSON 코드를 텍스트로 포함해야하므로 다음을 사용하여 구문 분석하기 만하면 됩니다 JSON.parse()
.
var req = new XMLHttpRequest();
req.overrideMimeType("application/json");
req.open('GET', url, true);
req.onload = function() {
var jsonResponse = JSON.parse(req.responseText);
// do something with jsonResponse
};
req.send(null);
호환성 :이 접근 방식은 XMLHttpRequest
및 JSON
.
JSONHttpRequest
을 사용하는 것을 선호 responseJSON
하지만 JQuery보다 더 가벼운 솔루션을 원한다면 내 JSONHttpRequest를 확인하는 것이 좋습니다. 일반 XMLHttpRequest와 똑같이 작동하지만 responseJSON
속성 도 제공합니다 . 코드에서 변경해야하는 모든 것은 첫 번째 줄입니다.
var req = new JSONHttpRequest();
JSONHttpRequest는 JavaScript 개체를 JSON으로 쉽게 보내는 기능도 제공합니다. 자세한 내용과 코드는 http://pixelsvsbytes.com/2011/12/teach-your-xmlhttprequest-some-json/ 에서 찾을 수 있습니다 .
전체 공개 : 저는 Pixels | Bytes의 소유자입니다. 내 스크립트가 문제에 대한 좋은 해결책이라고 생각하므로 여기에 게시했습니다. 링크를 제거하려면 댓글을 남겨주세요.
답변
간단히 설정할 수 있습니다. xhr.responseType = 'json';
const xhr = new XMLHttpRequest();
xhr.open('GET', 'https://jsonplaceholder.typicode.com/posts/1');
xhr.responseType = 'json';
xhr.onload = function(e) {
if (this.status == 200) {
console.log('response', this.response); // JSON response
}
};
xhr.send();
답변
참고 : 나는 이것을 Chrome에서만 테스트했습니다.
XMLHttpRequest에 프로토 타입 함수를 추가합니다. .. XHR2 ,
에 XHR (1) 당신은 아마 교체 할 필요가 this.response
와this.responseText
Object.defineProperty(XMLHttpRequest.prototype,'responseJSON',{value:function(){
return JSON.parse(this.response);
},writable:false,enumerable:false});
xhr2에서 json을 반환하려면
xhr.onload=function(){
console.log(this.responseJSON());
}
편집하다
arraybuffer
또는 다른 응답 유형 과 함께 XHR을 사용하려는 경우 응답이 응답인지 확인해야합니다.string
.
어쨌든 더 많은 검사를 추가해야합니다. 예를 들어 json을 구문 분석 할 수없는 경우.
Object.defineProperty(XMLHttpRequest.prototype,'responseJSON',{value:function(){
return (typeof this.response==='string'?JSON.parse(this.response):this.response);
},writable:false,enumerable:false});
답변
사용하려면 jQuery를 포함해야한다고 생각합니다 responseJSON
.
jQuery가 없으면 responseText로 시도하고 다음과 같이 시도 할 수 있습니다. eval("("+req.responseText+")");
업데이트 :에 대한 의견을 읽으십시오 eval
.eval로 테스트 할 수는 있지만 작업 확장에는 사용하지 마십시오.
또는
사용 json_parse : 사용 하지 않습니다eval
답변
var req = new XMLHttpRequest;
req.overrideMimeType("application/json");
req.open('GET', BITLY_CREATE_API + encodeURIComponent(url) + BITLY_API_LOGIN, true);
var target = this;
req.onload = function() {target.parseJSON(req, url)};
req.send(null);
parseJSON: function(req, url) {
if (req.status == 200) {
var jsonResponse = Components.classes["@mozilla.org/dom/json;1"]
.createInstance(Components.interfaces.nsIJSON.decode(req.responseText);
var bitlyUrl = jsonResponse.results[url].shortUrl;
}
웹 페이지 JSON.parse
의 경우Components.classes["@mozilla.org/dom/json;1"].createInstance(Components.interfaces.nsIJSON.decode