六、比较字符串的方法
我们在比较两个数字是否相同时,一般用的是==来判断,那么要比较两个字符串相等
用的是什么呢,答案是用equals。
==用来判断两个字符串的地址是否相同,相同返回true,不同返回false。
equals用来比较两个字符串的值是否相同,相同返回true,不同返回false。
用法:
public class String1 { public static void main(String[] args) { String s1="hello"; String s2="world"; String s3= "helloworld"; String s4=s1+s2; System.out.println(s7==s8);//0 System.out.println(s3==s4);//比较两个字符串的地址是否相同 System.out.println(s3.equals(s4));//比较两个字符串中的值是否相同 } }
代码图示:
原因下文分析。
七、判断两个字符串地址是否相等
在字符串中,两个字符串相加可以的到一个新的字符串,这是我们知道的,但是地址会是
一样的吗
看下列代码:
public class String1 { public static void main(String[] args) { String s1="hello"; String s2="world"; String s3= "helloworld"; String s4=s1+s2; String s5="he"+"llo"; String s6="hello"+"world"; String s7="hello"+s2; String s8=s1+"world"; System.out.println(s3==s6);//比较两个地址是否相同 System.out.println(s1==s5); System.out.println(s3==s7); System.out.println(s3==s8); System.out.println(s7==s8); System.out.println(s3==s4); System.out.println(s3.equals(s4));//比较两个字符串中的值是否相同 } }
我们仔细分析:
第一个:
String s3= "helloworld"; String s6="hello"+"world";
s3首先在常量池中创建了一个helloworld的常量,s6是有两个新的字符串连接起来的,
这两个字符串常量创建新的字符串常量,存储在常量池中时,因为helloworld已经存在,
所以常量池就不会创建新的字符串了,直接把已经存在的s3地址赋值给s6,所以他们地址
相同。
第二个:
String s1="hello"; String s5="he"+"llo";
这个分析和第一个一样,地址相同。
第三个:
String s2="world"; String s3= "helloworld"; String s7="hello"+s2;
s2在常量池中创建world,s3在常量池中创建helloworld,s7是由一个变量s2连接一
个新的字符串"world",首先会在常量池创建字符串"world",然后两者之间进行"+"
操作,根据字符串的串联规则,s7会在堆内存中创建StringBuilder(或StringBuffer)
对象,通过append方法拼接s2和字符串常量"world”,此时拼接成的字符
串"helloworld"
是StringBuilder(或StringBuffer)类型的对象,通过调用toString方法转成String对
象"helloworld",所以s7此时实际指向的是堆内存中的"helloworld"对象,堆内存中对
象的地址和常量池中对象的地址不一样。
StringBuilder和StringBuffer的区别
1.StringBuffer 对几乎所有的方法都实现了同步,线程比较安全,在多线程系统中可以保
证数据同步。
2.StringBuilder 没有实现同步,线程不安全,在多线程系统中不能使用 StringBuilder。
3.当需要考虑线程安全的场景下使用 StringBuffer,如果不需要考虑线程安全,追求效率的场景下可以使用 StringBuilder。
第四个:
String s1="hello"; String s3= "helloworld"; String s8=s1+"world";
解释同上,重新简单的说一下,s3在先在常量池中创建helloworld,s8是由变量s1和常量
world加起来的,会先在常量池中创建world,然他他们现在之后会在堆内存中存在,所以
他们的地址不同。
总结:一般带有变量的相加操作是在堆中创建的
第五个:
String s1="hello"; String s2="world"; String s7="hello"+s2; String s8=s1+"world";
解释和上面有些相似之处,他们都是有变量加常量,所以他们都是在堆内存中创建的,
堆内存的地址是不会相同的。
第六个:
String s1="hello"; String s2="world"; String s3= "helloworld"; String s4=s1+s2;
首先在常量池中创建唯一的常量,然后再,s4进行两个变量的相加操作,所生成的是在
堆内存中的,所以地址不同。