- JS Introduction
- JS Introduction
- JS Comments
- JS Variables
- JS Datatypes
- JS Operators
- JS Type Conversions
- JS Control Flow
- JS Comparisons
- JS If else
- JS If else Ladder
- JS Ternary Operator
- JS Switch
- JS For Loop
- JS For In
- JS For Of
- JS While
- JS Do While
- JS Break & Continue
- JS Functions
- JS Function Declaration
- JS Function Parameters
- JS Return Statement
- JS Function Expressions
- JS Anonymous Functions
- JS Objects
- JS Objects
- JS Object Methods
- JS Object Constructors
- JS Object Destructuring
- JS Object Prototypes
- JS Map, Filter & Reduce
- JS ES6
- JS ES6
- JS let and const
- JS Arrow Functions
- JS Template Literals
- Destructuring Assignment
- JS Spread Operator
- JS Default Parameters
- JS Classes
- JS Inheritance
- JS Map
- JS Set
- JS Async
- JS Callbacks
- JS Asynchronous
- JS Promises
- JS Async/Await
- JS HTML DOM/BOM
- JS Document Object
- JS getElementbyId
- getElementsByClassName
- JS getElementsByName
- getElementsByTagName
- JS innerHTML
- JS outerHTML
- JS Window Object
- JS History Object
- JS Navigator Object
- JS Screen Object
JavaScript do...while Loop
The do...while loop is a control flow statement in JavaScript that executes a block of code once before checking a specified condition. It then repeats the loop as long as the condition remains true.
Syntax:
do {
// Code to be executed at least once
} while (condition);
Condition: The expression that is evaluated after each iteration. If true, the loop continues; otherwise, it terminates.
Why it is Used:
Execution Guarantee: Ensures that the code block is executed at least once, regardless of the initial condition.
let userInput;
do {
userInput = prompt('Enter a value (type "exit" to end):');
console.log('You entered:', userInput);
} while (userInput !== 'exit');
User Input Validation: Useful for scenarios where you want to prompt the user for input and continue until a specific condition is met.
let isValidInput;
do {
userInput = prompt('Enter a valid number:');
isValidInput = !isNaN(userInput);
} while (!isValidInput);
Examples:
Basic do...while Loop:
let count = 0;
do {
console.log(count);
count++;
} while (count < 5);
User Input Validation:
let isValidInput;
do {
userInput = prompt('Enter a valid number:');
isValidInput = !isNaN(userInput);
} while (!isValidInput);
Summary
The do...while loop in JavaScript guarantees the execution of the code block at least once and then repeats the loop based on a specified condition. It is particularly useful for scenarios involving user input validation or situations where you want to ensure the code runs at least once.