JavaElse
The else Statement
Theelse statement lets you run a block of code when the condition in theif statement isfalse.
Syntax
if (condition) { // block of code to be executed if the condition is true} else { // block of code to be executed if the condition is false}Think of it like real life:If it rains, bring an umbrella.Otherwise (else), go outside without one:
Example
boolean isRaining = false;if (isRaining) { System.out.println("Bring an umbrella!");} else { System.out.println("No rain today, no need for an umbrella!");}SinceisRaining is false, the condition inside theif statement is not met. That means theif block is skipped, and theelse block runs instead, printing "No rain today, no need for an umbrella!".
Another Example
This example says good day or good evening depending on the time:
Example
int time = 20;if (time < 18) { System.out.println("Good day.");} else { System.out.println("Good evening.");}// Outputs "Good evening."Example explained
In the example above, time (20) is greater than 18, so the condition isfalse. Because of this, we move on to theelse condition and print to the screen "Good evening". If the time was less than 18, the program would print "Good day".
Notes
elsedoes not have a condition - it runs when theifcondition isfalse.- Do not put a semicolon right after
if (condition). That would end the statement early and makeelsebehave unexpectedly.

