- Java Tutorial
- Java Introduction
- Java Features
- Java Simple Program
- JVM, JDK and JRE
- Java Syntax
- Java Comments
- Java Keywords
- Java Variables
- Java Literals
- Java Separators
- Java Datatypes
- Java Operators
- Java Statements
- Java Strings
- Java Arrays
- Control Statement
- Java If
- Java If-else
- Java If-else-if
- Java Nested If
- Java Switch
- Iteration Statement
- Java For Loop
- Java For Each Loop
- Java While Loop
- Java Do While Loop
- Java Nested Loop
- Java Break/Continue
- Java Methods
- Java Methods
- Java Method Parameters
- Java Method Overloading
- Java Recursion
- Java OOPS
- Java OOPs
- Java Classes/Objects
- Java Inheritance
- Java Polymorphism
- Java Encapsulation
- Java Abstraction
- Java Modifiers
- Java Constructors
- Java Interface
- Java static keyword
- Java this keyword
- Java File Handling
- Java File
- Java Create File
- Java Read/Write File
- Java Delete File
- Java Program To
- Add Two Numbers
- Even or Odd Numbers
- Reverse a String
- Swap Two Numbers
- Prime Number
- Fibonacci Sequence
- Palindrome Strings
- Java Reference
- Java String Methods
- Java Math Methods
Java Switch Statement
In Java, the switch statement is used for multi-branching based on a single expression. Here's a concise overview:
Syntax:
switch (expression) {
case value1:
// Code to execute if expression matches value1
break;
case value2:
// Code to execute if expression matches value2
break;
// Additional cases...
default:
// Code to execute if expression doesn't match any case
}
Switch Statement:
- Evaluates the expression and executes the code block corresponding to the matching case.
- break statement exits the switch block after executing the matched case.
- default case is executed when no other case matches the expression.
- Example:
int day = 3;
switch (day) {
case 1:
System.out.println("Sunday");
break;
case 2:
System.out.println("Monday");
break;
case 3:
System.out.println("Tuesday");
break;
// Additional cases...
default:
System.out.println("Invalid day");
}
Switch Expression (Java 12+):
- Introduced in Java 12, it evaluates an expression and returns a value based on matching cases.
- Example:
int num = 3;
String result = switch (num) {
case 1 -> "One";
case 2 -> "Two";
default -> "Other";
};
System.out.println(result); // Output: Other
Summary
Java's switch statement handles multi-branching based on a single expression, executing the matching case with an optional default case. Introduced in Java 12, switch expressions return a value based on matched cases. Understanding switch is essential for structured conditional logic in Java.