0

我需要读取以这种方式构造的 txt 文件

0,2,P,B
1,3,K,W
4,6,N,B
etc.

现在我需要读入像 arr[X][4] 这样的数组
。问题是我不知道这个文件中的行数。
另外我需要2个整数和2个字符......

我想我可以用这个代码示例阅读它

ifstream f("file.txt");
while(f.good()) {
  getline(f, bu[a], ',');
}

显然,这只向您展示了我认为我可以使用的东西....但我愿意接受任何建议

提前谢谢我的英语

4

1 回答 1

5

定义一个简单struct的来表示文件中的一行并使用其中vector的一个struct。使用 avector可以避免显式管理动态分配,并且会根据需要增长。

例如:

struct my_line
{
    int first_number;
    int second_number;
    char first_char;
    char second_char;

    // Default copy constructor and assignment operator
    // are correct.
};

std::vector<my_line> lines_from_file;

Read the lines in full and then split them as the posted code would allow 5 comma separated fields on a line for example, when only 4 is expected:

std::string line;
while (std::getline(f, line))
{
    // Process 'line' and construct a new 'my_line' instance
    // if 'line' was in a valid format.
    struct my_line current_line;

    // There are several options for reading formatted text:
    //  - std::sscanf()
    //  - boost::split()
    //  - istringstream
    //
    if (4 == std::sscanf(line.c_str(),
                         "%d,%d,%c,%c",
                         &current_line.first_number,
                         &current_line.second_number,
                         &current_line.first_char,
                         &current_line.second_char))
    {
        // Append.
        lines_from_file.push_back(current_line);
    }

}
于 2012-09-17T10:31:20.607 回答