Wednesday, December 6, 2023
HomeVideo EditingHow one can Wait in JavaScript?

How one can Wait in JavaScript?


It is rather widespread when creating web sites or purposes to both anticipate a particular time or anticipate one thing particular to finish. There are numerous strategies that you need to use to attend in JavaScript. On this tutorial, you’ll study completely different strategies and ideas that you need to use to attend and when you must use which one.

Do One thing After a Particular Time

Probably the most widespread sorts of wait in JavaScript is the one the place you anticipate a particular period of time to move earlier than taking any motion.

For instance, as an instance somebody visits your web site. It will be very annoying to indicate them a popup to join your publication or to subscribe to your YouTube channel as quickly as they load a webpage. A greater technique can be to attend for a specific period of time like a minute after which present the popup.

It is rather simple to do such a wait in JavaScript. All it’s worthwhile to do is use the setTimeout() technique. Right here is an instance:

1
console.log("Hey!");
2

3
setTimeout(operate() {
4
  console.log("Signal Up for the E-newsletter");
5
}, 5000);
6

7
/* Output
8

9
11:01:27.165 Hey!
10
11:01:32.184 Signal Up for the E-newsletter
11

12
*/

You may add this ready interval wherever you want. For instance, as soon as a consumer clicks a button, you need to use setTimeout() to solely take motion after a particular time interval.

1
const delay_btn = doc.querySelector("button.delay-click");
2

3
delay_btn.addEventListener("click on", operate() {
4
  console.log("I used to be clicked!");
5
  
6
  setTimeout(operate(){
7
    console.log("I'm responding!");
8
  }, 2000);
9
});
10

11
/* Output
12

13
11:12:31.228 I used to be clicked!
14
11:12:33.236 I'm responding!
15

16
*/

Within the above instance, we may detect the press as quickly because it occurred. Nonetheless, it’s nonetheless doable to answer the press after a while has handed. The setTimeout() technique makes positive that the response occurs after 2 seconds.

Do One thing After Fastened Time Intervals

As an instance you might be creating a sport the place you must spawn enemies after each three seconds or you might be constructing an app the place you remind customers to  take some motion after each half-hour. The setInterval() technique works nice on this case as a result of it might execute duties repeatedly after a set time delay between them.

Right here is an instance:

1
setInterval(operate() {
2
  console.log("Spawn New Enemy!");
3
}, 3000);
4

5
setInterval(operate() {
6
  console.log("Spawn Energy Up!");
7
}, 4000);
8

9
/* Output
10

11
11:26:19.526 Spawn New Enemy!
12
11:26:20.520 Spawn Energy Up!
13
11:26:22.529 Spawn New Enemy!
14
11:26:24.532 Spawn Energy Up!
15
11:26:25.532 Spawn New Enemy!
16

17
*/

As you possibly can see, a brand new enemy spawns each three seconds and an influence up spawns each 4 seconds.

In sure conditions, you may additionally wish to cease performing a activity based mostly on particular triggers. The clearInterval() technique involves our rescue on this case.

Any name to the setInterval() technique returns a singular interval ID that we are able to retailer in a variable. After that, we are able to cease the repeated execution of this interval by passing the interval ID to the clearInterval() technique. You’ll perceive this higher with the instance beneath the place we create a countdown timer.

1
let timer_duration = 100;
2
let timer_interval_id;
3

4
start_btn.addEventListener('click on', operate() {
5
  timer_interval_id = setInterval(operate(){
6
    timer_duration -= 1;
7
    
8
    heading.innerText = timer_duration;
9
  }, 1000);
10
});
11

12
stop_btn.addEventListener('click on', operate() {
13
  clearInterval(timer_interval_id);
14
});
15

16
reset_btn.addEventListener('click on', operate() {
17
  timer_duration = 100;
18
  heading.innerText = timer_duration;
19
});

Our countdown timer is ready to depend downwards from 100. We’ve got hooked up click on listeners to a few completely different buttons. The “Begin Timer” button begins our countdown timer with the assistance of the setInterval() technique. The code inside setInterval() is executed each second and we cut back the worth of timer_duration by 1 after every iteration. This interval is then assigned to the variable timer_interval_id.

We use the clearInterval() technique to clear this interval when the “Cease Timer” button is pressed. The next CodePen demo reveals out countdown timer in motion:

Anticipate a Activity to Full Earlier than Continuing

Within the earlier instance,  we up to date the textual content inside our heading after subtracting 1 from our timer_duration. Our heading was due to this fact up to date with new period. All this occurred in a short time and the instructions have been executed one after the opposite as anticipated.

Nonetheless, some operations can take some time to finish. For instance, you is likely to be getting the information about climate for a spot from an API. On this case, you’d ideally like to attend for the information entry operation to finish earlier than updating the UI.

We are going to now discover ways to anticipate a activity to finish earlier than we proceed with the executions of our program. Right here is a straightforward code snippet the place some associates are supposed to fulfill at a spot after which go to the flicks collectively.

