Title here
Summary here
Java has various value types including strings, integers, floats, booleans, etc. Here are a few basic examples.
public class Values {
public static void main(String[] args) {
// Strings, which can be concatenated with +
System.out.println("java" + "lang");
// Integers and floats
System.out.println("1+1 = " + (1 + 1));
System.out.println("7.0/3.0 = " + (7.0 / 3.0));
// Booleans, with boolean operators as you'd expect
System.out.println(true && false);
System.out.println(true || false);
System.out.println(!true);
}
}
To run the program, compile it and then use java
to execute:
$ javac Values.java
$ java Values
javalang
1+1 = 2
7.0/3.0 = 2.3333333333333335
false
true
false
In this example, we demonstrate basic value types in Java:
+
operator.&&
for AND, ||
for OR, and !
for NOT.Note that in Java, we need to wrap the arithmetic operations in parentheses when including them in string concatenation, as shown in the integer and float examples.
Also, unlike some languages, Java uses System.out.println()
for console output instead of a shorter print
or println
function.