首先String不属于8种基本数据类型,String是一个对象。

但它又是一种特殊的对象,有其它对象没有的一些特性。

new String()和new String(“”)都是申明一个新的空字符串,是空串不是null。Java会确保一个字符串常量只有一个拷贝。

常量池(constant 
pool)指的是在编译期被确定,并被保存在已编译的.class文件中的一些数据。它包括了关于类、方法、接口等中的常量,也包括字符串常量。

---------------------

String s0=”kvill”, s1=”kvill”; String s2=”kv” + “ill”; // 编译器 被优化为 kvill,和kvill一样
System.out.println(s0==s1 );    true
System.out.println(s0==s2 );   true

用new String() 创建的字符串不是常量,不能在编译期就确定,所以new String() 创建的字符串不放入常量池中,它们有自己的地址空间。 

---------------------

String s0=”kvill”;String s1=new String(”kvill”); String s2=”kv” + new String(“ill”); 
System.out.println(s0==s1 );  false
System.out.println(s0==s2 );  false 
System.out.println(s1==s2 ); false

存在于.class文件中的常量池,在运行期被JVM装载,并且可以扩充。String的intern()方法就是扩充常量池的一个方法;当一个String实例str调用intern()方法时,Java查找常量池中是否有相同Unicode的字符串常量,如果有,则返回其的引用,如果没有,则在常量池中增加一个Unicode等于str的字符串并返回它的引用

------------------------

String s0= “kvill”; String s1=new String(”kvill”); String s2=new String(“kvill”); 
System.out.println(s0==s1 );  false
System.out.println(“**********” ); 
s1.intern(); s2=s2.intern(); 
//把常量池中“kvill”的引用赋给s2 
System.out.println(s0==s1);  false  // intern方法会返回新的字符串System.out.println(s1==s1.intern() );  false
System.out.println(s0==s1.intern() );  true
System.out.println(s0==s2 );  true