-
Notifications
You must be signed in to change notification settings - Fork 47
Expand file tree
/
Copy pathStudent.java
More file actions
88 lines (71 loc) · 2.51 KB
/
Student.java
File metadata and controls
88 lines (71 loc) · 2.51 KB
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
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
package io.zipcoder;
import java.util.ArrayList;
import java.util.Arrays;
// this is a blueprint in case we want multiple students
public class Student implements Comparable<Student>{
// declaring variables
String firstName;
String lastName;
ArrayList<Double> examScores;
public Student(String firstName, String lastName, ArrayList<Double> examScores){
// assigning parameter variables to the object "Student" in line 13
this.firstName = firstName;
this.lastName = lastName;
this.examScores = examScores;
}
public Student(String firstName, String lastName, Double[] testScores){
this.firstName = firstName;
this.lastName = lastName;
// this converts an array to an arrayList
this.examScores = new ArrayList<>(Arrays.asList(testScores));
}
public String getFirstName() {
return firstName;
}
public String getLastName() {
return lastName;
}
public void setFirstName(String firstName) {
this.firstName = firstName;
}
public void setLastName(String lastName) {
this.lastName = lastName;
}
public int getNumberOfExamsTaken(){
return examScores.size();
}
public String getExamScores(){
String output = " Exam Scores:\n";
for (int i = 0; i < examScores.size(); i++) {
output += " \t" + "Exam " + (i+1) + " -> " + Math.round(examScores.get(i));
// if i is not equal to the index of last element than make a new line,
// otherwise if its the last index dont go to the next line.
if (i != examScores.size()-1) {
output += "\n";
}
}
return output;
}
public void addExamScore(double newScore) {
examScores.add(newScore);
}
public void setExamScore(int examNum, double newScoreOnExam){
examScores.set(examNum, newScoreOnExam);
}
public Double getAverageExamScore() {
Double totalExams = 0.0;
for (int i = 0; i < getNumberOfExamsTaken(); i++) {
totalExams += examScores.get(i);
}
return totalExams / getNumberOfExamsTaken();
}
@Override
public String toString(){
return "Student Name: " + getFirstName() + " " + getLastName() + "\n" +
"> Average Score: " + getAverageExamScore() + "\n>" + getExamScores();
}
@Override
public int compareTo(Student o) {
return Double.compare(this.getAverageExamScore(), o.getAverageExamScore());
}
}