I have been reviewing over this issue for the last 24 hours. I'm fairly new to C++ and, unfamiliar with pointers. I have read over the basics of pointers and how they work (along with structures) but, I don't seem to understand the premise of this question that I am presented with. I declare a structure called Fraction with integers num and den.
In main, declare an array of 20 Fraction pointers called fracPtrs, all initialized to 0, and initialize the size of the array (how many created so far) to 0.
I have a hard time understanding what it really means. At first I tried this:
1 2 3 4
|
Fraction *fracPtrs[20];
// Then, I used a for loop to initialize all values(num and den) to 0.
// I also did this, inside the for loop.
fracPtrs[i] = NULL; // Initializing all pointers to NULL, or so I hoped?
|
There was a run time error. After a little more work, I have come down to this :
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24
|
#include <iostream>
#include <iomanip>
using namespace std;
struct Fraction // A structure for the fraction. Includes the numerator and denominator.
{
int num, den;
};
int main() // Start of the main function.
{
int selectOption; // Store the user selection.
const int SIZE = 20; // Size of the array.
Fraction *fracPtrs; // Declare a fracPtrs pointer of type Fraction.
fracPtrs = new Fraction[SIZE];
for(int i=0; i < SIZE; i++)
{
fracPtrs[i].num = 0;
fracPtrs[i].den = 0;
}
return 0;
}
|
I understand the declaration of the pointer, initially just specifies the type. We then set the pointer to the first address on the heap of the dynamically allocated memory. I don't understand the declaration an array of 20 Fraction pointers all initialized to 0 and then again, initializing the size of the array (ones created ) to 0 ?
Any insight would much appreciated.
Thank you :)