Simply: an ajax call works like, you send a request and somewhat later(we do not know when!) a response would come.
if you have an AJAX call:
So you'd provide a function(){}
and give it to your AJAX API ($ajax() in your case), and your Ajax API would run your function(){}
when the response is received, so simple and nice. this is called an Asynchronous behaviour.
so if you wanna do something when your response is received you should code inside your function(){}
.
If you have a bunch of AJAX calls:
The same rule applies here, but I assume you are gonna do something when all the responses of each ajax call are received. much work is needed.
let's say you have 3 ajax calls,
One way is to have one single function(){}
for each of them like this:
$.ajax( "http://url_1.com", response );//say this response triggers 1sec later
$.ajax( "http://url_2.com", response );//say this response triggers 3sec later
$.ajax( "http://url_3.com", response );//say this response triggers 2sec later
Finally our response
callback function would trigger 3 times if everything in network was OK.
var res = [];
function response(data) {
// the data is handled by $.ajax() so every time I can ask for sent data like url, headers and etc.
if (data.url == "http://url_1.com") {
res[0] = data;
}
else if (data.url == "http://url_2.com") {
res[1] = data;
}
else if(data.url == "http://url_3.com"){
res[2] = data;
}
if(arr.length === 3){
//we are done now, our array has 3 indexes and values
//it means this is the third call(and last) of the response function
}
}
so I defined an array called res
and allocate each index for one specific URL.
But we are not done yet, Response function
should know when all the array is filled, so need to check our array to make sure each index is filled.
all the code you see is deeply simplified and is for demonstration purpose, you need to provide much checking for production.
this scenario(bunch of ajax calls) can be done by other methods, like Promises or generators.