I have a function Readf I'm trying to call to fill in an array inside each constructor, I tried only with the default constructor with a code statement ReadF(cap,*point,counter);.
The second argument is what's giving me a problem in figuring out, I would get an error with '&' beside it or ' '. And I get an external error with the '*', I'm still new to c++ so I'm not experienced in dealing with classes.
I have to use the ReadF member function, are there other ways instead of calling it to get the results I need.
Also some of the code for the functions I have might not be perfect, but I would like to deal with this problem first before I move on to another.
array.h:
#include <iostream>
#include <string>
#include <fstream>
using namespace std;
class AR {
public:
    AR();
    AR(int);
    AR(const AR&);
    //~AR();
    void ReadF(const int, string&, int);   
    AR& operator=(const AR&);
    friend ostream& operator<<(ostream&, AR&);
    friend ifstream & operator>>(ifstream&, AR&);
private:
    string* point;
    int counter;
    int cap;
};
array.cpp:
#include "array.h"
AR::AR() {
    counter = 0;
    cap = 2;
    point = new string[cap];
}
AR::AR(int no_of_cells) {
    counter = 0;
    cap = no_of_cells;
    point = new string[cap];
}
AR::AR(const AR& Original) {
    counter = Original.counter;
    cap = Original.cap;
    point = new string[cap];
    for(int i=0; i<counter; i++) {
        point[i] =Original.point[i];
    }
}
// AR::~AR() {
//  delete [ ]point;
//}
ostream& operator<<(ostream& out, AR& Original) {
    cout << "operator<< has been invoked\n";
    for (int i=0; i< Original.counter; i++) {
        out << "point[" << i <<"] = " << Original.point[i] << endl;
    }
    return out;
}
AR& AR::operator=(const AR& rhs) {
    cout << "operator= invoked\n";
    if (this == &rhs)
        return *this;
    point = rhs.point;
    return *this;
}
void ReadF(const int neocap, string& neopoint, int neocounter) {
    ifstream in;
    in.open("sample_strings.txt"); //ifstream in;  in.open("sample_data.txt");
    if (in.fail())
        cout<<"sample_data not opened correctly"<<endl;
    while(!in.eof() && neocounter < neocap) {
        in >> neopoint[neocounter];
        neocounter++;
    }
    in.close();
}
ifstream& operator>>(ifstream& in, AR& Original) {
    Original.counter = 0;
    while(!in.eof() && Original.counter < Original.cap) {
        in >> Original.point[Original.counter];
        (Original.counter)++;
    }
    return in;
}
 
     
    