- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
- 22
- 23
- 24
- 25
- 26
- 27
- 28
- 29
- 30
- 31
- 32
- 33
- 34
- 35
- 36
- 37
- 38
- 39
- 40
- 41
- 42
- 43
- 44
- 45
- 46
- 47
- 48
- 49
- 50
- 51
- 52
- 53
- 54
- 55
- 56
- 57
- 58
- 59
- 60
- 61
- 62
java解法
- 解题思路
- 本题目要求解析两门课程的学生成绩数据,找到有两门课程成绩的学生,并按要求输出。具体步骤如下:
输入数据处理:
输入包含两行数据,分别代表两门课程的成绩,格式为 学生ID,成绩;学生ID,成绩;…。
每个学生有一个唯一的学生ID(sid),每门课程成绩都有可能被录入。如果学生的两门课程成绩都已经有记录,则该学生满足输出条件。
数据存储:
使用一个 Map 来存储学生数据,键是学生ID,值是学生对象。
学生对象 Student 中包含 sid(学生ID)、score1(第一门课程成绩)、score2(第二门课程成绩),并提供 getTotalScore() 方法来计算该学生两门课程成绩的总和。
课程分组:
对于每个学生,如果该学生两门课程成绩都已录入,则将其按课程ID分组(课程ID由学生ID的前五个字符来决定),并存入一个 Map(课程ID到学生列表的映射)中。
排序:
对每门课程的学生列表按照以下规则进行排序:
按两门课程的总成绩(score1 + score2)降序排序。
如果总成绩相同,则按学生ID字典序升序排序。
输出结果:
对每个课程,按课程ID升序输出,接着输出该课程下按排序规则排列的学生ID列表。如果没有符合条件的学生,输出 “NULL”
import java.util.*;
public class Main {
static class Student {
String sid;
int score1 = -1;
int score2 = -1;
public int getTotalScore() {
return score1 + score2;
}
}
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
String s1 = scanner.nextLine();
String s2 = scanner.nextLine();
findCommonStudents(s1, s2);
}
private static void findCommonStudents(String s1, String s2) {
Map<String, Student> students = new HashMap<>();
processInput(s1, students, 1);
processInput(s2, students, 2);
Map<String, List<Student>> classMap = new TreeMap<>();
for (Student student : students.values()) {
if (student.score1 != -1 && student.score2 != -1) {
String classId = student.sid.substring(0, 5);
classMap.putIfAbsent(classId, new ArrayList<>());
classMap.get(classId).add(student);
}
}
if (classMap.isEmpty()) {
System.out.println("NULL");
} else {
for (String classId : classMap.keySet()) {
System.out.println(classId);
List<Student> classStudents = classMap.get(classId);
classStudents.sort((a, b) -> {
int compare = Integer.compare(b.getTotalScore(), a.getTotalScore());
return compare != 0 ? compare : a.sid.compareTo(b.sid);
});
StringJoiner sj = new StringJoiner(";");
for (Student student : classStudents) {
sj.add(student.sid);
}
System.out.println(sj);
}
}
}
private static void processInput(String input, Map<String, Student> students, int courseId) {
for (String entry : input.split(";")) {
String[] parts = entry.split(",");
String sid = parts[0];
int score = Integer.parseInt(parts[1]);
students.putIfAbsent(sid, new Student());
Student student = students.get(sid);
student.sid = sid;
if (courseId == 1) {
student.score1 = score;
} else {
student.score2 = score;
}
}
}
}
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
评论记录:
回复评论: