一、String a = “hello”;String b = “hello”;a==b为ture
public static void main(String[] args) {
String a = "hello";
String b = "hello";
System.out.println(a==b);//true
System.out.println(a.equals(b));//true
String c = new String("hello");
String d = new String("hello");
System.out.println(a==c);//false
System.out.println(c==d);//false
System.out.println(c.equals(d));//true
}
String a=“hello world”; //在java中有一个常量池,当创建String 类型的引用变量给它赋值时,java会到它的常量池中找"hello world"是不是在常量池中已存在。如果已经存在则返回这个常量池中的"hello world"的地址(在java中叫引用)给变量a 。
注意a并不是一个对象,而是一个引用类型的变量。它里面存的实际上是一个地址值,而这个值是指向一个字符串对象的。
在程序中凡是以"hello world"这种常量似的形式给出的都被放在常量池中。
String b=new String(“hello world”); //这种用new关键字定义的字符串,是在堆中分配空间的。而分配空间就是由new去完成的,由new去决定分配多大空间,并对空间初始化为字符串"hello world" 返回其在堆上的地址。
通过上面的原理:
String a=“hello world”; String b=“hello world”; 通过上面的讲解可以知道,a和b都是指向常量池的同一个常量字符串"hello world"的,因此它们返回的地址是相同的。
c和d际上引用变量里面放的确实是地址值,他们是有new在堆中开辟了两块内存空间,返回的地址当然是不相等的了。
二、 == 和 equals
我们知道所有的java类均继承Ojbect,equals是Object的方法。我们看看equals是怎样实现的;
Ojbect的equals源码:
注意:
对于这8种基本数据类型的变量,变量直接存储的是“值”,因此在用关系操作符==来进行比较时,比较的就是 “值” 本身。
而对于非基本数据类型的变量,引用类型的变量存储的并不是 “值”本身,而是于其关联的对象在内存中的地址。
而String中重写了equals方法:
String的equals方法源码:
这里我们看到String 的equals 在两个String对象不相等的情况下,比较的是Sting对象的内容。所以equals返回true。
关于详细的区别可以查看:
java 中“==”与“equal” 的区别
三、Integer比较
Integer i = 100;
Integer j = 100;
System.out.println(i==j);//true
Integer k= 1000;
Integer m = 1000;
System.out.println(k==m);//false
查看源码得知:
public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high)
//如果数值在-128~127之间的
return IntegerCache.cache[i + (-IntegerCache.low)];
//返回
return new Integer(i);
}