Reputation: 81
I'm trying to migrate my API calls from using jQuery ajax to using the Fetch API.
I was using jQuery ajaxStart and ajaxStop to display a loading spinner during server calls.
I'm running several parallel server requests, I want the spinner to start when the first request start and to stop when the last request settled.
It was pretty straight foward with jQuery. However, I can't find a similiar technique using the fetch API. Any ideas ?
Upvotes: 8
Views: 1656
Reputation: 1048
Just start your spinner before the call to fetch
and stop it in the finally
state.showSpinner = true;
Promise.all([fetch(url1), fetch(url2)])
.then(success => console.log(success))
.catch(error => console.error(error))
.finally(() => state.showSpinner = false);
Upvotes: 1
Reputation: 1
You can use Promise
to notify when fetch
is called and completed
var params = {
a: 1,
b: 2
};
var data = new FormData();
data.append("json", JSON.stringify(params));
var currentRequest = new Request("/echo/json/", {
method: "POST",
body: data
});
var start, complete;
var fetchStart = new Promise(function(_start) {
start = _start;
})
var fetchComplete = new Promise(function(_complete) {
complete = _complete;
});
// do stuff when `fetch` is called
fetchStart.then(function(startData) {
console.log(startData)
});
// do stuff when `fetch` completes
fetchComplete.then(function(completeData) {
console.log(completeData)
});
var request = fetch(currentRequest);
[request, start({
"fetchStarted": currentRequest
})].shift()
.then(function(res) {
if (res.ok) {
// resolve `fetchComplete` `Promise` when `fetch` completes
complete({
"fetchCompleted": res
})
};
return res.json();
})
.then(function(data) {
document.body.textContent = JSON.stringify(data)
})
.catch(function(err) {
// if error, pass error to `fetchComplete`
complete({
"fetchCompleted": res,
"error": err
});
});
jsfiddle https://jsfiddle.net/abbpbah4/18/
See also Fetch: POST json data
Upvotes: 1