前言
学习了面向对象编程语言,对于对象理应有了一定的理解,万物皆对象,而对象是不可能完全相同的,即使是俩个长得一模一样的人,也有各自不同的特点,起码是俩个不同的个体,但是实际生活中我们我们想得出的是俩个人长得很像这个答案,至于怎么用程序表达呢?
开篇前先扫下盲,一些新手在比较对象的时候可能会使用 == 比较,这是很严重的一个错误,众所周知,String 也是对象,对象的比较是使用equals方法!!!
好了,正戏开始,我们先创建一个宠物类 Cat, 给猫咪定义4个成员变量分别表示名字,年龄,重量和颜色,可以使用构造方法赋值,看具体代码
public class Cat {
private String name;
private int age;
private double weight;
private String color;
public Cat(String name,int age,double weight,String color){
this.name = name;
this.weight = weight;
this.age = age;
this.color = color;
}
}
编写一个测试类 Test,并实例化俩个对象判断一下
public class Text {
public static void main(String[] args) {
Cat cat1 = new Cat("JAVA",12,21,"black");
Cat cat2 = new Cat("JAVA",12,21,"black");
System.out.println("猫咪1与猫咪2相同吗?"+cat1.equals(cat2));
}
}
实验结果是 false 但现实生活中我们想得到的答案是俩只猫咪是一样的,故需要重写equals方法
package com.tz.uti;
public class Cat {
private String name;
private int age;
private double weight;
private String color;
public Cat(String name,int age,double weight,String color){
this.name = name;
this.weight = weight;
this.age = age;
this.color = color;
}
@Override
public boolean equals(Object obj) {//重写:利用属性判断是否相同
if(this == obj){ //同一个对象则相同
return true;
}
if(obj == null){ //传入对象为空则不相同
return false;
}
if(getClass() != obj.getClass()){ // 俩个猫咪的类型不同则不同
return false;
}
Cat cat = (Cat) obj;
return name.equals(cat.name) && (age == cat.age) && (weight == cat.weight) && (color.equals(cat.color));
}
}
这样equals方法则是根据属性判断了,显然答案就是 true 了