primitives
boolean
With this example we are going to demonstrate how to use a boolean type in Java. The boolean data type has only two possible values: true and false. Use this data type for simple flags that track true/false conditions. This data type represents one bit of information, but its “size” isn’t something that’s precisely defined.
- In short, to create variable of
boolean type you should use the boolean keyword in a variable.Let’s take a look at the code snippet that follows:
package com.javacodegeeks.snippets.basics;
public class BooleanExample {
public static void main(String[] args) {
boolean b1 = true;
boolean b2 = false;
boolean b3 = (2 > 1);
System.out.println("Value of boolean b1: " + b1);
System.out.println("Value of boolean b2: " + b2);
System.out.println("Value of boolean b3: " + b3);
}
}
Output:
Value of boolean b1: true
Value of boolean b2: false
Value of boolean b3: true
This was an example of how to use a boolean type in Java.
