Final answer:
The question is about creating a GradeHolder class in C++ that manages a dynamically allocated array for storing test scores, calculating an average, and handling memory cleanly with a destructor. A sample code structure is provided, illustrating class declaration and member function implementation.
Step-by-step explanation:
GradeHolder Class with Dynamic Array
To create a class named GradeHolder that can handle dynamic allocation of an array of test scores, we will first ask the user to input the number of scores they wish to enter. We will ensure that no negative numbers are entered for test scores. The class will include member functions for adding scores, calculating the average, and displaying the results. It will also have a destructor to deal with the dynamic array. Here is an example of what the class might look like in C++:
#include
using namespace std;
class GradeHolder {
private:
int* scores;
int size;
public:
GradeHolder(int numScores) : size(numScores) {
scores = new int[size];
}
~GradeHolder() {
delete[] scores;
}
void addScores() {
for (int i = 0; i < size; ++i) {
do {
cout << "Enter score " << i + 1 << ": ";
cin >> *(scores + i);
} while (*(scores + i) < 0);
}
}
double calculateAverage() const {
double sum = 0;
for (int i = 0; i < size; ++i) {
sum += *(scores + i);
}
return sum / size;
}
void displayScoresAndAverage() const {
cout << "Scores: ";
for (int i = 0; i < size; ++i) {
cout << *(scores + i) << " ";
}
cout << "\\Average: " << calculateAverage() << endl;
}
};
int main() {
int numberOfScores;
cout << "How many test scores will you enter? ";
cin >> numberOfScores;
GradeHolder gh(numberOfScores);
gh.addScores();
gh.displayScoresAndAverage();
return 0;
}
This program includes all required functionalities and employs pointer notation as requested. Note that the input validation is included to ensure that only positive scores are stored in the array.