1
operate sandy_is_late() {
2
  setTimeout(operate () {
3
    console.log("Sandy reached the spot slightly late.");
4
  }, 2000);
5
}
6

7
operate everyone_go() {
8
  console.log("Amanda, Liam and John have arrived on the ready spot.");
9
  sandy_is_late();
10
  console.log("Everybody has left for the flicks now!");
11
}
12

13
everyone_go();
14

15
/* Outputs:
16

17
Amanda, Liam and John have arrived on the ready spot.
18
Everybody has left for the flicks now!
19
Sandy reached the spot slightly late.
20
 
21
*/

After we name the everyone_go() operate, we anticipate everybody to go to the flicks when all the chums have arrived on the ready spot. Nonetheless, executing the code reveals that everybody had already left for the film earlier than Sandy arrived.

How can we treatment that?

A easy answer right here entails using the Promise object in addition to async features and the await key phrase. I’ll briefly clarify all of them right here.

The Promise object in JavaScript helps you retain observe of any asynchronous duties in your program.

So, what are asynchronous duties? Some duties that you simply implement in programming can take some time to offer outcomes. In such instances, you don’t need your program to freeze utterly, and nonetheless reply to different occasions. That is achieved by making the duties asynchronous.

Which means that we are able to use guarantees to find out the state of our duties and whether or not they have accomplished efficiently. The async and await key phrases permits us to put in writing that promise-based code in a transparent method. Right here is our up to date code and its output:

1
operate sandy_is_late() {
2
  return new Promise((resolve) => {
3
    setTimeout(() => {
4
      console.log("Sandy reached the spot slightly late.");
5
      resolve();
6
    }, 2000);
7
  });
8
}
9

10
async operate everyone_go() {
11
  console.log("Amanda, Liam and John have arrived on the ready spot.");
12
  await sandy_is_late();
13
  console.log("Everybody goes to the flicks now!");
14
}
15

16
everyone_go();
17

18

19
/* Outputs:
20

21
Amanda, Liam and John have arrived on the ready spot.
22
Sandy reached the spot slightly late.
23
Everybody has left for the flicks now!
24
 
25
*/

The everyone_go() operate has solely undergone minor adjustments. We added the key phrase async earlier than the operate. This permits us to make use of the await key phrase inside our operate definition. The operate everyone_go() additionally returns a Promise however we can’t want that right here.

The sandy_is_late() operate now explicitly returns a Promise which is resolved after two seconds as a result of setTimeout() technique.

You might need seen that there’s an await key phrase earlier than our sandy_is_late() operate name. This suspends the mother or father operate execution till the promise is resolved. Due to this fact, it was vital for us to name resolve() inside our setTimeout() technique.

As soon as the promise was resolved, we logged our subsequent assertion to the console.

Writing a Ready Perform in JavaScript

One good factor about guarantees is that we are able to name the then() technique on them when our promise has been fulfilled. The callback features that you simply present to this technique are referred to as when the promise has settled.

This then() technique itself returns a Promise object which makes it simpler to maintain chaining extra then() strategies and let all of your duties occur in a sequential method.

All that we have to do to put in writing a normal ready operate is create and return a promise that resolves after specified variety of seconds. Right here is an instance:

1
operate wait(t) {
2
  return new Promise((resolve) => {
3
    setTimeout(resolve, 1000 * t);
4
  });
5
}

Our wait() operate accepts a single parameter that determines the variety of seconds now we have to attend. After that, we name setTimeout() with the required time and make a name to resolve() inside this technique. This resolves our promise and paves means for any additional calls to then().

1
console.log("Hey");
2

3
wait(2)
4
  .then(() => console.log("Are you free tonight?"))
5
  .then(() => wait(2))
6
  .then(() => console.log("Alright, Bye!"));
7

8
console.log("How are you?");
9

10
/* Outputs
11

12
18:56:27.228 Hey
13
18:56:27.230 How are you?
14
18:56:29.244 Are you free tonight?
15
18:56:31.249 Alright, Bye!
16

17
*/

On this instance, we used our wait() operate to a 2 second delay between our console.log() calls. One factor value noticing is that wait() does not cease the execution of the entire program. Our final assertion was nonetheless logged simply after “Hey”.

Something that you simply wish to execute with delay needs to be wrapped inside a then() name.

Closing Ideas

On this tutorial, we discovered about other ways of ready in JavaScript. The most effective method to make use of will rely in your necessities. You need to use the setTimeout() technique if you wish to execute one thing after a particular time. The setInterval() technique is beneficial if you wish to execute one thing periodically.

Lastly, guarantees are useful when you do not know how lengthy a activity will take and wish to execute some code after that specified activity has accomplished. One benefit of utilizing guarantees is that they permits you to anticipate duties to finish with out freezing the entire program.

RELATED ARTICLES

LEAVE A REPLY

Please enter your comment!
Please enter your name here

Most Popular

Recent Comments