Arrays

介绍

java. util.Arrays是一个与数组相关的工具类, 里面提供了大量静态万法,用来实现数组常见的操作。

常用方法

public static String tostring(数组): 将参数数组变成字符串(按照默认格式: [元素1,元素2,元素3…)
public static void sort(数组): 按照默认升序(从小到大)对数组的元素进行排序。
备注:
1.如果是数值,sort默认按照升序从小到大
2.如果是字符串,sort默认按照字母升序
3.如果是自定义的类型,那么这个自定义的类需要有Comparable或者Comparator接口的支持。 (今后学习) |

  1. public static void main(String[] args) {
  2. int[] intArray = {10, 20, 30};
  3. //将int[ ]数组按照默认格式变成字符串
  4. String intStr = Arrays.toString(intArray);
  5. System.out.println(intStr); // [10, 20, 30]
  6. int[] array1 = {2, 1, 3, 10, 6};
  7. //从小到大排序
  8. Arrays.sort(array1);
  9. System.out.println(Arrays.toString(array1)); // [1, 2, 3, 6, 10]
  10. String[] array2 = {"bbb", "aaa", "ccc"};
  11. Arrays.sort(array2);
  12. System.out.println(Arrays.toString(array2)); // [aaa, bbb, ccc]
  13. }

题目

请使用Arrays相关的API.将一个随机字符串中的所有字符升序排列,并倒序打印,
  1. public static void main(String[] args) {
  2. String str = "asv76agfqwdfvasdfvjh";
  3. //如何进行升序排列,sort
  4. //必须是一个数组,才能用Arrays. sort方法
  5. // String --> 数组,用toCharArray
  6. char[] chars = str.toCharArray();
  7. Arrays.sort(chars); //对字符数组进行升序排列
  8. //需要倒序遍历
  9. for (int i = chars.length - 1; i >= 0; i--) {
  10. System.out.println(chars[i]);
  11. }
  12. }

Maths

介绍

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 static void main(String[] args) {
  2. //获取绝对值
  3. System.out.println(Math.abs(3.14)); // 3.l4
  4. System.out.println(Math.abs(0)); //0
  5. System.out.println(Math.abs(-2.5)); // 2.5
  6. System.out.println("============");
  7. //向上取整
  8. System.out.println(Math.ceil(3.9)); // 4.0
  9. System.out.println(Math.ceil(3.1)); // 4.0
  10. System.out.println(Math.ceil(3.0)); // 3.0
  11. System.out.println("============");
  12. //向下取整,抹零
  13. System.out.println(Math.floor(30.1)); // 30.0
  14. System.out.println(Math.floor(30.9)); // 30.0
  15. System.out.println(Math.floor(31.0)); // 3l.0
  16. System.out.println("=============");
  17. System.out.println(Math.round(20.4)); // 20 I
  18. System.out.println(Math.round(10.5)); // ll
  19. }

题目

计算在-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.一 旦发现了一个数字,需要让计数器+ +进行统计。

  1. public static void main(String[] args) {
  2. int count = 0; //符合要求的数量
  3. double min = -10.8;
  4. double max = 5.9;
  5. //这样处理,变量就是区间之内所有的整数
  6. for (int i = (int) min; i < max; i++) {
  7. int abs = Math.abs(i); //绝对值
  8. if (abs > 6 || abs < 2.1) {
  9. System.out.println(i);
  10. count++;
  11. }
  12. }
  13. }