如何在java中对具有不同属性的列表进行排序

0 java sorting collections

我想要排序一个包含属性名称和课程的学生对象列表,以便根据名称进行排序,如果两个名称相同,那么它应该考虑排序的过程...我可以单独做但是想要一个列表.. .PLz帮助......

/*
 * To change this license header, choose License Headers in Project Properties.
 * To change this template file, choose Tools | Templates
 * and open the template in the editor.
 */
package studentlist;

import java.util.*;

/**
 *
 * @author Administrator
 */
public class StudentList {

    /**
     * @param args the command line arguments
     */
    String name, course;

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }

    public String getCourse() {
        return course;
    }

    public void setCourse(String course) {
        this.course = course;
    }

    public StudentList(String name, String course) {
        this.name = name;
        this.course = course;
    }

    public static void main(String[] args) {
        // TODO code application logic here
        List<StudentList> list = new ArrayList<StudentList>();

        list.add(new StudentList("Shaggy", "mca"));
        list.add(new StudentList("Roger", "mba"));
        list.add(new StudentList("Roger", "bba"));
        list.add(new StudentList("Tommy", "ca"));
        list.add(new StudentList("Tammy", "bca"));

        Collections.sort(list, new NameComparator());
        Iterator ir = list.iterator();

        while (ir.hasNext()) {
            StudentList s = (StudentList) ir.next();
            System.out.println(s.name + " " + s.course);
        }

        System.out.println("\n\n\n ");
        Collections.sort(list, new CourseComparator());
        Iterator ir1 = list.iterator();

        while (ir1.hasNext()) {
            StudentList s = (StudentList) ir1.next();
            System.out.println(s.name + " " + s.course);
        }

    }

}

class NameComparator implements Comparator<StudentList> {

    public int compare(StudentList s1, StudentList s2) {

        return s1.name.compareTo(s2.name);

    }

}

class CourseComparator implements Comparator<StudentList> {

    public int compare(StudentList s1, StudentList s2) {
        return s1.course.compareTo(s2.course);
    }
}
Run Code Online (Sandbox Code Playgroud)

Roh*_*ain 6

您只需将比较放在一个Comparator中.

  • 首先测试name是否相等:
    • 如果它们不相等,则返回比较结果name.
    • 如果它们相等,请移动以比较courses:

比较器将起作用:

class NameCourseComparator implements Comparator<StudentList> {

    public int compare(StudentList s1, StudentList s2) {
        if (s1.name.equals(s2.name)) {
            return s1.course.compareTo(s2.course);
        }
        return s1.name.compareTo(s2.name);
    }
}
Run Code Online (Sandbox Code Playgroud)