常用类

字符串相关的类

String类

  • String类:代表字符串。Java 程序中的所有字符串字面值(如”abc” )都作为此类的实例实现。
  • String是一个final类,代表不可变的字符序列。
  • 字符串是常量,用双引号引起来表示。它们的值在创建之后不能更改。
  • String对象的字符内容是存储在一个字符数组value[]中的。
  • String声明为final的,不可被继承
  • String实现了Serializable接口:表示字符串可以序列化
  • 实现了Comparable接口可以比较大小
  • String内部定义了final char[] value用于存储字符串数据
  • String代表不可变的字符序列
    • 当对字符串重新赋值时,需要重写指定内存区域赋值,不能使用原有的value进行赋值。
    • 当对现有的字符串进行连接操作时,也需要重新指定内存区域赋值,不能在原有value上赋值
    • 当调用String的replace()方法修改指定字符或字符串时,也需要重新指定内存区域赋值,
  • 通过字面量的方式(区别new)给-一个字符串赋值,此时的字符串值声明在字符事常量池中。
  • 字符串常量池中是不会存储相同内容的字符串的。

常用类 - 图1

String的不可变性

样例一:

  1. package com.dreamcold.useful;
  2. public class Demo01 {
  3. public static void main(String[] args) {
  4. String s1="abc";
  5. String s2="abc";
  6. System.out.println(s1==s2);//比较s1和s2的地址值
  7. s1="hello";
  8. System.out.println(s1);//hello
  9. System.out.println(s2);//abc
  10. }
  11. }

效果:

常用类 - 图2

  • 原因:方法区中间有字符串常量池,两个变量同时指向该常量

常用类 - 图3

样例二:

  1. package com.dreamcold.useful;
  2. public class Demo01 {
  3. public static void main(String[] args) {
  4. String s1="abc";
  5. String s2="abc";
  6. System.out.println(s1==s2);//比较s1和s2的地址值
  7. s1="hello";
  8. System.out.println(s1);//hello
  9. System.out.println(s2);//abc
  10. System.out.println("=========");
  11. String s3="abc";
  12. s3+="def";
  13. System.out.println("s3="+s3);
  14. System.out.println("s2="+s2);
  15. }
  16. }

效果:s2并没有改变,得出结论当对现有的字符串进行连接操作时,也需要重新指定内存区域赋值,不能在原有value上赋值

常用类 - 图4

样例三:

  1. package com.dreamcold.useful;
  2. public class Demo03 {
  3. public static void main(String[] args) {
  4. String s1="abc";
  5. String s2=s1.replace('a','m');
  6. System.out.println("s1="+s1);
  7. System.out.println("s2="+s2);
  8. }
  9. }

结果:当调用String的replace()方法修改指定字符或字符串时,也需要重新指定内存区域赋值,

常用类 - 图5

String对象的创建

  1. String str = "he1lo";
  2. //本质上.this.value = new char[0];
  3. String s1 = new String();
  4. //this.value = original. value;
  5. String s2 = new String(String original);
  6. //this.value = Arrays . copy0f(value, value. length) ;
  7. String s3 = new String(char[] a);
  8. String s4 = new String(char[] a,int startIndex,int count);

样例一:

  1. package com.dreamcold.useful;
  2. public class Demo04 {
  3. public static void main(String[] args) {
  4. //通过字面量定义的方式:此时的s1和s2的数据javaEE声明在方法区中的字符串常量池中。
  5. String s1="javaEE";
  6. String s2="javaEE";
  7. //通过new +构造器的方式:此时的s3和Is4保存的地址值,是数据在堆空间中开辟空间保存的地址值
  8. String s3=new String("javaEE");
  9. String s4=new String("javaEE");
  10. System.out.println(s1==s2);
  11. System.out.println(s1==s3);
  12. System.out.println(s1==s4);
  13. System.out.println(s3==s4);
  14. }
  15. }

效果:

常用类 - 图6

样例二:

Person.java

  1. package com.dreamcold.useful;
  2. public class Person {
  3. String name;
  4. int age;
  5. public Person(String name, int age) {
  6. this.name = name;
  7. this.age = age;
  8. }
  9. public Person() {
  10. }
  11. }

Demo05.java

  1. package com.dreamcold.useful;
  2. public class Demo05 {
  3. public static void main(String[] args) {
  4. Person p1=new Person("Tom",12);
  5. Person p2=new Person("Tom",12);
  6. System.out.println(p1.name.equals(p2.name));
  7. System.out.println(p1.name==p2.name);
  8. }
  9. }

效果:

常用类 - 图7

原因内存示意图:

常用类 - 图8

  • 面试题: String s = new string( “abc”);方式创建对象,在内存中创建了几个对象?
  • 回答:两个,包含堆中new出来的对象,以及常量池中的对象

样例三:拼接的方式

  1. package com.dreamcold.useful;
  2. public class Demo06 {
  3. public static void main(String[] args){
  4. String s1="javaEE";
  5. String s2="hadoop";
  6. String s3="javaEEhadoop";
  7. String s4="javaEE"+"hadoop";
  8. String s5=s1+"hadoop";
  9. String s6="javaEE"+s2;
  10. String s7=s1+s2;
  11. System.out.println(s3==s4);
  12. System.out.println(s3==s5);
  13. System.out.println(s3==s6);
  14. System.out.println(s5==s6);
  15. System.out.println(s3==s7);
  16. System.out.println(s5==s7);
  17. }
  18. }

结果:

常用类 - 图9

结论:

  • 常量与常量的拼接结果在常量池。且常量池中不会存在相同内容的常量。T
  • 只要其中有一个是变量,结果就在堆中
  • 如果拼接的结果调用intern()方法,返回值就在常量池中

常用类 - 图10

  1. ///返回值得到的s8使用的常量值中已经存在的"javaEEhadoop"
  2. String s8=s5.intern();

JVM中涉及String

常用类 - 图11

三种JVM

  • Sun公司的HotSpot
  • BEA公司的JRockit
  • IBM公司的J9 VM

堆内存示意图

常用类 - 图12

Heap堆
一个JVM实例只存在一个堆内存,堆内存的大小是可以调节的。类。加载器读取了类文件后 ,需要把类. 方法、常变量放到堆内存中 ,保存所有引用类型的真实信息,以方便执行器执行,堆内存分为三部分:

常用类 - 图13

常量池的位置随着版本的变化

常用类 - 图14

常用类 - 图15

常用类 - 图16

