Last active
December 4, 2022 00:51
-
-
Save steve-taylor/5075717 to your computer and use it in GitHub Desktop.
Synchronous for loop in JavaScript to ensure that the n+1th item isn't processed until the callback of the nth item's processor has been called.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
* Process an array of data synchronously. | |
* | |
* @param data An array of data. | |
* @param processData A function that processes an item of data. | |
* Signature: function(item, i, callback), where {@code item} is the i'th item, | |
* {@code i} is the loop index value and {@code calback} is the | |
* parameterless function to call on completion of processing an item. | |
*/ | |
function doSynchronousLoop(data, processData, done) { | |
if (data.length > 0) { | |
var loop = function(data, i, processData, done) { | |
processData(data[i], i, function() { | |
if (++i < data.length) { | |
loop(data, i, processData, done); | |
} else { | |
done(); | |
} | |
}); | |
}; | |
loop(data, 0, processData, done); | |
} else { | |
done(); | |
} | |
} |
Nice work !!! Kind of a cool way to implement sync loops 👍
Pure genius!
Nice work!!!!!!!!!!!!! you are genius!
Nice!
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Genius! worked like a charm. Can we have a little bit of an explanation about why this works? :)