Skip to content Skip to sidebar Skip to footer

Javascript - Global Variable Not In Scope After Being Defined In Callback?

whenever i try to run something like the following, firebug tells me that 'markers is undefined' at the line 'for (var i=0 ...' but i declared markers as a global variable at the t

Solution 1:

The problem you're having is that get starts an asynchronous operation. So your code immediately following the call to get happens before the success callback on the get is run. E.g. (see the comments):

var markers;
functionload() {

  // ===> This happens FIRST
  $.get("phpsqlajax_genxml.php", function(data) {
    // ===> This happens THIRD, some time after `load` returns
    markers = data.documentElement.getElementsByTagName("marker");
  });

  // ===> This happens SECONDfor (var i = 0; i < markers.length; i++) {
    var name = markers[i].getAttribute("name")
    //do more stuff
    }
}

Your second example is the correct way to code it (although I'd recommend avoiding a global entirely), because you're using markers only after the GET has completed.

Solution 2:

$.get is asynchronous, that means that if you call something immediatly after $.get, it's callback function wouldn't be invoked yet, and your global would still be undefined.

Post a Comment for "Javascript - Global Variable Not In Scope After Being Defined In Callback?"