Suppongo che tu sappia come effettuare una richiesta XHR nativa (puoi ripassare qui e qui )
Dal momento che qualsiasi browser che supporta le promesse native supporterà anche xhr.onload
, possiamo saltare tutti i onReadyStateChange
buffonati. Facciamo un passo indietro e iniziamo con una funzione di richiesta XHR di base utilizzando i callback:
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);
});
Evviva! Ciò non comporta nulla di terribilmente complicato (come intestazioni personalizzate o dati POST) ma è sufficiente per farci avanzare.
Il costruttore della promessa
Possiamo costruire una promessa in questo modo:
new Promise(function (resolve, reject) {
// Do some Async stuff
// call resolve if it succeeded
// reject if it failed
});
Il costruttore promessa assume una funzione a cui verranno passati due argomenti (chiamiamoli resolve
e reject
). Puoi pensarli come callback, uno per il successo e uno per il fallimento. Gli esempi sono fantastici, aggiorniamo makeRequest
con questo costruttore:
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);
});
Ora possiamo attingere al potere delle promesse, concatenando più chiamate XHR (e .catch
si innescherà un errore su entrambe le chiamate):
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);
});
Possiamo migliorarlo ulteriormente, aggiungendo sia parametri POST / PUT sia intestazioni personalizzate. Usiamo un oggetto opzioni invece di più argomenti, con la firma:
{
method: String,
url: String,
params: String | Object,
headers: Object
}
makeRequest
ora sembra qualcosa del genere:
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);
});
Un approccio più completo è disponibile presso MDN .
In alternativa, è possibile utilizzare l' API di recupero ( polyfill ).