String常用的方法

  1. int length()//:返回字符串的长度: return value.length
  2. char charAt(int index)//:返回某索 引处的字符return value[index]
  3. boolean isEmpty()//:判断是否是空字符串: return value.length == 0
  4. String toLowerCase()//:使用默认语言环境,将String中的所有字符转换为小写
  5. String toUpperCase()//:使用默认语言环境,将String中的所有字符转换为大写
  6. String trim()//:返回字符串的副本,忽略前导空白和尾部空白
  7. boolean equals(Object obj)//:比较字符串的内容是否相同
  8. boolean equalslgnoreCase(String anotherString)//:与equals方法类似, 忽略大
  9. 小写
  10. String concat(String str)//:将指定字符串连接到此字符串的结尾。等价于用“+”
  11. int compareTo(String anotherString)//:比较两 个字符串的大小
  12. String substring(int beginIndex)//: 返回一个新的字符串,它是此字符串的从beginIndex开始截取到最后的一个子字符串。
  13. String substring(int beginIndex, int endIndex) //:返回一个新字符串,它是此字符串从beginIndex开始截取到endIndex(不包含)的一个子字符串。

示例一:

  1. package com.dreamcold.useful;
  2. public class Demo07 {
  3. public static void main(String[] args) {
  4. String s1="HelloWorld";
  5. System.out.println(s1.length());
  6. System.out.println(s1.charAt(0));
  7. System.out.println(s1.charAt(9));
  8. System.out.println(s1.isEmpty());
  9. String s2= s1.toLowerCase();
  10. System.out.println(s1);//s1不可变的,仍然为原来的字符串
  11. System.out.println(s2);//改写为小写
  12. String s3=" he llo world ";
  13. String s4=s3.trim();
  14. System.out.println("======="+s3+"======");
  15. System.out.println("======="+s4+"======");
  16. }
  17. }

效果:

常用类 - 图17

示例二:忽略大小写比较

  1. package com.dreamcold.useful;
  2. public class Demo08 {
  3. public static void main(String[] args) {
  4. String s1="HelloWorld";
  5. String s2="helloworld";
  6. System.out.println(s1.equals(s2));
  7. System.out.println(s1.equalsIgnoreCase(s2));
  8. }
  9. }

示例三:字符串拼接

  1. package com.dreamcold.useful;
  2. public class Demo08 {
  3. public static void main(String[] args) {
  4. String s3="abc";
  5. String s4=s3.concat("def");
  6. System.out.println(s4);
  7. }
  8. }

常用类 - 图18

示例四:字符串比较

  1. package com.dreamcold.useful;
  2. public class Demo09 {
  3. public static void main(String[] args) {
  4. String s1="abc";
  5. String s2="abd";
  6. System.out.println(s1.compareTo(s2));
  7. }
  8. }
  • 大于为1
  • 小于为-1
  • 等于为0
  • 按照字母的顺序进行比较排序

常用类 - 图19

示例五:字符串切片

  1. package com.dreamcold.useful;
  2. public class Demo10 {
  3. public static void main(String[] args) {
  4. String name="dreamcold";
  5. System.out.println(name.substring(0,3));
  6. }
  7. }

效果:

常用类 - 图20

注意:区间为[a,b)

  1. boolean endsWith(String suffx)//:测试此字符串是否以指定的后缀结束
  2. boolean startsWith(String prefix)//: 测试此字符串是否以指定的前缀开始
  3. boolean startsWith(String prefix, int toffset)//: 测试此字符串从指定索引开始的子字符串是否以指定前缀开始

示例六:以某种字符串开头

  1. package com.dreamcold.useful;
  2. public class Demo11 {
  3. public static void main(String[] args) {
  4. String str1="helloworld";
  5. System.out.println(str1.endsWith("ld"));
  6. }
  7. }

效果:

常用类 - 图21

示例七:以某个字符串开头

  1. package com.dreamcold.useful;
  2. public class Demo12 {
  3. public static void main(String[] args) {
  4. String s="helloworld";
  5. System.out.println(s.startsWith("he"));
  6. }
  7. }

效果:

常用类 - 图22

  1. boolean contains(CharSequence s)//: 当且仅当此字符串包含指定的char值序列时,返回true
  2. int indexOf(String str)//:返回指定子字符串在此字符串中第一次 出现处的索引
  3. int indexOf(String str, int fromIndex)//:返回指定子字符串在此字符串中第一次出现处的索引,从指定的索引开始
  4. int lastiIndexOf(String str)//:返回指定子字符串在此字符串中最右边出现处的索引
  5. int lastlndexOf(String str, int fromIndex)//:返回指定子字符串在此字符串中最后次出现处的索引, 从指定的索引开始反向搜索
  6. //注: indexOf 和lastlndexOf方法如果未找到都是返回-1 ]

示例八:是否包含该字符串

  1. package com.dreamcold.useful;
  2. public class Demo13 {
  3. public static void main(String[] args) {
  4. String s1="HelloWorld";
  5. System.out.println(s1.contains("He"));
  6. }
  7. }

效果:

常用类 - 图23

示例九:判断字符串在该字符串中出现的索引

  1. package com.dreamcold.useful;
  2. public class Demo14 {
  3. public static void main(String[] args) {
  4. String s="HelloWorld";
  5. System.out.println(s.indexOf('a'));
  6. System.out.println(s.indexOf('H'));
  7. System.out.println(s.indexOf("He"));
  8. }
  9. }

效果:

常用类 - 图24

示例十:

  1. package com.dreamcold.useful;
  2. public class Demo15 {
  3. public static void main(String[] args) {
  4. String s="HelloWorld";
  5. System.out.println(s.lastIndexOf("ld"));
  6. }
  7. }

效果:

常用类 - 图25

  1. String replace(char oldChar, char newChar)//:返回一个新的字符串,它是通过用newChar替换此字符串中出现的所有oldChar得到的。
  2. String replace(CharSequence target, CharSequence replacement)//: 使用指定的字面值替换序列替换此字符串所有匹配字面值目标序列的子字符串。
  3. String replaceAll(String regex, String replacement)// :使用给定的replacement替换此字符串所有匹配给定的正则表达式的子字符串。
  4. String replaceFirst(String regex, String replacement)//: 使用给定的replacement替换此字符串匹配给定的正则表达式的第一个 子字符串。

示例十二:字符串替换

  1. package com.dreamcold.useful;
  2. public class Demo16 {
  3. public static void main(String[] args) {
  4. String str1="我想学Java";
  5. String str2=str1.replace('我','你');
  6. System.out.println(str1);
  7. System.out.println(str2);
  8. String str3=str1.replace("Java","Python");
  9. System.out.println(str3);
  10. }
  11. }

