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.