返回并调用动态字符串数组

时间:2013-03-18 11:47:55

标签: c++ string function vector

我创建了一个类:

    Data::Data(char szFileName[MAX_PATH]) {

    string sIn;
    int i = 1;

    ifstream infile;
    infile.open(szFileName);
    infile.seekg(0,ios::beg);

    std::vector<std::string> fileRows;
    while ( getline(infile,sIn ) )
    {
      fileRows.push_back(sIn);
    }
}

之后我创建了这个:

std::vector<std::string> Data::fileContent(){
        return fileRows;
}

之后我想在某处调用fileContent(),如下所示:

Data name(szFileName);
MessageBox(hwnd, name.fileContent().at(0).c_str() , "About", MB_OK);

但这不起作用......如何称呼它?

2 个答案:

答案 0 :(得分:2)

std::vector<std::string> fileRows;
while ( getline(infile,sIn ) )
{
   fileRows.push_back(sIn);
}

不起作用,因为一旦构造函数结束fileRows被销毁,你就会在构造函数中声明fileRows。

您需要做的是将fileRows声明移到构造函数之外并使其成为类成员:

class Data
{
...

   std::vector<std::string> fileRows;
};

然后它将由该类中的所有函数共享。

答案 1 :(得分:1)

你可以这样做:

#include <string>
#include <vector>

class Data
{
public:
  Data(const std::string& FileName)  // use std::string instead of char array
  {
     // load data to fileRows
  }

  std::string fileContent(int index) const  // and you may don't want to return a copy of fiileRows
  {
      return fileRows.at(index);
  }

private:
    std::vector<std::string> fileRows;
};