Reputation: 4056
Maybe someone mark my question as duplicate or else but i am confusing about callback
in JavaScript
. I read from here
a following piece of code
getText = function(url, callback) // How can I use this callback?
{
var request = new XMLHttpRequest();
request.onreadystatechange = function()
{
if (request.readyState == 4 && request.status == 200)
{
callback(request.responseText); // Another callback here
}
};
request.open('GET', url);
request.send();
}
function mycallback(data) {
alert(data);
}
getText('somephpfile.php', mycallback); //passing mycallback as a method
and now if i change the above code and remove callbacks
like following
getText = function(url) //Also remove from here How can I use this callback?
{
var request = new XMLHttpRequest();
request.onreadystatechange = function()
{
if (request.readyState == 4 && request.status == 200)
{
mycallback(request.responseText); //Now here i simply call that function
}
};
request.open('GET', url);
request.send();
}
function mycallback(data) {
alert(data);
}
getText('somephpfile.php'); //Remove (passing mycallback as a method)
So now what is difference now?
If no difference then why use callbacks
Upvotes: 0
Views: 251
Reputation: 665465
So now what is difference now? If no difference then why use callbacks
Your first function is more general (reusable). You can do all of these:
getText('somephpfile.php', console.log); // or
getText('somephpfile.php', alert); // or
getText('somephpfile.php', mycallback); // or
getText('somephpfile.php', yourcallback); // or
getText('somephpfile.php', whatever);
which will behave differently. In your second function, the getText
cannot be used for anything else but alerting ajax data.
Upvotes: 1