Java While Loop

In Java, the while loop is used to repeatedly execute a block of code as long as a specified condition is true. Here's a concise overview:

Syntax:

while (condition) {
    // Code to execute as long as condition is true
}

Condition:

  • Checked before each iteration. If true, the loop continues; if false, the loop terminates.

While Loop Example:

  • Iterates as long as a condition is true.
  • Example:
int count = 0;
while (count < 5) {
    System.out.println("Count: " + count);
    count++;
}

Infinite While Loop:

  • If the condition always evaluates to true, the loop continues indefinitely.
  • Example:
while (true) {
    // Code that runs indefinitely
}

While Loop with Input:

  • Often used when waiting for user input or processing data until a certain condition is met.
  • Example:
Scanner scanner = new Scanner(System.in);
String input = "";
while (!input.equals("quit")) {
    System.out.println("Enter a command (or type 'quit' to exit): ");
    input = scanner.nextLine();
    // Process input
}

 

Summary

The while loop is a fundamental control flow statement in Java, allowing code to be executed repeatedly based on a condition. Understanding how to use while loops is essential for implementing loops and handling iterative tasks in Java programs.