2

main() では問題なくアクセスできますが、別のクラス内の 1 つのクラスのメンバー関数にアクセスできません。私は物事を切り替えようとしていますが、何が間違っているのか理解できません。どんな助けでも大歓迎です。

エラーを生成する行は次のとおりです。

cout << "\n\nRetrieve key from inside Envelope class: " << e.getData() << "\n\n";

コードは次のとおりです。

class Record{
  private:
    string key;
  public:
    Record(){ key = ""; }
    Record(string input){ key = input; }
    string getData(){ return key; }
    Record operator= (string input) { key = input; }
};

template<class recClass>
class Envelope{
  private:
    recClass * data;
    int size;

  public:
    Envelope(int inputSize){
      data = new recClass[inputSize];
      size = 0;
    }
    ~Envelope(){ delete[] data; }
    void insert(const recClass& e){
      data[size] = e;
      cout << "\n\nRetrieve key from inside Envelope class: " << e.getData() << "\n\n";
      ++size;
    }
    string getRecordData(int index){ return data[index].getData(); }
};

int main(){

  Record newRecord("test");
  cout << "\n\nRetrieve key directly from Record class: " << newRecord.getData() << "\n\n";

  Envelope<Record> * newEnvelope = new Envelope<Record>(5);
  newEnvelope->insert(newRecord);
  cout << "\n\nRetrieve key through Envelope class: " << newEnvelope->getRecordData(0) << "\n\n";

  delete newEnvelope;
  cout << "\n\n";
  return 0;
}
4

2 に答える 2

6

e定数参照として渡していますvoid insert(const recClass& e){
そして、定数getData()として宣言されていないメソッド ( ) を呼び出しています。

getData()次のように書き換えることで修正できます。

string getData() const{ return key; }
于 2013-02-08T01:47:45.837 に答える
5

コンテキストから呼び出せるようgetData()に宣言する必要があります。あなたの関数は を取るので、これを で行いたい:constconstinsertconst recClass& eRecord

string getData() const { return key; }
于 2013-02-08T01:48:20.900 に答える