Я припускаю, що ви знаєте, як зробити власний XHR-запит (ви можете накреслити тут і тут )
Оскільки будь-який веб-переглядач, який підтримує вродні обіцянки , також підтримуватиме xhr.onload
, ми можемо пропустити всі onReadyStateChange
меморіали. Давайте зробимо крок назад і почнемо з основної функції запиту XHR, використовуючи зворотні дзвінки:
function makeRequest (method, url, done) {
var xhr = new XMLHttpRequest();
xhr.open(method, url);
xhr.onload = function () {
done(null, xhr.response);
};
xhr.onerror = function () {
done(xhr.response);
};
xhr.send();
}
// And we'd call it as such:
makeRequest('GET', 'http://example.com', function (err, datums) {
if (err) { throw err; }
console.log(datums);
});
Ура! Це не передбачає нічого страшно складного (наприклад, власні заголовки чи дані POST), але достатньо, щоб ми рухалися вперед.
Конструктор обіцянок
Ми можемо побудувати обіцянку так:
new Promise(function (resolve, reject) {
// Do some Async stuff
// call resolve if it succeeded
// reject if it failed
});
Конструктор обіцянок бере функцію, якій буде передано два аргументи (назвемо їх resolve
і reject
). Ви можете вважати це зворотними дзвінками, один за успіх і один за невдачу. Приклади приголомшливі, давайте оновимо makeRequest
цей конструктор:
function makeRequest (method, url) {
return new Promise(function (resolve, reject) {
var xhr = new XMLHttpRequest();
xhr.open(method, url);
xhr.onload = function () {
if (this.status >= 200 && this.status < 300) {
resolve(xhr.response);
} else {
reject({
status: this.status,
statusText: xhr.statusText
});
}
};
xhr.onerror = function () {
reject({
status: this.status,
statusText: xhr.statusText
});
};
xhr.send();
});
}
// Example:
makeRequest('GET', 'http://example.com')
.then(function (datums) {
console.log(datums);
})
.catch(function (err) {
console.error('Augh, there was an error!', err.statusText);
});
Тепер ми можемо використовувати сили обіцянок, прив'язуючи декілька викликів XHR (і це .catch
спровокує помилку на будь-якому дзвінку):
makeRequest('GET', 'http://example.com')
.then(function (datums) {
return makeRequest('GET', datums.url);
})
.then(function (moreDatums) {
console.log(moreDatums);
})
.catch(function (err) {
console.error('Augh, there was an error!', err.statusText);
});
Ми можемо вдосконалити це ще далі, додавши параметри POST / PUT та власні заголовки. Давайте використовувати об’єкт параметрів замість кількох аргументів, з підписом:
{
method: String,
url: String,
params: String | Object,
headers: Object
}
makeRequest
тепер виглядає приблизно так:
function makeRequest (opts) {
return new Promise(function (resolve, reject) {
var xhr = new XMLHttpRequest();
xhr.open(opts.method, opts.url);
xhr.onload = function () {
if (this.status >= 200 && this.status < 300) {
resolve(xhr.response);
} else {
reject({
status: this.status,
statusText: xhr.statusText
});
}
};
xhr.onerror = function () {
reject({
status: this.status,
statusText: xhr.statusText
});
};
if (opts.headers) {
Object.keys(opts.headers).forEach(function (key) {
xhr.setRequestHeader(key, opts.headers[key]);
});
}
var params = opts.params;
// We'll need to stringify if we've been given an object
// If we have a string, this is skipped.
if (params && typeof params === 'object') {
params = Object.keys(params).map(function (key) {
return encodeURIComponent(key) + '=' + encodeURIComponent(params[key]);
}).join('&');
}
xhr.send(params);
});
}
// Headers and params are optional
makeRequest({
method: 'GET',
url: 'http://example.com'
})
.then(function (datums) {
return makeRequest({
method: 'POST',
url: datums.url,
params: {
score: 9001
},
headers: {
'X-Subliminal-Message': 'Upvote-this-answer'
}
});
})
.catch(function (err) {
console.error('Augh, there was an error!', err.statusText);
});
Більш комплексний підхід можна знайти в MDN .
Крім того, ви можете використовувати API для отримання ( polyfill ).