Java Control Statements
- Java if Statement
- Java Nested if Statement
- Java if-else-if Statement
- Java Switch Case
- Java Switch with String
- Java Nested Switch
- Java Simple for Loop
- Java for each Loop
- Java Nested for Loops
- Java while loop
- Java continue Statement with for Loop
- Java continue in do-while Loop
- Java break to Exit a for Loop
- Java break with Nested Loops
Java if Statement Example demonstrates how to use if statement with an example in Java.
Java if Statement
The Java if statement tests the condition. It executes the if block if a condition is true.
Syntax
if(condition){
//code to be executed
}
Here, if statement may be a single statement or a compound statement enclosed in curly braces (that is, a block).
The statements get executed only when the given condition is true. If the condition is false then the statements inside if the statement body is completely ignored.
Java if Statement Example
package net.javaguides.corejava.controlstatements.ifelse;
public class IfStatementExample {
public static void main(String[] args) {
int x, y;
x = 10;
y = 20;
if (x < y) {
System.out.println("x is less than y");
}
x = x * 2;
if (x == y) {
System.out.println("x now equal to y");
}
x = x * 2;
if (x > y) {
System.out.println("x now greater than y");
}
// this won't display anything
if (x == y)
System.out.println("you won't see this");
}
}
Output:
x is less than y
x now equal to y
x now greater than y
Comments
Post a Comment