转载地址:http://blog.csdn.net/qq_27093465/article/details/52279664
1. ==
java中的==是比较两个对象在JVM中的地址。比较好理解。看下面的代码:
- public class ComAddr{
- public static void main(String[] args) throws Exception {
- String s1 = "nihao";
- String s2 = "nihao";
- String s3 = new String("nihao");
- System.out.println(s1 == s2);
- System.out.println(s1 == s3);
- }
- }
上述代码中:
(1)s1 == s2为true,是因为s1和s2都是字符串字面值"nihao"的引用,指向同一块地址,所以相等。
(2)s1 == s3为false,是因为通过new产生的对象在堆中,s3是堆中变量的引用,而是s1是指向字符串字面值"nihao"的引用,地址不同所以不相等。
2.equals()
equals是根类Obeject中的方法。源代码如下:
- Objects.equals(value, e.getValue()))
-
-
- public static boolean equals(Object a, Object b) {
- return (a == b) || (a != null && a.equals(b));
- }
-
- public boolean equals(Object obj) {
- return (this == obj);
- }
所以要重写自定义model类的hasCode方法和equal
3.hashcode()
hashCode是根类Obeject中的方法。
默认情况下,Object中的hashCode() 返回对象的32位jvm内存地址。也就是说如果对象不重写该方法,则返回相应对象的32为JVM内存地址。
String类源码中重写的hashCode方法如下,
-
- private int hash;
- ....
-
- public int hashCode() {
- int h = hash;
- if (h == 0 && value.length > 0) {
- char val[] = value;
-
- for (int i = 0; i < value.length; i++) {
- h = 31 * h + val[i];
- }
- hash = h;
- }
- return h;
- }
String源码中使用private final char value[];保存字符串内容,因此String是不可变的。
看下面的例子,没有重写hashCode方法的类,直接返回32位对象在JVM中的地址;Long类重写了hashCode方法,返回计算出的hashCode数值:
- public class ComHashcode{
- public static void main(String[] args) throws Exception {
- ComHashcode a = new ComHashcode();
- ComHashcode b = new ComHashcode();
- System.out.println(a.hashCode());
- System.out.println(b.hashCode());
-
- Long num1 = new Long(8);
- Long num2 = new Long(8);
- System.out.println(num1.hashCode());
- System.out.println(num2.hashCode());
- }
- }
- <span style="font-size:14px;">
- public boolean equals(Object obj) {
- if (obj instanceof Long) {
- return value == ((Long)obj).longValue();
- }
- return false;
- }
-
- @Override
- public int hashCode() {
- return Long.hashCode(value);
- }
-
- public static int hashCode(long value) {
- return (int)(value ^ (value >>> 32));
- }
-
总结:
(1)绑定。当equals方法被重写时,通常有必要重写 hashCode 方法,以维护 hashCode 方法的常规协定,该协定声明相等对象必须具有相等的哈希码。
(2)绑定原因。Hashtable实现一个哈希表,为了成功地在哈希表中存储和检索对象,用作键的对象必须实现 hashCode
方法和 equals
方法。同(1),必须保证equals相等的对象,hashCode
也相等。因为哈希表通过hashCode检索对象。
(3)默认。
==默认比较对象在JVM中的地址。
hashCode 默认返回对象在JVM中的存储地址。
equal比较对象,默认也是比较对象在JVM中的地址,同==