标签:-- 基本类型 理解 style equals 代码 情况下 OLE bool
基本类型: 比较的是值是否相同;
引用类型: 比较的是引用是否相同;
String x = "Jerry"; String y = "Jerry"; String z = new String("Jerry"); System.out.println(x==y); // true System.out.println(x==z); // false System.out.println(x.equals(y)); // true System.out.println(x.equals(z)); // true
1.因为 x 和 y 指向的是同一个引用,所以 == 也是 true
2.new String()方法则重写开辟了内存空间,比较的是内存地址,所以 == 结果为 false,
3.equals 比较的一直是值,所以结果都为 true。
1.equals 本质上就是 ==,只不过 String 和 Integer 等重写了 equals 方法,源码如下:
class Cat { public Cat(String name) { this.name = name; } private String name; public String getName() { return name; } public void setName(String name) { this.name = name; } } Cat c1 = new Cat("Jerry"); Cat c2 = new Cat("Jerry"); System.out.println(c1.equals(c2)); // false
输出的结果出我们意料,我们看了 equals 源码就知道了,源码如下:
public boolean equals(Object obj) { return (this == obj); }
equals,本质上就是==.
两个相同值的 String 对象,为什么返回的是 true?代码如下:
String s1 = new String("Jerry"); String s2 = new String("Jerry"); System.out.println(s1.equals(s2)); // true
为什么两个sring对象equals比较=true.
同样的,当我们进入 String 的 equals 方法,找到了答案,代码如下:
public boolean equals(Object anObject) { if (this == anObject) { return true; } if (anObject instanceof String) { String anotherString = (String)anObject; int n = value.length; if (n == anotherString.value.length) { char v1[] = value; char v2[] = anotherString.value; int i = 0; while (n-- != 0) { if (v1[i] != v2[i]) return false; i++; } return true; } } return false; }
String 重写了 Object 的 equals 方法,把引用比较改成了值比较。
== 对于基本类型来说是值比较,对于引用类型来说是比较的是引用;而 equals 默认情况下是引用比较,只是很多类重新了 equals 方法,比如 String、Integer 等把它变成了值比较,所以一般情况下 equals 比较的是值是否相等。
标签:-- 基本类型 理解 style equals 代码 情况下 OLE bool
原文地址:https://www.cnblogs.com/tuanc/p/14259253.html