I have a .txt
file that stores student names along with two of their best marks. If a student for some reason, i.e. dropping out of course, fails to pass a course, then no marks are recorded.
My file looks like this
Samuel= 90.5, 95.9
Bill= 25.2, 45.3
Tim
Anthony= 99.9, 12.5
Mark
Rob
Basically, Tim
, Mark
and Rob
failed the course and hence their marks are not stored. Also to differentiate between a failed mark and a pass mark, I have used the =
symbol. Basically, I want to store all the names into memory alongside their associated values.
This is my implementation, however it is flawed in the sense that I have declared a double *marks[2]
array to store all six marks, when clearly it will only store 3. I am having trouble storing the values into the double
array.
This is my code...
istream& operator>> (istream& is, Students& student)
{
student.names = new char*[6];
for (int i=0; i<10; i++)
{
student.names[i] = new char[256];
student.marks[i] = new double[2];
is.getline(student.names[i], sizeof(student.names));
for (int j=0; j < 256; j++)
{
if((student.names[i][j] == '='))
{
int newPos = j + 1;
for (int k = newPos; k < 256; k++)
{
student.names[i][k - newPos] = student.names[k];
}
}
}
}
}
How can I go about storing the values of the students with the valid marks? Please, no use of vectors
or stringstreams
, just pure C/C++ char arrays
You have a few options, you could use a
struct
like soAnd then stick that into something like
std::vector<Record>
or an array of them likeYou could also keep three different arrays (either automatically allocated or dynamically allocated or even
std::vector
), one to hold the name, two to hold the marks.In each case you would just indicate a fail by some thing like the marks being zero.
Also, you can use
And this will parse the input like you want it to for a single line. Once you've done that you can wrap the whole thing in a loop while sticking the values you get into some sort of data structure that I already described.
Hope that gives you a few ideas on where to go!