Suponho que você saiba como fazer uma solicitação XHR nativa (você pode atualizar aqui e aqui )
Como qualquer navegador que suporte promessas nativas também suportará xhr.onload
, podemos pular todas as onReadyStateChange
ferramentas do tom. Vamos dar um passo atrás e começar com uma função básica de solicitação XHR usando retornos de chamada:
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);
});
Viva! Isso não envolve nada terrivelmente complicado (como cabeçalhos personalizados ou dados POST), mas é suficiente para nos levar adiante.
O construtor de promessas
Podemos construir uma promessa como esta:
new Promise(function (resolve, reject) {
// Do some Async stuff
// call resolve if it succeeded
// reject if it failed
});
O construtor da promessa assume uma função que recebe dois argumentos (vamos chamá-los resolve
e reject
). Você pode pensar neles como retornos de chamada, um para o sucesso e outro para o fracasso. Os exemplos são impressionantes, vamos atualizar makeRequest
com este construtor:
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);
});
Agora podemos explorar o poder das promessas, encadeando várias chamadas XHR (e .catch
isso desencadeará um erro em qualquer uma das chamadas):
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);
});
Podemos melhorar ainda mais isso, adicionando parâmetros POST / PUT e cabeçalhos personalizados. Vamos usar um objeto de opções em vez de vários argumentos, com a assinatura:
{
method: String,
url: String,
params: String | Object,
headers: Object
}
makeRequest
agora se parece com isso:
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);
});
Uma abordagem mais abrangente pode ser encontrada na MDN .
Como alternativa, você pode usar a API de busca ( polyfill ).