I'm working through the Freecodecamp Twitch API project and I'm unable to get the API data to display correct. The logo, channel and status comes back as undefined.
I know the API is working definitely. Must be something wrong in the way I've written in the code, but can't figure out what.
Here's my code:
$(document).ready(function() {
var users = ["ESL_SC2", "OgamingSC2", "cretetion", "freecodecamp", "storbeck", "habathcx", "RobotCaleb", "noobs2ninjas"];
for (i=0; i<users.length; i++) {
var url="https://api.twitch.tv/kraken/channels/" + users[i];
var logo;
var channel;
var status;
$.ajax ({
type: 'GET',
url: url,
headers: {
'Client-ID': 'hw8qejm816w6tjk88fdhfjz1wxpypm'
},
success: function(data) {
logo = data.logo;
channel = data.name;
}
});
var url2 = "https://api.twitch.tv/kraken/streams/" + users[i];
$.ajax ({
type: 'GET',
url: url2,
headers: {
'Client-ID': 'hw8qejm816w6tjk88fdhfjz1wxpypm'
},
success: function(data2) {
if (data2.stream == null) {
status = "Offline";
} else {
status = "Online";
};
}
});
$("#channelInfo").prepend("<div class='row'><div class='col-xs-4'><img src="+logo+"></div><div class='col-xs-4'>"+channel+"</div><div class='col-xs-4'>"+status+"</div>")
};
});
Here's a link to my codepen: http://codepen.io/drhectapus/pen/VPNQJa?editors=1011
Any help would be greatly appreciated.
Because AJAX is asynchronous by default, your last line is getting executed before your ajax request is finished. You should have your post-call results inside your
success: function(data)
area, as follows. Note that I addedasync:false
to your ajax calls so that the inner request would happen in order, which will keep your objects synchronized:Simply: an ajax call works like, you send a request and somewhat later(we do not know when!) a response would come.
So you'd provide a
function(){}
and give it to your AJAX API ($ajax() in your case), and your Ajax API would run yourfunction(){}
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(){}
.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:Finally our
response
callback function would trigger 3 times if everything in network was OK.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.