22.4k views
3 votes
write java code for below description: class is the Student class. It has three instance variables which include the student name, credit hours earned and quality points. At a minimum, it should have following methods:  A constructor that allows the student’s name, credit hours and quality points to be initialized.  A method named gpa that returns the student’s grade point average, which is computed as the quotient of the quality points and credit hours  A method eligibleForHonorSociety that returns whether a student’s gpa exceeds the threshold for honor society membership, which applies to all students  A toString method that returns a string containing the student name and grade point average  A class (static) method setGpaThreshold that sets the minimum gpa threshold for honor society membership

User Terel
by
8.4k points

1 Answer

6 votes
Here's an example Java code that implements the Student class according to the provided description:

```java
public class Student {
private String name;
private int creditHours;
private double qualityPoints;
private static double gpaThreshold;

public Student(String name, int creditHours, double qualityPoints) {
this.name = name;
this.creditHours = creditHours;
this.qualityPoints = qualityPoints;
}

public double gpa() {
return qualityPoints / creditHours;
}

public boolean eligibleForHonorSociety() {
return gpa() > gpaThreshold;
}

public String toString() {
return "Name: " + name + ", GPA: " + gpa();
}

public static void setGpaThreshold(double threshold) {
gpaThreshold = threshold;
}
}
```

In this code, the Student class has the required instance variables: name, creditHours, and qualityPoints. The constructor initializes these variables. The `gpa()` method calculates and returns the grade point average by dividing quality points by credit hours. The `eligibleForHonorSociety()` method checks if the student's GPA exceeds the threshold for honor society membership. The `toString()` method returns a string representation of the student's name and GPA. The `setGpaThreshold()` method is a static method that sets the minimum GPA threshold for honor society membership.

You can then create instances of the Student class and use its methods like this:

```java
public class Main {
public static void main(String[] args) {
Student.setGpaThreshold(3.5); // Set the GPA threshold for honor society membership

Student student1 = new Student("John Doe", 45, 135.5);
System.out.println(student1.toString());
System.out.println("Eligible for Honor Society: " + student1.eligibleForHonorSociety());

Student student2 = new Student("Jane Smith", 60, 192.0);
System.out.println(student2.toString());
System.out.println("Eligible for Honor Society: " + student2.eligibleForHonorSociety());
}
}
```

This code demonstrates how to create instances of the Student class, set the GPA threshold, and display the student's information and eligibility for the honor society.
User Forepick
by
8.4k points