基本类型可以直接比较大小,但是我们自定义的类类型可能就无法比较,如果自定义类的类型本身有多个属性的话,那么是以什么样的方式去比较这个类型对象的大小呢?
对于上述自定义的类类型的比较大小,我们有以下三种处理方式:
对于自定义的类型,都默认继承了 Object 类,而 Object 类中提供了 equals 方法。故我们可以使用 equals 方法去判断两个对象是不是相等。但是并不是任何情况都适用,下面为 Object 类中 equals 方法的定义
我们知道对于引用类型,用 == 号比较的其实是引用变量的地址,所以即使两个对象的值相等,但是由于地址不同所以结果也可能是错的,并且还由于自定义类中的属性不为1,所以不重写基类的 equals 方法的话,是无法正确比较对象的。
以下用自定义的 Student 类为例,重写其基类的 equals 方法
class Student{
public String name;
public int age;
public Student(String name, int age) {
this.name = name;
this.age = age;
}
@Override
public boolean equals(Object o){
if(this==o){
return true;
}
if(o==null || !(o instanceof Student)){
return false;
}
Student c=(Student)o;
return this.name.equals(c.name) && this.age==c.age;
}
}
覆写基类 equals 的方法虽然可以使自定义的类被比较,但是该方法只能进行相等和不相等的比较,不能按照大于或小于的方式进行比较。
该方法在 解析 Java 的多态、抽象类和接口 这章介绍过了,有兴趣了解的 uu 可以去那篇文章里面看看
注意:
Comparable 是 java.lang 中的接口类,可以直接使用。
以下用自定义的 Student 类为例,以 name 为我们要比较的属性
class Student implements Comparable<Student>{
publice String name;
public int age;
public Student(String name, int age) {
this.name = name;
this.age = age;
}
@Override
public int compareTo(Student o){
return this.name.compareTo(o.name);
}
}
该方法虽然可以让不同对象根据某一个属性来比较大小,但是当我们确定好了以哪一个属性来比较对象的话,那么当我们想要使用另一个属性比较对象时,则需要修改重写 compareTo 方法
该方法在 解析 Java 的多态、抽象类和接口 这章介绍过了,有兴趣了解的 uu 可以去那篇文章里面看看
注意:
Comparator 是 java.util 包中的泛型接口类,使用时必须导入对应的包。
以下用自定义的 Student 类为例,分别以 age、name 为我们要比较的属性来构造比较器
class Student{
public String name;
public int age;
public Student(String name, int age) {
this.name = name;
this.age = age;
}
}
// 以 Student 类中的 name 属性构造比较器
class NameComparator implements Comparator<Student> {
@Override
public int compare(Student o1, Student o2){
return o1.name.compareTo(o2.name);
}
}
// 以 Student 类中的 age 属性构造比较器
class AgeComparator implements Comparator<Student>{
@Override
public int compare(Student o1, Student o2){
return o1.age-o2.age;
}
}
使用比较器来进行比较
public class TestDemo{
public static void main(String[] args){
Student s1=new Student("Tom",18);
Student s2=new Student("Alen",25);
// 以 name 的大小来比较
NameComparator nameComparator = new NameComparator();
System.out.println(nameComparator.compare(s1,s2));
// 以 age 的大小来比较
AgeComparator ageComparator = new AgeComparator();
System.out.println(ageComparator.compare(s1,s2));
}
}
// 结果为:19 和 -7
覆写的方法 | 说明 |
---|---|
Object.equals | 因为所有类都是继承自 Object 的,所以直接覆写即可,但是只能比较相等于不相等,不能比较大于或小于 |
Comparable.compareTo | 需要手动实现接口,侵入性较强。一旦实现,每次用该类都有指定的顺序,属于内部顺序。但如果要更换比较的方式,则要修改 comparaTo 方法 |
Comparator.compare | 需要实现一个比较器,对待比较类的侵入性较弱。每次使用,都要确定比较器 |
版权说明 : 本文为转载文章, 版权归原作者所有 版权申明
原文链接 : https://blog.csdn.net/weixin_51367845/article/details/121167309
内容来源于网络,如有侵权,请联系作者删除!