效果:

常用类 - 图26

示例十三:正则表达式匹配与替换

  1. package com.dreamcold.useful;
  2. public class Demo17 {
  3. public static void main(String[] args) {
  4. String str="12345";
  5. //判断str字符是不是全部由数字组成,即由1-n中的数字组成
  6. boolean matches=str.matches("\\d+");
  7. System.out.println(matches);
  8. //判断是杭州的电话号码
  9. String tel="0571-4534289";
  10. boolean result=tel.matches("0571-\\d{7,8}");
  11. System.out.println(result);
  12. }
  13. }

效果:

常用类 - 图27

字符串与其他类型进行转化

  • 字符串>基本数据类型、包装类
    • Integer包装类的public static int parselnt(String s):可以将由“数字”字
      符组成的字符串转换为整型。
    • 类似地,使用java.lang包中的Byte、Short、 Long、 Float、 Double 类调相应的类方法可以将由“数字”字符组成的字符串,转化为相应的基本数据类型。
  • 基本数据类型、包装类>字符串

    • 调用String类的public String valueOf(int n)可将int型转换为字符串
    • 相应的valueOf(byte b)、valueOf(long)、valueOf(float f)、valueOf(double
    • valueOf(boolean b)可由参数的相应类型到字符串的转换


    示例一:字符串与其他类型进行转换

  1. package com.dreamcold.useful;
  2. public class Demo18 {
  3. public static void main(String[] args) {
  4. String str1="123";
  5. int num=Integer.parseInt(str1);
  6. String strnum=String.valueOf(num);
  7. System.out.println(strnum);
  8. String strnum1=num+"";
  9. System.out.println(strnum1);
  10. }
  11. }

效果:

常用类 - 图28

String与字符数组的转换

  1. package com.dreamcold.useful;
  2. public class Demo19 {
  3. public static void main(String[] args) {
  4. String str1="abc123";
  5. char[] charArray=str1.toCharArray();
  6. for (int i = 0; i < charArray.length; i++) {
  7. System.out.println(charArray[i]);
  8. }
  9. char[] chars=new char[]{'H','l','l','o'};
  10. String sc=new String(chars);
  11. System.out.println(sc);
  12. }
  13. }

效果:

常用类 - 图29

String与byte数组转换

  • public bytegetBytes() :使用平台的默认字符集将此String编码为
  • byte序列,并将结果存储到-一个新的byte数组中。
  • public byte[] getBytes(String charsetName) :使用指定的字符集将
  • 此String编码到byte序列,并将结果存储到新的byte数组。

示例一:字符串转bytes数组

  1. package com.dreamcold.useful;
  2. import java.util.Arrays;
  3. public class Demo20 {
  4. public static void main(String[] args){
  5. String str="abc123";
  6. byte[] bytes=str.getBytes();
  7. System.out.println(Arrays.toString(bytes)
  8. }
  9. }

常用类 - 图30

示例二:字符串转byte数组带编码

  • 编码:字符串—>字节(看得懂—->看不懂的二进制数据)
  • 解码:编码的逆过程,字节—>字符串
  1. package com.dreamcold.useful;
  2. import java.io.UnsupportedEncodingException;
  3. import java.util.Arrays;
  4. public class Demo20 {
  5. public static void main(String[] args) throws UnsupportedEncodingException {
  6. String str="abc123你好世界";
  7. byte[] bytes=str.getBytes();
  8. System.out.println(Arrays.toString(bytes));
  9. byte[] gbks=str.getBytes("gbk");
  10. System.out.println(Arrays.toString(gbks));
  11. }
  12. }

效果:

常用类 - 图31

示例三:byte数组转化为字符串

  1. package com.dreamcold.useful;
  2. import java.io.UnsupportedEncodingException;
  3. import java.util.Arrays;
  4. public class Demo20 {
  5. public static void main(String[] args) throws UnsupportedEncodingException {
  6. String str="abc123你好世界";
  7. byte[] bytes=str.getBytes();
  8. String str2=new String(bytes);
  9. System.out.println(str2);
  10. }
  11. }

效果:

常用类 - 图32

示例四:根据具体的字符集将byte数组转化为字符串

  1. package com.dreamcold.useful;
  2. import java.io.UnsupportedEncodingException;
  3. public class Demo21 {
  4. public static void main(String[] args) throws UnsupportedEncodingException {
  5. String str="abc123你好世界";
  6. byte[] bytes=str.getBytes("gbk");
  7. System.out.println("按照默认编码");
  8. String str1=new String(bytes);
  9. System.out.println(str1);
  10. System.out.println("按照指定编码");
  11. String str2=new String(bytes,"gbk");
  12. System.out.println(str2);
  13. }
  14. }

效果:

常用类 - 图33

StringBuffer类

简介

  • java.lang.StringBuffer代表可变的字符序列,JDK1.0中声明, 可以对字符串内容进行增删,此时不会产生新的对象。
  • 很多方法与String相同。
  • 作为参数传递时,方法内部可以改变值。

常用类 - 图34

StringBuffer与StringBuilder以及String的区别

  • StringBuilder和StringBuffer非常类似,均代表可变的字符序列,而且提供相关功能的方法也一样
  • 面试题:对比String、StringBuffer、 StringBuilder
    • String(JDK1.0):不可变字符序列,底层用char[]来存储
    • StringBuffer(JDK1.0): 可变字符序列、效率低、线程安全,底层用char[]来存储
    • StringBuilder(JDK 5.0):底层用char[]来存储、可变字符序列、效率高、线程不安全

StringBuffer是可变的

  1. package com.dreamcold.useful;
  2. public class Demo22 {
  3. public static void main(String[] args) {
  4. StringBuffer sb1=new StringBuffer("abc");
  5. sb1.setCharAt(0,'m');
  6. System.out.println(sb1);
  7. }
  8. }

效果:

常用类 - 图35

StringBuffer的源码分析

  1. String str = new String();//new char[e];
  2. String str1 = new String( "abc");//new char[]{'a', 'b', 'c'};
  3. StringBuffer sb1 = new StringBuffer();//new char[16]; 底层创建了一个长度是16的数组。
  4. sb1. append( 'a')://value[e] ='a';
  5. sb1. append( 'b ');//value[1] ='b';
  6. StringBuffer sb2=new StringBuffer( "abc");//char[] value = new char[ "abc ".length()+ 16]
  7. //问题1. System. out. println(sb2. Length());//3
  8. //问题2.扩容问题:如果要添加的数据底层数组盛不下了,那就需要扩容底层的数组。
  9. //扩容问题:如果要添加的数据底层数组盛不下了,那就需要扩容底层的数组。
  10. //默认情况下,扩容为原来容量的2倍+ 2,同时将原有数组中的元素复制到新的数组中。
  11. //指导意义:开发中建议大家使用: StringBuffer(int capacity) 或StringBu[ffer(int capacity)|

StrinBuffer类中的常用方法

  1. //public int indexOf(String str)
  2. //public String substring(int startint end)
  3. //public int length()
  4. //public char charAt(int n )
  5. //public void setCharAt(int n ,char ch)
  6. //StringBuffer append(xxx): 提供了很多的append()方法,用于进行字符串拼接
  7. //StringBuffer delete(int start, int end): 删除指定位置的内容
  8. //StringBuffer replace(int start, int end, String str): 把[start, end)位置普换为str
  9. //StringBuffer insert(int offset, xxx): 在指定位置插入xxx
  10. //StringBuffer reverse() :把当前字符序列逆转
  11. //public int indexOf(String str)
  12. //public String substring(int start, int end)
  13. //public int Length()
  14. //public char charAt(int n )
  15. //public void setCharAt(int n , char ch)

StringBuffer中的API调用

  1. package com.dreamcold.useful;
  2. public class Demo23 {
  3. public static void main(String[] args) {
  4. StringBuffer s1=new StringBuffer("abc");
  5. s1.append(1);
  6. s1.append("1");
  7. System.out.println(s1);
  8. s1.delete(2,4);
  9. s1.insert(2,false);
  10. System.out.println(s1);
  11. System.out.println(s1.length());
  12. }
  13. }

效果:

常用类 - 图36

总结:

  1. // 增: append(xxx)
  2. // 删: delete(int start, int end)
  3. // 改: setCharAt(int n ,char ch) / replace(int start, int end, String str)
  4. // 查: charAt(int n )
  5. // 插: insert(int offset, xxx)
  6. // 长度: Length();
  7. // 遍历: for+charAt()+toString()

JDK8之前日期相关的类

JDK8之前日期时间API

常用类 - 图37

java.lang.System类

  • System类提供的public statlc long currentTimeMillis()用来返回当前时间与1970年1月1日0时0分0秒之间以毫秒为单位的时间差。
    • 此方法适于计算时间差。
  • 计算世界时间的主要标准有:

    • UTC(Coordinated Universal Time)
    • GMT(Greenwich Mean Time)
    • CST(Central Standard Time)


    示例一:

  1. long time=System.currentTimeMillis();
  2. //返回当前时间与1970年1月1日θ时0分日秒之间以毫秒为单位的时间差。
  3. System.out.println(time);

计算时间差:

常用类 - 图38

java.util.Date类

  • 构造器:
    • Date(): 使用无参构造器创建的对象可以获取本地当前时间。
    • Date(long date)
  • 常用方法

    • getTime():返回自 1970年1月1日00:00:00 GMT以来此Date对象表示的毫秒数。
    • toString():把此 Date对象转换为以下形式的String: dow mon dd
    • hh:mm:ss zz yyyy其中: dow 是一周中的某一 天(Sun, Mon, Tue,Wed, Thu, Fri, Sat),zzz 是时间标准。
    • 其它很多方法都过时了。


    示例一:构造器的使用

  1. Date data1=new Date();
  2. System.out.println(data1.toString());

效果:显示当前的年、月、日、时、分、秒

常用类 - 图39

示例二:获取时间戳

  1. Date data1=new Date();
  2. System.out.println(data1.getTime());

效果:

常用类 - 图40

示例三:创建指定毫秒数的Date对象

  1. Date data1=new Date();
  2. System.out.println(data1.getTime());
  3. long time=data1.getTime();
  4. Date data2=new Date(time);
  5. System.out.println(data2);

效果:

常用类 - 图41

java.sql.Date类

java.sql.Date对应者数据宰中的日期类型的变量

示例一:对象的创建

  1. java.sql.Date date=new java.sql.Date(1611814831401L);
  2. System.out.println(date);

效果:

常用类 - 图42

示例二:如何将util. Date对象转换为sql. Date对象

  1. Date date=new Date();
  2. java.sql.Date data2=new java.sql.Date(date.getTime());
  3. System.out.println(data2.toString());

效果:

常用类 - 图43

java.text.SimpleDateFormat类

  • Date类的API不易于国际化,大部分被废弃了I,java.text.SimpleDateFormat
  • 类是一个不与语言环境有关的方式来格式化和解析日期的具体类。
  • 它允许进行格式化:日期>文本、解析:文本>日期
  • 格式化:
    • SimpleDateFormat() :默认的模式和语言环境创建对象
    • public SimpleDateFormat(String pattern):该构造方法可以用参数patte
    • 指定的格式创建一一个对象,该对象调用:
    • public String format(Date date):方法格式化时间对象date
  • 解析:

    • public Date parse(String source):从给定字符串的开始解析文本,以生成一个日期。


    示例一:

  • 格式化:日期—->字符串

  • 解析:格式化的逆过程,字符串—->日期
  1. package com.dreamcold.useful;
  2. import java.text.ParseException;
  3. import java.text.SimpleDateFormat;
  4. import java.util.Date;
  5. public class Demo27 {
  6. public static void main(String[] args) throws ParseException {
  7. //实例化 SimpleDateFormat
  8. SimpleDateFormat sdf=new SimpleDateFormat();
  9. //格式化:日期--->字符串
  10. Date date=new Date();
  11. System.out.println(date);
  12. String format=sdf.format(date);
  13. System.out.println(format);
  14. // //解析:格式化的逆过程,字符串--->日期
  15. // String str="2019-08-09";
  16. // Date date1= sdf.parse(str);
  17. // System.out.println(date1);
  18. //解析:要求字符串必须是符合SimpleDateFormat识别的格式(通过构造器参数体现)
  19. SimpleDateFormat sdf1=new SimpleDateFormat("yyyy.MMMMM.dd GGG hh:mm:aaa");
  20. String format1=sdf.format(date);
  21. System.out.println(format1);
  22. }
  23. }

效果:

常用类 - 图44

另外一种常用的格式为:

  1. SimpleDateFormat sdf1=new SimpleDateFormat("yyyy-MM-dd hh:mm:ss");

解析:要求字符串必须是符合SimpleDateFormat识别的格式(通过构造器参数体现)

java.util.Calenar(日历)类

  • Calendar是一个抽象基类,主用用于完成日期字段之间相互操作的功能。
  • 获取Calendar实例的方法
    • 使用Calendar.getInstance()方法
    • 调用它的子类GregorianCalendar的构造器。
  • 一个Calendar的实例是系统时间的抽象表示,通过get(int field)方法来取得想要的时间信息。比如YEAR、MONTH、DAY_ OF_WEEK、HOUR_OF_DAY 、MINUTE、SECOND
  1. public void set(int field,int value)
  2. public void add(int field,int amount)
  3. public final Date getTime()
  4. public final void setTime(Date date)

注意;

  • 获取月份时: 一月是0, 二月是1,以此类推,12月是11
  • 获取星期时:周日是1,周二是2,周六是7

示例

  1. package com.dreamcold.useful;
  2. import java.util.Calendar;
  3. import java.util.Date;
  4. public class Demo28 {
  5. public static void main(String[] args){
  6. //1.实例化
  7. //方式一:创建其子类(GregorianCalendar) 的对象
  8. //方式二:调用其静态方法getInstance()
  9. Calendar calendar=Calendar.getInstance();
  10. System.out.println(calendar.getClass());
  11. //调用方法
  12. //get
  13. int days = calendar.get(Calendar.DAY_OF_MONTH);
  14. System.out.println(days);
  15. System.out.println(calendar.get(Calendar.DAY_OF_YEAR));
  16. //set
  17. calendar.set(Calendar.DAY_OF_MONTH,22);
  18. days=calendar.get(Calendar.DAY_OF_MONTH);
  19. System.out.println(days);
  20. //add
  21. calendar.add(Calendar.DAY_OF_MONTH,3);
  22. days=calendar.get(Calendar.DAY_OF_MONTH);
  23. System.out.println(days);
  24. //getTime
  25. Date date = calendar.getTime();
  26. System.out.println(date);
  27. //setTime
  28. Date data1=new Date();
  29. calendar.setTime(data1);
  30. System.out.println(calendar);
  31. }
  32. }

效果:

常用类 - 图45

JDK8中新的日期相关的API

新日期时间API出现的背景

如果我们可以跟别人说:“ 我们在1502643933071见面,别晚了!”那么就再简单不过了。但是我们希望时间与昼夜和四季有关,于是事情就变复杂了。JDK 1.0中包含了一个java.util.Date类, 但是它的大多数方法已经在JDK 1.1引入Calendar类之后被弃用了。而Calendar并不比Date好多少。它们面临的问题是:

  • 可变性:像8期和时间这样的类应该是不可变的。
  • 偏移性: Date中 的年份是从1900开始的,而月份都从0开始。
  • 格式化:格式化只对Date有用,Calendar则不行。
  • 此外,它们也不是线程安全的;不能处理闰秒等。
  • 总结:对日期和时间的操作一直 是Java程序员最痛苦的地方之一

第三次引入的API是成功的,并且Java 8中引入的java .time API已经纠正了过去的缺陷,将来很长一- 段时间内它都会为我们服务。Java 8吸收了Joda-Time 的精华,以一个新的开始为Java创建优秀的API。新的java.time中包含了所有关于本地日期(LocalDate) 、本地时间(LocalTime)、本地日期时间(LocalDateTime) 、时区(ZonedDate Time )和持续时间(Duration) 的类。历史悠久的Date类新增了tolnstant() 方法,用于把Date转换成新的表示形式。这些新增的本地化时间日期API大大简化了日期时间和本地化的管理。

localDate、LocalTime、 LocalDateTime类

localDate、LocalTime、 LocalDateTime类是其中较重要的几个类,它们的实例是不可变的对象,分别表示使用ISO-8601日历系统的日期、时间、日期和时间。它们提供了简单的本地日期或时间,并不包含当前的时间信息,也不包含与时区相关的信息。

  • LocalDate代表IOS格式(yyyy-MM-dd) 的日期,可以存储生日、纪念日等日期。
  • LocalTime表示一 个时间,而不是日期。
  • LocalDateTime是用来表示日期和时间的,这是一个最常用的类之一。

常用类 - 图46

示例一:使用now方式来构造对象

  1. package com.dreamcold.useful;
  2. import java.time.LocalDate;
  3. import java.time.LocalDateTime;
  4. import java.time.LocalTime;
  5. public class Demo29 {
  6. public static void main(String[] args) {
  7. //now():获取当前的日期、时间、日期+时间
  8. LocalDate localDate=LocalDate.now();
  9. LocalTime localTime=LocalTime.now();
  10. LocalDateTime localDateTime=LocalDateTime.now();
  11. System.out.println(localDate);
  12. System.out.println(localTime);
  13. System.out.println(localDateTime);
  14. }
  15. }

效果:

常用类 - 图47

示例二:使用of方式来构造对象

  1. package com.dreamcold.useful;
  2. import java.time.LocalDateTime;
  3. public class Demo30 {
  4. public static void main(String[] args) {
  5. //of():设置指定的年、月日、时、分秒。没有偏移量
  6. LocalDateTime localDateTime=LocalDateTime.of(2020,10,1,1,1);
  7. System.out.println(localDateTime);
  8. }
  9. }

效果:

常用类 - 图48

示例三:getXXX其中的属性

  1. package com.dreamcold.useful;
  2. import java.time.LocalDateTime;
  3. public class Demo30 {
  4. public static void main(String[] args) {
  5. //of():设置指定的年、月日、时、分秒。没有偏移量
  6. LocalDateTime localDateTime=LocalDateTime.of(2020,10,1,1,1);
  7. System.out.println(localDateTime);
  8. //getXXX
  9. System.out.println(localDateTime.getDayOfMonth());
  10. System.out.println(localDateTime.getDayOfWeek());
  11. System.out.println(localDateTime.getMonth());
  12. System.out.println(localDateTime.getDayOfMonth());
  13. System.out.println(localDateTime.getMonthValue());
  14. }
  15. }

效果:

常用类 - 图49

示例四:体现不可变性

  1. package com.dreamcold.useful;
  2. import java.time.LocalDate;
  3. import java.time.LocalDateTime;
  4. public class Demo31 {
  5. public static void main(String[] args) {
  6. //不可变性
  7. LocalDate localDate=LocalDate.now();
  8. LocalDate localDate1=localDate.withDayOfMonth(22);
  9. System.out.println(localDate);
  10. System.out.println(localDate1);
  11. LocalDateTime localDateTime=LocalDateTime.now();
  12. LocalDateTime localDateTime1=localDateTime.withHour(4);
  13. System.out.println(localDateTime);
  14. System.out.println(localDateTime1);
  15. LocalDateTime localDateTime2=localDateTime.plusMonths(3);
  16. System.out.println(localDateTime2);
  17. }
  18. }

效果:

常用类 - 图50

瞬时Instant

  • Instant:时间线上的-一个瞬时点。这可能被用来记录应用程序中的事件时间戳。
  • 在处理时间和日期的时候,我们通常会想到年,月,日,时,分,秒。然而,这只是时间的一个模型,是面向人类的。第二种通用模型是面向机器的,或者说是连续的。在此模型中,时间线中的一个点表示为-一个很大的数,这有利于计算机
    处理。在UNIX中,这个数从1970年开始,以秒为的单位;同样的,在Java中,也是从1970年开始,但以毫秒为单位。
  • java.time包通过值类型Instant提供机器视图,不提供处理人类意义上的时间单位。Instant表 示时间线上的一点,而不需要任何上下文信息,例如,时区。概念上讲,它只是简单的表示自1970年1月1日0时0分0秒(UTC)开始的秒
    数。因为java.time包是基于纳秒计算的,所以Instant的精度可以达到纳秒级。
  • (1ns= 109s) 1秒 = 1000毫秒=106微秒=109纳秒

常用类 - 图51

时间戳是指格林威治时间1970年01月01日00时00分00秒(北京时间1970年01月01日08时00分00秒)起至现在的总秒数。

常用类 - 图52

示例一:获取Instant对象

  1. package com.dreamcold.useful;
  2. import java.time.Instant;
  3. public class Demo32 {
  4. public static void main(String[] args) {
  5. Instant instant=Instant.now();
  6. System.out.println(instant);
  7. }
  8. }

效果:

常用类 - 图53

示例二:计算时区偏移量

  1. package com.dreamcold.useful;
  2. import java.time.Instant;
  3. import java.time.OffsetDateTime;
  4. import java.time.ZoneOffset;
  5. public class Demo32 {
  6. public static void main(String[] args) {
  7. Instant instant=Instant.now();
  8. System.out.println(instant);
  9. OffsetDateTime offsetDateTime=instant.atOffset(ZoneOffset.ofHours(8));
  10. System.out.println(offsetDateTime);
  11. }
  12. }

效果:

常用类 - 图54

示例三:获取对应的毫秒数,toEpochMilli():获取自1970年1月1日0时分8秒(UTC) 开始的毫秒数

  1. package com.dreamcold.useful;
  2. import java.time.Instant;
  3. public class Demo33 {
  4. public static void main(String[] args) {
  5. Instant instant=Instant.now();
  6. long mili=instant.toEpochMilli();
  7. System.out.println(mili);
  8. }
  9. }

效果:

常用类 - 图55

示例四:由毫秒时间转化为Instant

  1. package com.dreamcold.useful;
  2. import java.time.Instant;
  3. public class Demo34 {
  4. public static void main(String[] args) {
  5. Instant instant=Instant.ofEpochMilli(1611905014506L);
  6. System.out.println(instant);
  7. }
  8. }

效果:

常用类 - 图56

java.time.format.Date TimeFormatter类

java.time .format .Date TimeFormatter类:该类提供了三种格式化方法:

  • 预定义的标准格式。如:
    ISO LOCAL DATE TIME;ISO LOCAL DATE;ISO LOCAL _TIME
  • 本地化相关的格式。如: ofLocalizedDate Time(FormatStyle.LONG)
  • 自定义的格式。如: ofPattern(“yyyy-MM-dd hh:mm:ss E”)

常用类 - 图57

DateTimeFormatter:格式化或解析日期、时间、类似于SimpleDateFormat

示例:实例化

  1. package com.dreamcold.useful;
  2. import java.time.LocalDateTime;
  3. import java.time.format.DateTimeFormatter;
  4. import java.time.format.FormatStyle;
  5. import java.time.temporal.TemporalAccessor;
  6. public class Demo35 {
  7. public static void main(String[] args) {
  8. //方式一:预定义的标准格式。如:
  9. //ISO_ LOCAL DATE_ TIME;ISO_ LOCAL DATE;ISO_ LOCAL _TIME
  10. DateTimeFormatter formatter=DateTimeFormatter.ISO_LOCAL_DATE_TIME;
  11. //格式化
  12. LocalDateTime localDateTime=LocalDateTime.now();
  13. String format = formatter.format(localDateTime);
  14. System.out.println(localDateTime);
  15. System.out.println(format);
  16. //解析:字符串-->日期
  17. TemporalAccessor parse = formatter.parse("2021-01-29T15:40:27.928");
  18. System.out.println(parse);
  19. //方式二:本地化相关的格式:
  20. DateTimeFormatter formatter1 = DateTimeFormatter.ofLocalizedDateTime(FormatStyle.SHORT);
  21. //格式化
  22. String format1 = formatter1.format(localDateTime);
  23. System.out.println(format1);
  24. //重点: 方式三: 自定义的格式。如: ofPattern("yyy-M-dd hh:mm:sSY)
  25. DateTimeFormatter formatter2=DateTimeFormatter.ofPattern("yyyy-MM-dd hh:mm:ss");
  26. //格式化
  27. String str4=formatter2.format(LocalDateTime.now());
  28. System.out.println(str4);
  29. //解析
  30. TemporalAccessor parse1 = formatter2.parse("2021-01-29 03:47:20");
  31. System.out.println(parse1);
  32. }
  33. }

效果:

常用类 - 图58

其他API

常用类 - 图59

与传统日期处理的转换

常用类 - 图60

Java比较器

在Java中经常会涉及到对象数组的排序问题,那么就涉及到对象之间
的比较问题。
Java实现对象排序的方式有两种:

  • 自然排序: java.lang.Comparable
  • 定制排序: java.util.Comparator

说明: Java 中的对象,正常情况下,只能进行比较: ==或!=。不能使用〉或<的但是在开发场景中,我们需要对多个对象进行排序,言外之意,就需要比较对象的大小。如何实现?使用两个接口中的任何-个: Comparable 或Comparator

Comparable接口的使用

示例一:以String为例子来进行说明

常用类 - 图61

由于String实现了Comparable接口,所以其实可以对其进行排序

  1. package com.dreamcold.useful;
  2. import java.util.Arrays;
  3. public class Demo36 {
  4. public static void main(String[] args) {
  5. String[] strings=new String[]{"AA","CC","KK","MM","GG","JJ","DD"};
  6. Arrays.sort(strings);
  7. System.out.println(Arrays.toString(strings));
  8. }
  9. }

效果:

常用类 - 图62

我们看一下Comparable接口中有什么方法:

  1. public int compareTo(T o);

之后我们再看一下String中compareTo方法是怎么实现的:

  1. public int compareTo(String anotherString) {
  2. int len1 = value.length;
  3. int len2 = anotherString.value.length;
  4. int lim = Math.min(len1, len2);
  5. char v1[] = value;
  6. char v2[] = anotherString.value;
  7. int k = 0;
  8. while (k < lim) {
  9. char c1 = v1[k];
  10. char c2 = v2[k];
  11. if (c1 != c2) {
  12. return c1 - c2;
  13. }
  14. k++;
  15. }
  16. return len1 - len2;
  17. }
  1. 像String、包装类等实现了Comparable接口,重写了compareTo()方法,给出了比较两个对象大小的方式
  2. 重写compareTo(obj)的规则:
  • 如果当前对象this大于形参对象obj,则返回正整数
  • 如果当前对象this小于形参对象bj,则返回负整数
  • 如果当前对象this等于形参对象bj,则返回零
  1. 像String、 包装类型写compareTo()方法以后, 进行了从小到大的排列
  • Comparable接口强行对实现它的每个类的对象进行整体排序。这种排序被称为类的自然排序。
  • 实现Comparable的类必须实现compareTo(Object obj)方法,两个对象即通过compareTo(Object obj)方法的返回值来比较大小。如果当前对象this大于形参对象obj,则返回正整数,如果当前对象this小于形参对象obj,则返回负整数,如果当前对象this等于形参对象obj,则返回零。
  • 实现Comparable接口的对象列表(和数组)可以通过Collections.sort或Arrays .sorti进行自动排序。实现此接口的对象可以用作有序映射中的键或有序集合中的元素,无需指定比较器。对于类C的每一个e1和e2来说,当且仅e1.compareTo(e2)== 0与e1.equals(e2)具有相同的boolean值时,类C的自然排序才叫做与equals一致。建议(虽然不是必需的)最好使自然排序与equals一致。

自定义类实现比较

对商品进行排序

商品类

  1. package com.dreamcold.useful;
  2. public class Goods {
  3. private String name;
  4. private double price;
  5. public Goods() {
  6. }
  7. public Goods(String name, double price) {
  8. this.name = name;
  9. this.price = price;
  10. }
  11. public String getName() {
  12. return name;
  13. }
  14. public void setName(String name) {
  15. this.name = name;
  16. }
  17. public double getPrice() {
  18. return price;
  19. }
  20. public void setPrice(double price) {
  21. this.price = price;
  22. }
  23. }

排序

  1. package com.dreamcold.useful;
  2. import java.lang.reflect.Array;
  3. import java.util.Arrays;
  4. public class Demo37 {
  5. public static void main(String[] args) {
  6. Goods[] arr=new Goods[4];
  7. arr[0]=new Goods("lenovoMouse",4);
  8. arr[1]=new Goods("dellMouse",43);
  9. arr[2]=new Goods("xiaomiMouse",12);
  10. arr[3]=new Goods("huaweiMouse",65);
  11. Arrays.sort(arr);
  12. System.out.println(Arrays.toString(arr));
  13. }
  14. }

效果:

常用类 - 图63

分析原因:进行比较的对象没有实现对应的java.lang.Comparable接口

说明: Java 中的对象,正常情况下,只能进行比较: ==或!=。不能使用><的但是在开发场景中,我们需要对多个对象进行排序,言外之意,就需要比较对象的大小。
如何实现?使用两个接口中的任何一个: Comparable 或Comparator

自定义类来说,如果需要排序,我们可以让自定义类实现Comparable接口,重写compareTo(obj)方法。

  1. package com.dreamcold.useful;
  2. public class Goods implements Comparable{
  3. private String name;
  4. private double price;
  5. public Goods() {
  6. }
  7. public Goods(String name, double price) {
  8. this.name = name;
  9. this.price = price;
  10. }
  11. public String getName() {
  12. return name;
  13. }
  14. public void setName(String name) {
  15. this.name = name;
  16. }
  17. public double getPrice() {
  18. return price;
  19. }
  20. public void setPrice(double price) {
  21. this.price = price;
  22. }
  23. //重写上面的方法
  24. @Override
  25. public int compareTo(Object o) {
  26. if (o instanceof Goods){
  27. Goods goods=(Goods)o;
  28. if(this.price>goods.price){
  29. return 1;
  30. }else if(this.price<goods.price){
  31. return -1;
  32. }else {
  33. return 0;
  34. }
  35. }
  36. throw new RuntimeException("数据类型不一致");
  37. }
  38. @Override
  39. public String toString() {
  40. return "Goods{" +
  41. "name='" + name + '\'' +
  42. ", price=" + price +
  43. '}';
  44. }
  45. }

运行上面的代码得到结果:

常用类 - 图64

定制排序: java.util.Compalrator

当元素的类型没有实现java.lang.Comparable接口而又不方便修改代码,或者实现了java.lang.Comparable接口的排序规则不适合当前的操作,那么可以考虑使用Comparator的对象来排序,强行对多个对象进行整体排序的比较。

重写compare(Object o1,Object o2)方法,比较01 和o2的大小:如果方法返回正整数,则表示o1大于o2;如果返回0,表示相等;返回负整数,表示o1小于o2。

可以将Comparator传递给sort方法(如Collections sort或Arrays.sort),从而允许在排序顺序上实现精确控制。
还可以使用Comparator来控制某些数据结构(如有序set或有序映射)的顺序,或者为那些没有自然顺序的对象collection提供排序。

示例一:字符串从大到小排序

  1. package com.dreamcold.useful;
  2. import java.util.Arrays;
  3. import java.util.Comparator;
  4. public class Demo38 {
  5. public static void main(String[] args) {
  6. String[] arr=new String[]{"AA","CC","KK","MM","GG","JJ","DD"};
  7. Arrays.sort(arr, new Comparator<String>() {
  8. @Override
  9. public int compare(String o1, String o2) {
  10. if (o1 instanceof String &&o2 instanceof String){
  11. String s1=(String)o1;
  12. String s2=(String)o2;
  13. return -s1.compareTo(s2);
  14. }
  15. throw new RuntimeException("类型错误!");
  16. }
  17. });
  18. System.out.println(Arrays.toString(arr));
  19. }
  20. }

效果:

常用类 - 图65

定制排序实现字符串从大到小的排序

示例二:对商品类进行排序

  1. package com.dreamcold.useful;
  2. import java.util.Arrays;
  3. import java.util.Comparator;
  4. public class Demo39 {
  5. public static void main(String[] args) {
  6. Goods[] arr=new Goods[4];
  7. arr[0]=new Goods("lenovoMouse",4);
  8. arr[1]=new Goods("dellMouse",43);
  9. arr[2]=new Goods("xiaomiMouse",12);
  10. arr[3]=new Goods("huaweiMouse",65);
  11. Arrays.sort(arr, new Comparator() {
  12. @Override
  13. public int compare(Object o1, Object o2) {
  14. if (o1 instanceof Goods && o2 instanceof Goods){
  15. Goods g1=(Goods)o1;
  16. Goods g2=(Goods)o2;
  17. if (g1.getName().equals(g2.getName())){
  18. return -Double.compare(g1.getPrice(),g2.getPrice());
  19. }else{
  20. return g1.getName().compareTo(g2.getName());
  21. }
  22. }
  23. throw new RuntimeException("参数类型不正确");
  24. }
  25. });
  26. System.out.println(Arrays.toString(arr));
  27. }
  28. }

效果:

常用类 - 图66

System类

  • System类代表系统,系统级的很多属性和控制方法都放置在该类的内部。该类位于java.lang包。
  • 由于该类的构造器是private的,所以无法创建该类的对象,也就是无法实例化该类。其内部的成员变最和成员方法都是static的,所以也可以很方便的进行调用。
  • 成员变量
    • System类内部包含in、out和err三 个成员变量,分别代表标准输入流(键盘输入),标准输出流(显示器)和标准错误输出流(显示器)。
  • 成员方法

    • native long currentTimeMillis():该方法的作用是返回当前的计算机时间,时间的表达格式为当前计算机时
      间和GMT时间(格林威治时间)1970年1月1号0时0分0秒所差的毫秒数。
    • void exit(int status):
      该方法的作用是退出程序。其中status的 值为0代表正常退出,非零代表异常退出。使用该方法可以在图形界面编程中实现程序的退出功能等。
    • void gc():
      该方法的作用是请求系统进行垃圾回收。至于系统是否立刻回收,则
      取决于系统中垃圾回收算法的实现以及系统执行时的情况。
    • String getProperty(String key):
      该方法的作用是获得系统中属性名为key的属性对应的值。系统中常见的属性名以及属性的作用如下表所示:


    常用类 - 图67

示例:

  1. String javaVersion = System. getProperty("java. version);
  2. System.out.print1n("java的version:" + javaVersion);
  3. String javaHome = System. getProperty( "java .home");
  4. System.out.print1n("java的home:" + javaHome);
  5. String osName = System.getProperty("os . name");
  6. System.out.print1n("os的name:" + osName);
  7. String osVersion = System. getProperty("os .version");
  8. System.out.print1n( "os的version:" + osVersion);
  9. String userName = System. getProperty ("user . name") ;
  10. System.out.print1n("user的name:" + userName);
  11. String userHome = System. getProperty( "user .home "D) ;
  12. System.out.print1n("user的home:" + userHome) ;
  13. String userDir = System. getProperty("user .dir");
  14. System.out.print1n("user的dir:" + userDir);

Math类

java.lang.Math提供了一系列静态方法用于科学计算。其方法的参数和返回.值类型一般为double型。

  1. abs//绝对值
  2. acos,asin,atan,cos,sin,tan//三角函数
  3. sqrt //:平方根
  4. pow(double a,doble b)//a的b次幂
  5. log// 自然对数
  6. exp// e为底指数
  7. max(double a,double b)
  8. min(double a,double b)
  9. random()//返回0.0到1.0的随机数
  10. long round(double a) //double 型数据a转换为long型(四舍五入)
  11. toDegrees(double angrad)//弧度一 > 角度
  12. toRadians(double angdeg)//角度- >弧度

BigInteger和BigDecimal

BigInteger

Integer类作为int的包装类,能存储的最大整型值为231-1,Long类也是有限的,最大为263-1。如果要表示再大的整数,不管是基本数据类型还是他们的包装类都无能为力,更不用说进行运算了。

java.math包的BigInteger可以表示不可变的任意精度的整数。BigInteger 提供所有Java的基本整数操作符的对应物,并提供java. lang. Math的所有相关方法。另外,BigInteger 还提供以下运算:模算术、GCD计算、质数测试、素数生成、位操作以及此其他操作。

构造器

  • BigInteger(String val):根据字符串构建BigInteger对象

常用方法

  1. public BigInteger abs()//:返回此BigInteger的绝对值的BigInteger.
  2. BigInteger add(BigInteger val)// :返回其值为(this + val)的BigInteger
  3. BigInteger subtract(BigInteger val)// :返回其值为(this - val)的BigInteger
  4. BigInteger multiply(BigInteger val)//:返回其值为(this * val)的BigInteger
  5. BigInteger divide(BigInteger val) //:返回其值为(this I val)的BigInteger。整数相除只保留整数部分。
  6. BigInteger remainder(BigInteger val) //:返回其值为(this % val)的BigInteger.
  7. BigInteger] divideAndRemainder(BigInteger val)//:返回包含(this 1 val)后跟this % val)的两个BigInteger的数组。
  8. BigInteger pow(int exponent)//:返回其值为(thisexponeny的BigInteger。

BigDecimal

一般的Float类和Double类可以用来做科学计算或工程计算,但在商业计算中,要求数字精度比较高,故用到java.math.BigDecimal类。BigDecimal类支持不可变的、任意精度的有符号十进制定点数。
构造器

  • public BigDecimal(double val)
  • public BigDecimal(String val)

常用方法

  • public BigDecimal add(BigDecimal augend)
  • public BigDecimal subtract(BigDecimal subtrahend)
  • public BigDecimal multiply(BigDecimal multiplicand)
  • public BigDecimal divide(BigDecimal divisor, int scale, int roundingMode)

示例:

  1. BigInteger bi = new BigInteger( val: "12433241123");
  2. BigDecimal bd = new BigDecimal( val: "12435.351");
  3. BigDecimal bd2 = new BigDecimal( val: "11");
  4. System.out.println(bi);
  5. // System. out . println(bd. divide(bd2));
  6. System.out.print1n(bd.divide(bd2, BigDecimal .ROUND_ HALF_UP));
  7. System.out.print1n(bd.divide(bd2scale: 15BigDecimal.ROUND_HALF_UP));

效果:

常用类 - 图68