简介:

Math类包含用于执行基本数学运算的方法,如初等指数、对数、平方根和三角函数。

常用方法:

  1. abs绝对值
  2. pow求幂
  3. ceil向上取整
  4. floor向下取整
  5. round四舍五入
  6. sqrt 求开方
  7. random求随机数
  • random 返回的是 0 <= x < 1 之间的一个随机小数
  • 思考:
  • 请写出获取 a-b之间的一个随机整数,a,b均为整数?2-7max求两个数的最大值
  • 获取一个a-b之间的一个随机整数:int num =(int)(a + Math.random()*(b-a+1))
  1. min求两个数的最小值 ```java package test;

public class Main { public static void main(String[] args) { //看看Math常用的方法(静态方法) //1.abs 绝对值 int abs = Math.abs(-9); System.out.println(abs);//9

  1. //2.pow 求幂
  2. double pow = Math.pow(2, 4);//2的4次方
  3. System.out.println(pow);//16
  4. //3.ceil 向上取整,返回>=该参数的最小整数(转成double);
  5. double ceil = Math.ceil(3.9);
  6. System.out.println(ceil);//4.0
  7. //4.floor 向下取整,返回<=该参数的最大整数(转成double)
  8. double floor = Math.floor(4.001);
  9. System.out.println(floor);//4.0
  10. //5.round 四舍五入 Math.floor(该参数+0.5)
  11. long round = Math.round(5.51);
  12. System.out.println(round);//6
  13. //6.sqrt 求开方
  14. double sqrt = Math.sqrt(9.0);
  15. System.out.println(sqrt);//3.0
  16. //7.random 求随机数
  17. // random 返回的是 0 <= x < 1 之间的一个随机小数
  18. // 思考:请写出获取 a-b之间的一个随机整数,a,b均为整数 ,比如 a = 2, b=7
  19. // 即返回一个数 x 2 <= x <= 7
  20. // Math.random() * (b-a) 返回的就是 0 <= 数 <= b-a
  21. // (1) (int)(a) <= x <= (int)(a + Math.random() * (b-a +1) )
  22. // (2) 使用具体的数介绍 a = 2 b = 7
  23. // (int)(a + Math.random() * (b-a +1) ) = (int)( 2 + Math.random()*6)
  24. // Math.random()*6 返回的是 0 <= x < 6 小数
  25. // 2 + Math.random()*6 返回的就是 2<= x < 8 小数
  26. // (int)(2 + Math.random()*6) = 2 <= x <= 7
  27. // (3) 公式就是 (int)(a + Math.random() * (b-a +1) )
  28. for (int i = 0; i < 10; i++) {
  29. System.out.println((int) (2 + Math.random() * (7 - 2 + 1)));
  30. }
  31. //max , min 返回最大值和最小值
  32. int min = Math.min(1, 9);
  33. int max = Math.max(45, 90);
  34. System.out.println("min=" + min);
  35. System.out.println("max=" + max);
  36. }

} ``` image.png