对于String的总结:
1、Java中的String类的定义如下:
1 public final class String
2 implements java.io.Serializable, Comparable<String>, CharSequence { ...}
可以看到,String是final的
2、String类中定义了一个final的字符数组value[],用来存储字符:
/** The value is used for character storage. */
private final char value[];
重要方法源码查看
1 /** 2 * Compares this string to the specified object. The result is {@code 3 * true} if and only if the argument is not {@code null} and is a {@code 4 * String} object that represents the same sequence of characters as this 5 * object. 6 * 7 * @param anObject 8 * The object to compare this {@code String} against 9 * 10 * @return {@code true} if the given object represents a {@code String} 11 * equivalent to this string, {@code false} otherwise 12 * 13 * @see #compareTo(String) 14 * @see #equalsIgnoreCase(String) 15 */ 16 public boolean equals(Object anObject) { 17 if (this == anObject) { 18 return true; 19 } 20 if (anObject instanceof String) { 21 String anotherString = (String)anObject; 22 int n = value.length; 23 if (n == anotherString.value.length) { 24 char v1[] = value; 25 char v2[] = anotherString.value; 26 int i = 0; 27 while (n-- != 0) { 28 if (v1[i] != v2[i]) 29 return false; 30 i++; 31 } 32 return true; 33 } 34 } 35 return false; 36 }从源码中可以看出:
先使用==进行判断,这是对字节码进行判断,如果二者相同则返回true;
然后再判断anObject是否是一个String的一个实例,这是继续向下比较的条件;
如果anObject是一个String实例,则转换为String;
接下来比较两个字符串的长度,如果长度相等,再将两个字符串转换为char数组,对比相应位置上的元素。
只有类型、长度和元素都相等的情况下才返回true。
3.JVM对String的处理
http://www.blogjava.net/cheneyfree/archive/2008/05/12/200088.html
http://blog.csdn.net/qq396229783/article/details/19924393