#include <iostream>
#include <string>
#include <time.h>
using namespace std;
class Student
{
private:
string studentName;
int* grades;
int size;
public:
Student()
{
studentName = "John";
size = 0;
grades = nullptr;
}
void setName(string n)
{
studentName = n;
}
void setSize(int s)
{
size = s;
}
string getName()
{
return studentName;
}
int getSize()
{
return size;
}
int* setGrades()
{
grades = new int [getSize()]; // allocates memory for array
for(int x = 0; x < size;x++) // loop to set values
{
grades[x] = (rand() % 100); //from 0 - 100
}
return grades;
}
void displayGrades()
{
int *gradesArr = setGrades();
for (int i = 0; i < size; i++)
{
cout << "Grades: " << gradesArr[i] << endl;
}
}
int getAverage()
{
int average = 0;
for(int i = 0; i < size; i++)
{
average += grades[i] / size;
}
return average;
}
void displayData() // displays name and grade of individual
{
cout << "Name: " << getName() << endl;
displayGrades();
cout << "Average: " << getAverage() << endl;
}
~Student() // releases the array
{
delete[] grades;
}
};
void bubbleSort(Student studentArr[], int tempSize); // protype function
int main()
{
srand(time(0)); //seeds rand
Student *studentArr = nullptr; //array of object Student
int amount;
string tempName;// temp arrayys to set values
int tempSize;
cout << "Enter the amount of students: " << endl;
cin >> amount;
studentArr = new Student[amount]; //allocates array memory
for(int i = 0; i < amount;i++) // asks for usr name and grade
{
cout << "Enter the students name: " << endl;
cin >> tempName;
cout << "Enter how many grades per student: " << endl;
cin >> tempSize;
studentArr[i].setName(tempName); //sets name from temporary variable
studentArr[i].setSize(tempSize);
}
bubbleSort(studentArr, tempSize);
for(int x = 0; x < amount;x++)
{
studentArr[x].displayData(); // displays students and grades
}
delete[] studentArr; //prevents memory leaks
studentArr = nullptr;
return 0;
}
void bubbleSort(Student studentArr[],int tempSize)
{
for (int i = 0; i < tempSize; i++)
{
for (int x = 0; x < tempSize - i - 1; x++)
{
// if element is larget than
if (studentArr[x].getAverage() > studentArr[x + 1].getAverage())
{
// do swap
Student temp = studentArr[x];
studentArr[x] = studentArr[x + 1];
studentArr[x + 1] = temp;
}
}
}
}