使用TreeSet集合儲存學生姓名成績,並按照總成績從高到低排序。
阿新 • • 發佈:2018-12-25
- 學生基本資訊類
package StudentScoreDemo;
public class Student {
//學生姓名
private String name;
//語文成績
private int chinese;
//數學成績
private int math;
//英語成績
private int english;
//無參構造
public Student() {
// TODO Auto-generated constructor stub
}
//帶參構造
public Student(String name, int chinese, int math, int english) {
super();
this.name = name;
this.chinese = chinese;
this.math = math;
this.english = english;
}
//getXxx() setXxx()方法
public String getName() {
return name;
}
public void setName (String name) {
this.name = name;
}
public int getChinese() {
return chinese;
}
public void setChinese(int chinese) {
this.chinese = chinese;
}
public int getMath() {
return math;
}
public void setMath(int math) {
this.math = math;
}
public int getEnglish() {
return english;
}
public void setEnglish(int english) {
this.english = english;
}
//求總成績方法
public int getSum(){
return this.chinese + this.math + this.english;
}
}
2.儲存學生資訊,並排序
package StudentScoreDemo;
import java.util.Comparator;
import java.util.Scanner;
import java.util.TreeSet;
public class TreeSetDemo {
public static void main(String[] args) {
//建立一個TreeSet集合
TreeSet<Student> ts = new TreeSet<Student>(new Comparator<Student>() {
@Override
public int compare(Student s1, Student s2) {
//總分從高到低
int num = s2.getSum() - s1.getSum();
//從低到高的排序比較器設定
//int num = s1.getSum() - s2.getSum();
//總分相同的不一定語文相同
int num2 = num == 0 ? s1.getChinese() - s2.getChinese() : num;
//總分相同的不一定數學相同
int num3 = num2 == 0 ? s1.getMath() - s2.getMath() : num2;
//總分相同的不一定英語相同
int num4 = num3 == 0 ? s1.getEnglish() - s2.getEnglish() :num3;
//姓名不一定相同
int num5 = num4 == 0 ? s1.getName().compareTo(s2.getName()) : num4;
return num5;
}
});
//鍵盤錄入5個學生資訊
for(int x = 1; x <= 5; x++){
Scanner sc = new Scanner(System.in);
System.out.println("輸入第" + x + "個學生的姓名:");
String name = sc.nextLine();
System.out.println("輸入第" + x + "個學生的語文成績:");
String chineseString = sc.nextLine();
System.out.println("輸入第" + x + "個學生的數學成績:");
String mathString = sc.nextLine();
System.out.println("輸入第" + x + "個學生的英語成績:");
String englishString = sc.nextLine();
//把資料封裝到學生物件中
Student s = new Student();
s.setName(name);
s.setChinese(Integer.parseInt(chineseString));
s.setMath(Integer.parseInt(mathString));
s.setEnglish(Integer.parseInt(englishString));
//把學生物件新增到集合
ts.add(s);
}
System.out.println("學生資訊錄入完畢!");
//遍歷集合
System.out.println("學生資訊按照總成績從高到底排序如下:");
for(Student s : ts){
System.out.println(s.getName() + "\t" + s.getChinese()
+ "\t" + s.getMath() + "\t" + s.getEnglish() + "\t" + s.getSum());
}
}
}