免责声明:我是一个非常早期的学生,正在努力学习java。如果我遗漏了什么重要的信息,请告诉我。
我正在编写一个程序,提示用户对链表进行各种操作(添加,删除,更改值等),但不是存储字符串或一些原始数据类型,而是存储类型为Student的对象(基本上包含学生名称的字符串和测试分数的整数),并且卡住了如何找到最大测试分数,因为我不能找到最高的学生。
你可以有两个变量,一个作为currentScore,另一个作为newScore。然后遍历每个学生对象,获取测试值,然后进行比较。如果新分数较低,那就保持当前状态。如果新分数更高,则用新分数替换当前分数,并继续遍历。当您遍历列表时,您的得分最高
您可以按照描述的其他答案遍历列表,也可以使用Collections。最大的方法。要使用此方法,您的Student类应该实现可兼容的接口。
public class Student implements Comparable<Student>
,你需要添加compareTo方法到类:
@Override
public int compareTo(Student student)
{
if (this.score > student.score)
{
return 1;
}
if (this.score < student.score)
{
return -1;
}
else
{
return 0;
}
}
现在,当你写Collections.max(list)
时,你会得到得分最高的学生。
我编写了一个简单的程序来匹配您的情况。
主类:
import java.util.*;
import java.lang.Math;
public class FindHighestScore
{
public static void main(String[] args)
{
LinkedList<Student> studentLinkedlist = new LinkedList<Student>();
studentLinkedlist.add(new Student("John",1)); // Adding 5 students for testing
studentLinkedlist.add(new Student("Jason",5));
studentLinkedlist.add(new Student("Myles",6));
studentLinkedlist.add(new Student("Peter",10)); // Peter has the highest score
studentLinkedlist.add(new Student("Kate",4));
int temp = 0; // To store the store temporary for compare purpose
int position = 0; // To store the position of the highest score student
for(int i = 0; i < studentLinkedlist.size(); i ++){
if(studentLinkedlist.get(i).getScore() > temp){
temp = studentLinkedlist.get(i).getScore();
position = i;
}
}
System.out.println("Highest score is: " + studentLinkedlist.get(position).getName());
System.out.println("Score: " + studentLinkedlist.get(position).getScore());
}
}
学生构造函数类:
public class Student
{
String name;
int score;
Student(){
}
Student(String name, int score){
this.name = name;
this.score = score;
}
String getName(){
return this.name;
}
int getScore(){
return this.score;
}
}
上述程序产生的结果如下:
Highest score is: Peter
Score: 10