
Understanding the Difference Between setTimeout and setInterval in JavaScript
01-12-2024
0 Comments
setTimeout and setInterval are both JavaScript functions used for executing code at specified times, but they have distinct purposes and behaviors. Here's a breakdown of the differences:
1. setTimeout
Purpose: Executes a function once after a specified delay.
Syntax:
javascript
কোড কপি করুন
setTimeout(function, delay, param1, param2, ...);
function: The function to execute.
delay: Delay in milliseconds (1 second = 1000 milliseconds).
param1, param2, ...: Optional parameters passed to the function.
Example:
javascript
কোড কপি করুন
setTimeout(() => {
console.log("This message appears after 3 seconds.");
}, 3000);
Behavior: Runs the callback function once after the delay.
2. setInterval
Purpose: Executes a function repeatedly at specified intervals.
Syntax:
javascript
কোড কপি করুন
setInterval(function, interval, param1, param2, ...);
function: The function to execute.
interval: Time in milliseconds between each execution.
param1, param2, ...: Optional parameters passed to the function.
Example:
javascript
কোড কপি করুন
setInterval(() => {
console.log("This message appears every 2 seconds.");
}, 2000);
Behavior: Runs the callback function repeatedly at every interval until canceled.
Key Differences
Feature setTimeout setInterval
Execution Executes a function once. Executes a function repeatedly.
Delay Delay is a one-time wait. Delay is the interval between repeats.
Stopping Not needed as it runs only once. Use clearInterval to stop execution.
Use Case Delayed single action. Repeated periodic tasks.
Stopping Execution
setTimeout: No stopping required as it runs once.
setInterval: Use clearInterval() to stop.
javascript
কোড কপি করুন
const intervalId = setInterval(() => {
console.log("Repeating message");
}, 1000);
// Stop after 5 seconds
setTimeout(() => {
clearInterval(intervalId);
console.log("Interval stopped.");
}, 5000);
Which One to Use?
Use setTimeout when you need to delay an action.
Use setInterval when you need repeated actions at regular intervals.
By Nayem
Share on social media
0 Comments
Post a Comment
Your email address will not be published. Required fields are marked *