public class Test{ public static void main(String[] args){ Integer n1 = new Integer(1) Integer n2 = new Integer(1) System.out.println(n1 == n2) System.out.println(n1 != n2) // print: ------------------------------- // false // true } }
可能会疑惑应该是先输出true,再是false。
因为:
尽管两个Integer对象内容都是相同的,然而对象的引用却是不同的,而==和!=比较的就是对象的引用,在栈中存储了两个Integer 引用。
但是 == 和 != 在基本数据类型中比较的是内容
class Value{ int i; } public class Test{ public static void main(String[] args){ Value v1 = new Value() Value v2 = new Value() v1.i = 100; v2.i = 100 System.out.println(v1.equals(v2)) // print: ------------------------------- // false } }
很奇怪又是false?
这是由于equals()的默认行为比较的也是 对象的引用,所以除非在Value中覆盖equals(),否则不可能表现出我们希望的行为
疑惑平时所用的equals为什么是比较内容?继续看:
public class Test{ public static void main(String[] args){ Integer n1 = new Integer(1) Integer n2 = new Integer(1) System.out.println(n1.equals(n2)) // print: ------------------------------- // true } }
返回的如我们所料那样,这是因为:大多数java类库都实现了equals(),以便用来比较对象的内容,而非比较对象的引用。