1. 程式人生 > 實用技巧 >數學工具類---Java

數學工具類---Java

java.util.Math類是數學相關的工具類,裡面提供了大量的靜態方法,完成與數學運算相關的操作。

public static double abs(double num):獲取絕對值。有多種過載。
public static double ceil(double num):向上取整。
public static double floor(double num):向下取整。
public static long round(double num):四捨五入。

Math.PI代表近似的圓周率常量(double)

 1 public class Demo03Math {
 2 
 3     public
static void main(String[] args) { 4 // 獲取絕對值 5 System.out.println(Math.abs(3.14)); // 3.14 6 System.out.println(Math.abs(0)); // 0 7 System.out.println(Math.abs(-2.5)); // 2.5 8 System.out.println("================"); 9 10 // 向上取整 11 System.out.println(Math.ceil(3.9)); //
4.0 12 System.out.println(Math.ceil(3.1)); // 4.0 13 System.out.println(Math.ceil(3.0)); // 3.0 14 System.out.println("================"); 15 16 // 向下取整,抹零 17 System.out.println(Math.floor(30.1)); // 30.0 18 System.out.println(Math.floor(30.9)); // 30.0 19 System.out.println(Math.floor(31.0)); //
31.0 20 System.out.println("================"); 21 22 System.out.println(Math.round(20.4)); // 20 23 System.out.println(Math.round(10.5)); // 11 24 } 25 26 }

練習題:

題目:
計算在-10.8到5.9之間,絕對值大於6或者小於2.1的整數有多少個?

分析:
1. 既然已經確定了範圍,for迴圈
2. 起點位置-10.8應該轉換成為-10,兩種辦法:
    2.1 可以使用Math.ceil方法,向上(向正方向)取整
    2.2 強轉成為int,自動捨棄所有小數位
3. 每一個數字都是整數,所以步進表示式應該是num++,這樣每次都是+1的。
4. 如何拿到絕對值:Math.abs方法。
5. 一旦發現了一個數字,需要讓計數器++進行統計。

備註:如果使用Math.ceil方法,-10.8可以變成-10.0。注意double也是可以進行++的。
分析


 1 public class Demo04MathPractise {
 2 
 3     public static void main(String[] args) {
 4         int count = 0; // 符合要求的數量
 5 
 6         double min = -10.8;
 7         double max = 5.9;
 8         // 這樣處理,變數i就是區間之內所有的整數
 9         for (int i = (int) min; i < max; i++) {
10             int abs = Math.abs(i); // 絕對值
11             if (abs > 6 || abs < 2.1) {
12                 System.out.println(i);
13                 count++;
14             }
15         }
16 
17         System.out.println("總共有:" + count); // 9
18     }
19 
20 }