JavaScript Program to Pass Parameter to a setTimeout() Method Using an Anonymous Function
A guide on how to pass parameters to the `setTimeout()` method using an anonymous function in JavaScript. This approach helps developers delay code execution while passing specific parameters.
In this article, we will explore how to pass parameters to the setTimeout()
method using an anonymous function. This is useful when you need to delay code execution with specific parameters after a defined amount of time.
JavaScript Code:
// Define a function to log a message
function showMessage(message) {
console.log(message);
}
// Use setTimeout with an anonymous function to pass a parameter to the function
setTimeout(function() {
showMessage("Hello, this message is delayed by 3 seconds!");
}, 3000);
Detailed explanation:
-
function showMessage(message)
: This function takes amessage
parameter and logs it to the console. -
setTimeout(function() {...}, 3000)
: Calls thesetTimeout()
method where an anonymous function is defined to call theshowMessage
function with the parameter"Hello, this message is delayed by 3 seconds!"
. -
3000
: Specifies a delay of 3000 milliseconds (3 seconds) before the anonymous function is executed.
Tips:
- Use an anonymous function when you want to pass parameters to
setTimeout()
since it doesn't support direct parameter passing. - Be mindful of the delay when using
setTimeout()
to avoid affecting the user experience.