有学生类,属性包含id、姓名、年龄、班级。 一个列表中有很多学生对象(不确定有多少个),可能有重复的学生对象。 **注意:我们将id相同的学生当作同一个学生。** 现在希望实现两个功能: 1. 将学生列表中不重复的学生抽取出来,并打印出来。 2. 将学生根据年龄进行从小到大排序。
时间: 2024-04-12 20:27:12 浏览: 83
可以使用Set集合来实现学生列表中不重复学生的抽取,以及使用Collections.sort()方法对学生列表进行按年龄从小到大的排序。下面是示例代码:
```java
import java.util.*;
public class StudentManagement {
public static void main(String[] args) {
List<Student> studentList = new ArrayList<>();
// 添加学生对象到列表中
studentList.add(new Student(1, "Alice", 20, "Class A"));
studentList.add(new Student(2, "Bob", 21, "Class B"));
studentList.add(new Student(3, "Charlie", 22, "Class C"));
studentList.add(new Student(2, "David", 23, "Class D")); // 重复的学生对象
// 将学生列表中不重复的学生抽取出来并打印
Set<Student> uniqueStudents = getUniqueStudents(studentList);
System.out.println("不重复的学生列表:");
for (Student student : uniqueStudents) {
System.out.println(student);
}
// 将学生根据年龄进行从小到大排序
sortStudentsByAge(studentList);
System.out.println("\n按年龄从小到大排序后的学生列表:");
for (Student student : studentList) {
System.out.println(student);
}
}
private static Set<Student> getUniqueStudents(List<Student> studentList) {
Set<Student> uniqueStudents = new HashSet<>();
for (Student student : studentList) {
uniqueStudents.add(student);
}
return uniqueStudents;
}
private static void sortStudentsByAge(List<Student> studentList) {
Collections.sort(studentList, new Comparator<Student>() {
@Override
public int compare(Student s1, Student s2) {
return Integer.compare(s1.getAge(), s2.getAge());
}
});
}
}
class Student {
private int id;
private String name;
private int age;
private String className;
public Student(int id, String name, int age, String className) {
this.id = id;
this.name = name;
this.age = age;
this.className = className;
}
public int getId() {
return id;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
public String getClassName() {
return className;
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
Student student = (Student) o;
return id == student.id;
}
@Override
public int hashCode() {
return Objects.hash(id);
}
@Override
public String toString() {
return "Student{" +
"id=" + id +
", name='" + name + '\'' +
", age=" + age +
", className='" + className + '\'' +
'}';
}
}
```
运行以上代码,会输出不重复的学生列表,并按年龄从小到大排序后的学生列表。注意,我们在Student类中重写了equals()和hashCode()方法,以便将id相同的学生对象视为同一个学生,从而确保Set集合中的元素不重复。
阅读全文