java中的equals()方法

时间:2022-03-02 13:34:29

大家都知道,在Java中,对于对象的比较,如果用“==”比较的是对象的引用,而equals才是比较的对象的内容。

一般我们在设计一个类时,需要重写父类的equals方法,在重写这个方法时,需要按照以下几个规则设计:

1、自反性:对任意引用值X,x.equals(x)的返回值一定为true.
2、对称性:对于任何引用值x,y,当且仅当y.equals(x)返回值为true时,x.equals(y)的返回值一定为true;
3、传递性:如果x.equals(y)=true, y.equals(z)=true,则x.equals(z)=true
4、一致性:如果参与比较的对象没任何改变,则对象比较的结果也不应该有任何改变
5、非空性:任何非空的引用值X,x.equals(null)的返回值一定为false

例如:

  1. public class People {
  2. private String firstName;
  3. private String lastName;
  4. private int age;
  5. public String getFirstName() {
  6. return firstName;
  7. }
  8. public void setFirstName(String firstName) {
  9. this.firstName = firstName;
  10. }
  11. public String getLastName() {
  12. return lastName;
  13. }
  14. public void setLastName(String lastName) {
  15. this.lastName = lastName;
  16. }
  17. public int getAge() {
  18. return age;
  19. }
  20. public void setAge(int age) {
  21. this.age = age;
  22. }
  23. @Override
  24. public boolean equals(Object obj) {
  25. if (this == obj) return true;
  26. if (obj == null) return false;
  27. if (getClass() != obj.getClass()) return false;
  28. People other = (People) obj;
  29. if (age != other.age) return false;
  30. if (firstName == null) {
  31. if (other.firstName != null) return false;
  32. } else if (!firstName.equals(other.firstName)) return false;
  33. if (lastName == null) {
  34. if (other.lastName != null) return false;
  35. } else if (!lastName.equals(other.lastName)) return false;
  36. return true;
  37. }
  38. }

在这个例子中,我们规定一个人,如果姓、名和年龄相同,则就是同一个人。当然你也可以再增加其他属性,比如必须身份证号相同,才能判定为同一个人,则你可以在equals方法中增加对身份证号的判断!