There is no fetch.all, but looking at the code, it looks like you mean Promise.all.
Also, it seems the results of those requests are unrelated, so I’m not sure how you’d add them together. But, that’s what’s great about programming: you get to decide for yourself and code it the way you want. One is a list of people, and the other is information about a single show. What to do?
What Promise.all does is makes sure that you get a callback (then()) called when all of the promises you provide it (each fetch) are completed, so in that then(), you have all the data that was loaded available for use - to use however way you choose to combine that data.
const apiRequest1 = fetch('https://randomuser.me/api/?results=10').then(function(response){
return response.json()
});
const apiRequest2 = fetch('https://api.jikan.moe/anime/1/characters_staff').then(function(response){
return response.json()
});
let combinedData;
Promise.all([apiRequest1,apiRequest2]).then(function(data){
firstAPI = data[0];
console.log(firstAPI);
secondAPI = data[1];
console.log(secondAPI);
combinedData = {...firstAPI, ...secondAPI};
console.log(combinedData);
createHtml(combinedData);
// createHtml(combinedData.results);
// return combinedData;
})
.catch(function(error) {
console.log('Looks like there was a problem: \n', error);
});
// Function to generate the HTML
function createHtml(ourData) { // ourData is just a parameter and can be named anything
let rawTemplate = document.querySelector("#ourTemplate").innerHTML;
let compiledTemplate = Handlebars.compile(rawTemplate);
let ourGeneratedHTML = compiledTemplate(ourData);
let ourContainer = document.querySelector("#container");
ourContainer.innerHTML = ourGeneratedHTML;
}
Of course I had to run handlebars.js #each twice, once for each Ajax response.