XMLHttpRequestを使用してリモートURLのコンテンツを読み込み、アクセスしたサイトのHTMLをJS変数に格納する方法を知りたいです。
たとえば、 http://foo.com/bar.php というHTMLをロードしてalert()したい場合、どうすればよいでしょうか。
XMLHttpRequest.responseText
がXMLHttpRequest.onreadystatechange
と等しい場合、 XMLHttpRequest.readyState
の中の XMLHttpRequest.DONE
で取得できます。
これは例です(IE6/7と互換性がありません)。
var xhr = new XMLHttpRequest();
xhr.onreadystatechange = function() {
if (xhr.readyState == XMLHttpRequest.DONE) {
alert(xhr.responseText);
}
}
xhr.open('GET', 'http://example.com', true);
xhr.send(null);
IE6/7だけでなく、ブラウザ固有のメモリリークやバグをカバーするため、またAjaxによるリクエストを起動する際の冗長性を少なくするために、ブラウザ間の互換性を高めるために jQuery を使用できます。
$.get('http://example.com', function(responseText) {
alert(responseText);
});
Localhostで実行していない場合は、 JavaScriptのSame Originポリシー を考慮に入れる必要があります。ドメインにプロキシスクリプトを作成することを検討してください。
fetch
を調べることをお勧めします。これはES5と同等で、Promiseを使用しています。もっと読みやすく、カスタマイズも簡単です。
const url = "https://stackoverflow.com";
fetch(url)
.then(
response => response.text() // .json(), etc.
// same as function(response) {return response.text();}
).then(
html => console.log(html)
);
Node.jsでは、以下を使用してfetch
をインポートする必要があります。
const fetch = require("node-fetch");
同期的に使用したい場合(トップスコープでは動作しません):
const json = await fetch(url)
.then(response => response.json())
.catch((e) => {});
もっと詳しく
XMLHttpRequest
では、XMLHttpRequest.responseText
を使用すると、以下のような例外が発生する可能性があります。
Failed to read the \'responseText\' property from \'XMLHttpRequest\':
The value is only accessible if the object\'s \'responseType\' is \'\'
or \'text\' (was \'arraybuffer\')
次のようにXHRからの応答にアクセスするための最良の方法
function readBody(xhr) {
var data;
if (!xhr.responseType || xhr.responseType === "text") {
data = xhr.responseText;
} else if (xhr.responseType === "document") {
data = xhr.responseXML;
} else {
data = xhr.response;
}
return data;
}
var xhr = new XMLHttpRequest();
xhr.onreadystatechange = function() {
if (xhr.readyState == 4) {
console.log(readBody(xhr));
}
}
xhr.open('GET', 'http://www.google.com', true);
xhr.send(null);
XMLHttpRequest
をpure JavaScript
と一緒に使用する簡単な方法。あなたはcustom header
を設定することができますが、要件に基づいて使用されるオプションです。
window.onload = function(){
var request = new XMLHttpRequest();
var params = "UID=CORS&name=CORS";
request.onreadystatechange = function() {
if (this.readyState == 4 && this.status == 200) {
console.log(this.responseText);
}
};
request.open('POST', 'https://www.example.com/api/createUser', true);
request.setRequestHeader('api-key', 'your-api-key');
request.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
request.send(params);
}
POSTメソッドを使用してパラメータを送信できます。
下記の例を実行するとJSONという応答が返されます。
window.onload = function(){
var request = new XMLHttpRequest();
request.onreadystatechange = function() {
if (this.readyState == 4 && this.status == 200) {
console.log(this.responseText);
}
};
request.open('GET', 'https://jsonplaceholder.typicode.com/users/1');
request.send();
}