How do you make javascript code execute *in order*

后端 未结 9 1116
别那么骄傲
别那么骄傲 2020-11-30 05:49

Okay, so I appreciate that Javascript is not C# or PHP, but I keep coming back to an issue in Javascript - not with JS itself but my use of it.

I have a function:

相关标签:
9条回答
  • 2020-11-30 06:17

    This has nothing to do with the execution order of the code.

    The reason that the loader image never shows, is that the UI doesn't update while your function is running. If you do changes in the UI, they don't appear until you exit the function and return control to the browser.

    You can use a timeout after setting the image, giving the browser a chance to update the UI before starting rest of the code:

    function updateStatuses(){
    
      showLoader() //show the 'loader.gif' in the UI
    
      // start a timeout that will start the rest of the code after the UI updates
      window.setTimeout(function(){
        updateStatus('cron1'); //performs an ajax request to get the status of something
        updateStatus('cron2');
        updateStatus('cron3');
        updateStatus('cronEmail');
        updateStatus('cronHourly');
        updateStatus('cronDaily');
    
        hideLoader(); //hide the 'loader.gif' in the UI
      },0);
    }
    

    There is another factor that also can make your code appear to execute out of order. If your AJAX requests are asynchronous, the function won't wait for the responses. The function that takes care of the response will run when the browser receives the response. If you want to hide the loader image after the response has been received, you would have to do that when the last response handler function runs. As the responses doesn't have to arrive in the order that you sent the requests, you would need to count how many responses you got to know when the last one comes.

    0 讨论(0)
  • 2020-11-30 06:20

    One of the best solutions for handling all async requests is the 'Promise'.
    The Promise object represents the eventual completion (or failure) of an asynchronous operation.

    Example:

    let myFirstPromise = new Promise((resolve, reject) => {
      // We call resolve(...) when what we were doing asynchronously was successful, and reject(...) when it failed.
      // In this example, we use setTimeout(...) to simulate async code. 
      // In reality, you will probably be using something like XHR or an HTML5 API.
      setTimeout(function(){
        resolve("Success!"); // Yay! Everything went well!
      }, 250);
    });  
    
    myFirstPromise.then((successMessage) => {
      // successMessage is whatever we passed in the resolve(...) function above.
      // It doesn't have to be a string, but if it is only a succeed message, it probably will be.
      console.log("Yay! " + successMessage);
    });
    

    Promise

    If you have 3 async functions and expect to run in order, do as follows:

    let FirstPromise = new Promise((resolve, reject) => {
        FirstPromise.resolve("First!");
    });
    let SecondPromise = new Promise((resolve, reject) => {
    
    });
    let ThirdPromise = new Promise((resolve, reject) => {
    
    });
    FirstPromise.then((successMessage) => {
      jQuery.ajax({
        type: "type",
        url: "url",
        success: function(response){
            console.log("First! ");
            SecondPromise.resolve("Second!");
        },
        error: function() {
            //handle your error
        }  
      });           
    });
    SecondPromise.then((successMessage) => {
      jQuery.ajax({
        type: "type",
        url: "url",
        success: function(response){
            console.log("Second! ");
            ThirdPromise.resolve("Third!");
        },
        error: function() {
           //handle your error
        }  
      });    
    });
    ThirdPromise.then((successMessage) => {
      jQuery.ajax({
        type: "type",
        url: "url",
        success: function(response){
            console.log("Third! ");
        },
        error: function() {
            //handle your error
        }  
      });  
    });
    

    With this approach, you can handle all async operation as you wish.

    0 讨论(0)
  • 2020-11-30 06:22

    The problem occurs because AJAX is in its nature asynchronus. This means that the updateStatus() calls are indeed executed in order but returns immediatly and the JS interpreter reaches hideLoader() before any data is retreived from the AJAX requests.

    You should perform the hideLoader() on an event where the AJAX calls are finished.

    0 讨论(0)
  • 2020-11-30 06:26

    I thinks all you need to do is have this in your code:

    async: false,
    

    So your Ajax call would look like this:

    jQuery.ajax({
                type: "GET",
                url: "something.html for example",
                dataType: "html",
                async: false,
                context: document.body,
                success: function(response){
    
                    //do stuff here
    
                },
                error: function() {
                    alert("Sorry, The requested property could not be found.");
                }  
            });
    

    Obviously some of this need to change for XML, JSON etc but the async: false, is the main point here which tell the JS engine to wait until the success call have returned (or failed depending) and then carry on. Remember there is a downside to this, and thats that the entire page becomes unresponsive until the ajax returns!!! usually within milliseconds which is not a big deals but COULD take longer.

    Hope this is the right answer and it helps you :)

    0 讨论(0)
  • 2020-11-30 06:26

    move the updateStatus calls to another function. make a call setTimeout with the new function as a target.

    if your ajax requests are asynchronous, you should have something to track which ones have completed. each callback method can set a "completed" flag somewhere for itself, and check to see if it's the last one to do so. if it is, then have it call hideLoader.

    0 讨论(0)
  • 2020-11-30 06:34

    We have something similar in one of our projects, and we solved it by using a counter. If you increase the counter for each call to updateStatus and decrease it in the AJAX request's response function (depends on the AJAX JavaScript library you're using.)

    Once the counter reaches zero, all AJAX requests are completed and you can call hideLoader().

    Here's a sample:

    var loadCounter = 0;
    
    function updateStatuses(){
        updateStatus('cron1'); //performs an ajax request to get the status of something
        updateStatus('cron2');
        updateStatus('cron3');    
        updateStatus('cronEmail');
        updateStatus('cronHourly');
        updateStatus('cronDaily');
    }
    
    function updateStatus(what) {
        loadCounter++;
    
        //perform your AJAX call and set the response method to updateStatusCompleted()
    }
    
    function updateStatusCompleted() {
        loadCounter--;
        if (loadCounter <= 0)
            hideLoader(); //hide the 'loader.gif' in the UI
    }
    
    0 讨论(0)
提交回复
热议问题