EN
Java - Math.ceil() method example
0
points
The Math.ceil()
function returns an integer value that is greater than or equal to the argument - the result of round-up operation.
public class MathExample {
public static void main(String[] args) {
System.out.println( Math.ceil( 5 ) ); // 5.0
System.out.println( Math.ceil( 2.49 ) ); // 3.0
System.out.println( Math.ceil( 2.50 ) ); // 3.0
System.out.println( Math.ceil( 2.51 ) ); // 3.0
System.out.println( Math.ceil( -2.49 ) ); // -2.0
System.out.println( Math.ceil( -2.50 ) ); // -2.0
System.out.println( Math.ceil( -2.51 ) ); // -2.0
System.out.println( Math.ceil( 0.999 ) ); // 1.0
System.out.println( Math.ceil( 1.001 ) ); // 2.0
System.out.println( Math.ceil( -1.001 ) ); // -1.0
}
}
1. Documentation
Syntax |
|
Parameters | number - double value (primitive value). |
Result |
Rounded up If input If input If input |
Description | ceil is a static method that takes only one parameter and returns a rounded-up value. |
2. Rounding with precision up-to n
places example
public class CustomMath {
static double ceilPrecised(double number, int precision) {
double power = Math.pow(10, precision);
return Math.ceil(number * power) / power;
}
public static void main(String[] args) {
System.out.println( ceilPrecised( 5 , 0 ) ); // 5.0
System.out.println( ceilPrecised( 5. , 0 ) ); // 5.0
System.out.println( ceilPrecised( .5, 0 ) ); // 1.0
System.out.println( ceilPrecised( 1.1234, 0 ) ); // 2.0
System.out.println( ceilPrecised( 1.1234, 1 ) ); // 1.2
System.out.println( ceilPrecised( 1.1235, 2 ) ); // 1.13
System.out.println( ceilPrecised( 1.1235, 3 ) ); // 1.124
System.out.println( ceilPrecised( -1.1234, 0 ) ); // -1.0
System.out.println( ceilPrecised( -1.1234, 1 ) ); // -1.1
System.out.println( ceilPrecised( -1.1234, 2 ) ); // -1.12
System.out.println( ceilPrecised( -1.1234, 3 ) ); // -1.123
System.out.println( ceilPrecised( 1234, -1 ) ); // 1240.0
System.out.println( ceilPrecised( 1234, -2 ) ); // 1300.0
System.out.println( ceilPrecised( 1234, -3 ) ); // 2000.0
System.out.println( ceilPrecised( 5_000.000_001, 0 ) ); // 5001.0
System.out.println( ceilPrecised( 5_000.000_001, 6 ) ); // 5000.000001
System.out.println( ceilPrecised( 5_000.000_001, -3 ) ); // 6000.0
}
}