DEV Community

Agboola Quadri yomike
Agboola Quadri yomike

Posted on

Difference between Synchronous % Asynchronous

How code is executed in JavaScript falls into two main categories: synchronous and asynchronous. Understanding these two is key to writing efficient and responsive web applications.

Synchronous

Synchronous code execution happens sequentially, one line at a time. Each line of code waits for the previous line to finish before it starts. Imagine it like waiting in line at a store - you can't move forward until the person in front of you does.

Here's an example of synchronous code:

console.log("I'm first!");

let result = someFunctionThatTakesTime(); // Simulates a long-running task
console.log(result);
In this example, the first line "I'm first!" will be logged to the console, then the program will pause and wait for someFunctionThatTakesTime to finish. Once it does, the result will be logged.

Asynchronous

Asynchronous code execution, on the other hand, doesn't block the main thread. When an asynchronous operation is encountered, like fetching data from a server, the program continues to execute the next line of code. The asynchronous operation runs in the background, and when it's finished, it notifies the program through a callback function.

Here's an example of asynchronous code:

console.log("I'm first!");

fetchDataFromServer(function(data) {
console.log(data);
});

console.log("I'm third!"); // This will be executed before data is fetched

In this example, all three lines are executed one after another. However, the fetchDataFromServer function is asynchronous. So, "I'm first!" and "I'm third!" will be logged immediately, and then the program will continue to wait for the data to be fetched. Once the data is retrieved, the callback function will be executed, and the data will be logged.

Why Asynchronous is Important

Asynchronous programming is essential for creating responsive web applications. If long-running tasks constantly block your code, your UI will become unresponsive and users will have a bad experience. Using asynchronous techniques, you can keep your UI responsive while background tasks are completed.

Top comments (2)

Collapse
 
efpage profile image
Eckehard

Even if your code runs asyncronously, this does not save you from blocking your app. Just put this line in your code to see:

while(true){}
Enter fullscreen mode Exit fullscreen mode

Javascript is a single threaded system. If an event fires while the main thread is still busy, the event will need to wait until the thread is finished. The same is true for asyncronous operations. If one operation takes very long, this will block all other operations.

Asyncrhonous operations work great as long as the execution of each operation is fast. If your app needs to perform any operation that take longer than some milliseconds, you should think about worker threads that run truely in parallel.

Collapse
 
khaybee24 profile image
khaybee24

Good one