Java常用类之String
String的特性
- String是一个final类,代表不可变的、不可继承的字符串。
- 字符串是常量,用双引号包裹,它们的值在创建之后不能更改。
- String对象的字符能容是存储在一个字符数组char value[]中的。
- String实现类Serializable接口,是支持序列化的。
String的不可变性
字面量方式创建
String a = "hello";
String b = "hello";
System.out.println(a==b);
//输出结果:true
通过字面里量方式创建的hello字符串创建的内存空间图如下:
因为创建的字符串是final的,所以字符串一但在常量池中创建,就不可修改。若修改上面代码中的a变量,java会在常量池中新增一个创建的字符串。
String的创建方法
- 通过使用String类的构造器创建(String a = new String(“hello”);)
- 通过字面量的方式创建 (String a = “hello”;)
两种创建方法的区别
String a = "hello";
String b = new String("hello");
System.out.println(a==b);
//输出结果:false
通过new+构造器的方法创建字符串是在堆空间中开辟地址,使用字面量方式创建字符串是在常量池中创建,所以a与b的字符串内容是相同的,但是地址是不相同的。(出现这种情况可以使用equals方法,因为String类重写了equals方法,使其通过内容比较)
String不同拼接的方式对比
通过变量+字面量定义的字符串,相当于通过new+String()定义字符串。
String a = "hello";
String b = "word";
String c = "helloword";
String d = a+b;
String e = a+"word";
String f = "hello"+"word";
//调用intern()方法让变量引用的地址返回常量池
String g = (a+b).intern();
System.out.println(c==d);//false
System.out.println(c==e);//false
System.out.println(e==f);//false
System.out.println(d==e);//false
System.out.println(c==f);//true
System.out.println(c==g);//true