Asynchronous Programming means running programs without waiting for execution line by line. We can move onto next line during execution. If one line accessing data from database or server is taking wait time and we donot want to halt entire program.
Browsers provide API's like setTimeout, promise, Async-await, fetch API, Storage API for Asynchronous programs.These are commonly called by the nameWeb API.
In backend there are other api's likeREST api, graphQl api.
Callbacks and setTimeout function
Callbacks are very useful in application programs.For a simple example,We can use callbacks usingsetTimeout
function. We can see most functions in javascript use callbacks likeforEach
,fetch
,promise
,addEventListener
,async
await
,map
,filter
,reduce
.
setTimeout
The example here has threesetTimeout
functions. Each function takes an argument. Each of the arguments are functions themselves. They are called callbacks.Each of them prints a string on console. First timer function executes after one second, second after five seconds and third after two seconds. So, that means javascript executes first then executes thirdconsole.log
because it is set to run after two seconds. And then third one after five seconds.
Javascript has something calledevent loop, to handle asynchronous code.When you call an asynchronous function in JavaScript, that is queued into the event loop, and will only be executed when its turn comes.This prevents blocking execution of other programs. So, to make every process isolated from each other, every tabs of browser, each node.js programs, API calls, Web Workers have their own event loop.
setTimeout(function(){console.log("Hello");},1000);setTimeout(function(){console.log("Dear come later.");},5000);setTimeout(function(){console.log("World");},2000);
The execution of code does not care about the ordersetTimeout
functions are written in code. It follows the timer which controls the order the outputs are executed. Event loop executes thirdsetTimeout
function by loading it in call stack after it executes and removes first function from call stack.
(
Callback
Most programs that use callback has to perform operations in an order, for example, if we access data from database using API and then so some operation on data and then display the result.
This code above prints results without any sequence because the timer is asynchronous. To display output in sequence, we can do use same code by nesting setTimeout functions into one.
Note: The main point is second setTimeout depends on result of first function and result of third function depends on result of second
setTimeout
function.
setTimeout(function(){console.log("Hello");setTimeout(function(){console.log("It comes sooner.");setTimeout(function(){console.log("World");},2000);},5000);},1000);
In the following example we use callbackcb
as parameter of handleName function. We use callback to call string functionsmakeUpperCasename
andreverseName
as argument along with a string name. The handle name function takes the argument name and replace the parameter with it, and it takes a callback which is invoked inside the function. The result is uppercase fullname and reverse fullname.
functionmakeUpperCasename(value){console.log(value.toUpperCase());}// makeUpperCasename("Johathon");handleName("Jimmy",makeUpperCasename);handleName("Jimmy",reverseName);functionreverseName(value){console.log(value.split("").reverse().join(""));}functionhandleName(name,cb){constfullName=`${name} Carter `;cb(fullName);cb(fullName);cb(fullName);// two gotchas, we donot invoke `cb` in function parameter// and we can pass any functions as `cb` when we invoke it// and any number of time.}
()
Callbacks are very useful in most cases.The example we use here is simple one, in real world, in application programs code using callback are less manageable when we have so many callbacks. It is called callback hell. The simplest solution to this is promises.
constbtn=document.getElementById("btn");btn.addEventListener("click",function(){console.log("Hello World!");});// console.log(btn);
Promise
We define promise using new constructor which takes a callback as a parameter. We have an arrow function as callback.
The callback has two parametersresolve
andreject
which are methods of Promise API.We call these methods inside the curly braces in our logic.If we have a error in our logic we callreject
and if the code is doing well we useresolve
.
constpromise=newPromise((resolve,reject)=>{// resolve("I am a resolve of promise");reject("I am a reject of promise");});console.log(promise);
We need to call promise after defining. We do that using handlers.then
and.catch
.Bothcatch
andthen
takes callback functions as arguments.
We need to handle errors, insidecatch
method using a parameter that we can name whatever we like, here, I use error parameter, then we print error. We print result if there is no error inside thethen
method.
promise.catch((error)=>{console.error(error);}).then((data)=>{console.log(data);});
Async await
Async await provides similar functionality like promises with a nicer syntax.
Any function can become async function by usingasync
keyword prefix. We call promise usingawait
afterwards. We have assigneddata
as constants to store result returned.
constgetProducts=()=>{returnnewPromise((resolve,reject)=>{// get products dataresolve("fulfillling promises");});};constdoSomething=async()=>{constdata=awaitgetProducts();console.log(data);};doSomething();
Fetch API
Fetch provides networking in Browser. We have access to response and request objects of HTTP using fetch.HTTP
is the API that connects our browsers to the web server.
Just a fetch on aurl
returns a promise.We need to handle the promise returned.
We need useasync
function andawait
to make sense of data returned. Other option is to handle promise with then and catch methods.const result = fetch(url)
console.log(result)
Calling just fetch returns promise, so we use await before fetch and try catch block and enclose everything inside async function.we are usingIIFE
in this example.IIFE
is immediately invoked function expression that invokes itself.
Thefetch
call makes a request to the server and returns aresponse
object in body of the message. Next step is to convert thatresponse
into human readabledata
.Finally we are using.json
method on theresponse
object returned by the fetch network call. Then we print thedata
as our result in the console.
(async()=>{try{constresponse=awaitfetch(url);constdata=awaitresponse.json();console.log(data);}catch(error){console.error(error);}})();
Top comments(0)
For further actions, you may consider blocking this person and/orreporting abuse