- 此註解會生成equals(Object other) 和 hashCode()方法。
- 它默認使用非靜態,非瞬態的屬性
- 可經過參數exclude排除一些屬性
- 可經過參數of指定僅使用哪些屬性
- 它默認僅使用該類中定義的屬性且不調用父類的方法
當啓動@EqualsAndHashCode時,默認不調用父類的equals方法,當作類型相等判斷時,會遇到麻煩,例如:java
@Data public class People { private Integer id; } @Data public class User extends People { private String name; private Integer age; } public static void main(String[] args) { User user1 = new User(); user1.setName("jiangxp"); user1.setAge(18); user1.setId(1); User user2 = new User(); user2.setName("jiangxp"); user2.setAge(18); user2.setId(2); System.out.println(user1.equals(user2)); } 輸出結果:true
注意:兩條user數據,ID徹底不同,結果明顯是錯的,沒有作id的equals判斷this
須要將@EqualsAndHashCode修改成@EqualsAndHashCode(callSuper = true)才能獲得正確結果. 反編譯修改後的User.class,發現有些許變化code
public boolean equals(Object o) { if (o == this) { return true; } else if (!(o instanceof User)) { return false; } else { User other = (User)o; if (!other.canEqual(this)) { return false; } else if (!super.equals(o)) { // (1)此處變化,調用了父類的equals,原:無此段邏輯 return false; } else { Object this$name = this.getName(); Object other$name = other.getName(); if (this$name == null) { if (other$name != null) { return false; } } else if (!this$name.equals(other$name)) { return false; } Object this$age = this.getAge(); Object other$age = other.getAge(); if (this$age == null) { if (other$age != null) { return false; } } else if (!this$age.equals(other$age)) { return false; } return true; } } } public int hashCode() { int PRIME = true; int result = super.hashCode(); //(2)此處變化,調用了父類的hashCode(); 原:int result = 1; Object $name = this.getName(); result = result * 59 + ($name == null ? 43 : $name.hashCode()); Object $age = this.getAge(); result = result * 59 + ($age == null ? 43 : $age.hashCode()); return result; }