public String intern()返回字符串對象的規範化表示形式。 java
一個初始時爲空的字符串池,它由類 String 私有地維護。 shell
當調用 intern 方法時,若是池已經包含一個等於此 String 對象的字符串(該對象由 equals(Object) 方法肯定),則返回池中的字符串。不然,將此 String 對象添加到池中,而且返回此 String 對象的引用。 jvm
它遵循對於任何兩個字符串 s 和 t,當且僅當 s.equals(t) 爲 true 時,s.intern() == t.intern() 才爲 true。 code
全部字面值字符串和字符串賦值常量表達式都是內部的。字符串字面值在《Java Language Specification》的 §3.10.5 中已定義。 對象
返回:blog
一個字符串,內容與此字符串相同,但它保證來自字符串池中。ci
String.intern();unicode
再補充介紹一點:存在於.class文件中的常量池,在運行期間被jvm裝載,而且能夠擴充。String的intern()方法就是擴充常量池的一個方法;當一個String實例str調用intern()方法時,java查找常量池中是否有相同unicode的字符串常量,若是有,則返回其引用,若是沒有,則在常量池中增長一個unicode等於str的字符串並返回它的引用。字符串
例3:it
String s0="kvill"; String s1=new String("kvill"); String s2=new String("kvill"); System.out.println(s0==s1); S1.intern(); S2=s2.intern(); System.out.println(s0==s1); System.out.prntln(s0==s1.intern()); System.out.println(s0==s2);
結果爲:
False False //雖然執行了s1.intern(),但它的返回值沒有賦給s1 True True
最後再破除一個錯誤的理解:
有人說,「使用String.intern()方法能夠將一個String類保存到一個全局的String表中,若是具備相同值的unicode字符串已經在這個表中,那麼該方法返回表中已有字符串的地址,若是在表中沒有相同值的字符串,則將本身的地址註冊到表中」若是把這個全局的String表理解爲常量吃的話,最後一句話「若是在表中沒有相同值的字符串,則將本身的地址註冊到表中」是錯的。
例4:
String s1=new String("kvill"); String s2=s1.intern(); System.out.println(s1==s1.intern()); System.out.println(s1+" "+s2); System.out.println(s2==s1.intern());
結果是:
False Kvill kvill True
咱們沒有聲明一個」kvill」常量,因此常量池中一開始沒有」kvill」的,當咱們調用s1.intern()後就在常量池中新添加了一個」kvill」常量,原來的不在常量池中的」kvill」仍然存在,也就不是「把本身的地址註冊到常量池中」了。
例5:
String str1="java"; String str2="blog"; String s=str1+str2; System.out.println(s=="javablog");
結果是false。Jvm確實對型如String str1=」java」;的String對象放在常量池裏,可是它是在編譯時那麼作的,而String s=str1+str2;是在運行時刻才能知道,也就是說str1+str2是在堆裏建立的,因此結果爲false了。
最後,我把String相等判斷的東西作了個總結:
import org.junit.Test; public class InternalTest { @Test public void test1(){ String str1="hello"; String str2="hello"; String str3=new String("hello"); final String str4=new String("hello"); String str5=str3.intern(); String str6="hel"+"lo"; String str7="hel"+new String("lo"); String str8H="he",str8L="llo"; String str8=str8H+str8L; final String str9H="he",str9L="llo"; String str9=str9H+str9L; if(str1==str2){ System.out.println("1==2"); } else{ System.out.println("1!=2"); } if(str1==str3){ System.out.println("1==3"); } else{ System.out.println("1!=3"); } if(str3==str4){ System.out.println("3==4"); } else{ System.out.println("3!=4"); } if(str1==str4){ System.out.println("1==4"); } else{ System.out.println("1!=4"); } if(str1==str5){ System.out.println("1=5"); } else{ System.out.println("1!=5"); } if(str1==str6){ System.out.println("1==6"); } else{ System.out.println("1!=6"); } if(str1==str7){ System.out.println("1==7"); } else{ System.out.println("1!=7"); } if(str1==str8){ System.out.println("1==8"); } else{ System.out.println("1!=8"); } if(str1==str9){ System.out.println("1==9"); } else{ System.out.println("1!=9"); } } }
輸出結果:
1==2 1!=3 3!=4 1!=4 1=5 1==6 1!=7 1!=8 1==9
結論:
字面值和字符串常量的比較和拼接,能夠視爲相等。
字符串變量的拼接、字符串對象的比較必定是不相等的。
internal方法會將與當前字符串equals的在JVM常量池中的字符串常量的引用返回,因此值相等則必定相等。