Java Ternary Operator
The first operand in java ternary operator should be a boolean or a statement with boolean result. If the first operand is true then java ternary operator returns second operand else it returns third operand.
Syntax of java ternary operator is:
result = testStatement ? value1 : value2;
If testStatement is true then value1 is assigned to result variable else value2 is assigned to result variable.
Let’s see java ternary operator example in a simple java program.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 |
package com.journaldev.util; public class TernaryOperator { public static void main(String[] args) { System.out.println(getMinValue(4,10)); System.out.println(getAbsoluteValue(-10)); System.out.println(invertBoolean(true)); String str = "Australia"; String data = str.contains("A") ? "Str contains 'A'" : "Str doesn't contains 'A'"; System.out.println(data); int i = 10; switch (i){ case 5: System.out.println("i=5"); break; case 10: System.out.println("i=10"); break; default: System.out.println("i is not equal to 5 or 10"); } System.out.println((i==5) ? "i=5":((i==10) ? "i=10":"i is not equal to 5 or 10")); } private static boolean invertBoolean(boolean b) { return b ? false:true; } private static int getAbsoluteValue(int i) { return i<0 ? -i:i; } private static int getMinValue(int i, int j) { return (i<j) ? i : j; } } |
Output of the above ternary operator java program is:
1 2 3 4 5 6 7 8 |
<span style="color: #008000;"><strong><code> 4 10 false Str contains 'A' i=10 i=10 </code></strong></span> |
As you can see that we are using java ternary operator to avoid if-then-else and switch case statements. This way we are reducing the number of lines of code in java program. That’s all for a quick roundup of ternary operator in java.