String类源码
public final class String
implements java.io.Serializable, Comparable<String>, CharSequence
{
/** The value is used for character storage. */
private final char value[];
/** The offset is the first index of the storage that is used. */
private final int offset;
/** The count is the number of characters in the String. */
private final int count;
/** Cache the hash code for the string */
private int hash; // Default to 0
/** use serialVersionUID from JDK 1.0.2 for interoperability */
private static final long serialVersionUID = -6849794470754667710L;
........
}
可以看出:
- String 被声明为 final,因此不可被继承。并且成员方法都默认为 final 方法。
- 内部使用 char 数组存储数据,该数组也被声明为 final,也就是说 String 初始化之后就不能再引用其他值,并且其内部方法均不会改变它的值,这就确保了 String 不可变。
String Pool (字符串常量池)
JVM为了提高性能和减少内存的开销,在实例化字符串的时候进行了一些优化:使用String Pool。当我们创建字符串常量时,JVM会首先检查字符串常量池,如果该字符串已经存在常量池中,那么就直接返回常量池中的实例引用。如果字符串不存在常量池中,就会实例化该字符串并且将其放到常量池中。由于String字符串的不可变性我们可以十分肯定常量池中一定不存在两个相同的字符串。
String 的创建
String主要有两种创建方式:
//第一种
String str1 = "hello world";
//第二种
String str2 = new String("hello world");
System.out.println(str1 == str2); //false
- 对于第一种创建方式,JVM会首先在String Pool中查找是否存在该对象,若存在则返回该对象的引用;否则,在String Pool中创建该对象,并返回该对象的引用。
- 对于第二种创建方式,JVM同样首先在String Pool中查找是否存在该对象,若不存在,则在String Pool 中创建该对象,并且在堆中创建一个对象,然后将堆中对象的引用返回给用户;否则,直接在堆中创建一个String对象,返回该对象引用给用户。
String str1 = new String("hello world");
String str2 = new String("hello world");
System.out.println(str1 == str2); //false
以上代码创建了 3个 “hello world” 对象,String Pool 中一个,heap(堆)中两个。
String str1 = "hello world";
String str2 = "hello world";
System.out.println(str1 == str2); //true
以上代码仅仅在 String Pool 中创建了一个 “hello world” 对象。