C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
Java program that shows double constants
public class Program {
public static void main(String[] args) {
// This is the number of bytes.
System.out.println(Double.BYTES);
// Size is the number of bits.
System.out.println(Double.SIZE);
// Print min and max.
System.out.println("MIN: " + Double.MIN_VALUE);
System.out.println("MAX: " + Double.MAX_VALUE);
}
}
Output
8
64
MIN: 4.9E-324
MAX: 1.7976931348623157E308
Suffix: The lowercase "d" indicates double literal. So if we want a literal of type double, use the "d" as a suffix.
Java program that uses double locals
public class Program {
public static void main(String[] args) {
// Use double local variables.
double value1 = 1.0d;
double value2 = 1;
double value3 = (double) 1;
// A double can be assigned to a float value.
float test = 1.0f;
double value4 = test;
System.out.println(value1);
System.out.println(value2);
System.out.println(value3);
System.out.println(value4);
}
}
Output
1.0
1.0
1.0
1.0
Tip: Special values on a double like NaN are stored within the double's bytes as a special code.
Java program that tests doubles
public class Program {
static void test(double v) {
// Use methods to test the double.
if (Double.isNaN(v)) {
System.out.println("Not a number");
}
if (Double.isFinite(v)) {
System.out.println("Finite");
}
if (Double.isInfinite(v)) {
System.out.println("Infinite");
}
}
public static void main(String[] args) {
// An array of doubles.
double[] values = { Double.NaN,
Double.NEGATIVE_INFINITY,
Double.POSITIVE_INFINITY,
100 };
// Test all doubles in array.
for (double v : values) {
System.out.println(":: TEST ::");
System.out.println(v);
test(v);
}
}
}
Output
:: TEST ::
NaN
Not a number
:: TEST ::
-Infinity
Infinite
:: TEST ::
Infinity
Infinite
:: TEST ::
100.0
Finite