使用矢量将文本文件中的输入存储到 2D 数组中

storing input from text file into 2d array using vectors

本文关键字:输入 存储 数组 2D 文件 文本      更新时间:2023-10-16

因此,我需要将文本文件中的数据存储到2d数组中。我尝试使用矢量。因此,以下是文本文件中的示例数据:

START  13
PID   11 
CORE 120
SSD 0
CORE 60
SSD 0
CORE 20
SSD 0

我想将此数据存储为 final_vec[x][y]。这是我尝试过的:

void read_file(const string &fname) {
ifstream in_file(fname);
string line;
vector<string> temp_vec;
vector<vector<string>> final_vec;
while ( getline (in_file,line) )
{
stringstream ss(line);
string value;
while(ss >> value)
{
temp_vec.push_back(value);
}
final_vec.push_back(temp_vec);
}
for (int i = 0; i < final_vec.size(); i++) { 
for (int j = 0; j < final_vec[i].size(); j++) 
cout << final_vec[i][j] << " "; 
cout << endl; 
} 
}
int main()
{
read_file("test.txt");
return 0;
}

我收到错误:

main.cpp: In function ‘void read_file(const string&)’:
main.cpp:29:29: error: variable ‘std::stringstream ss’ has initializer but incomplete type
stringstream ss(line);

我不确定我是否走在正确的轨道上。

恕我直言,更好的解决方案是将每行建模为记录,并带有structclass

struct Record
{
std::string label;
int         number;
friend std::istream& operator>>(std::istream& input, Record& r);
};
std::istream& operator>>(std::istream& input, Record& r)
{
input >> r.label;
input >> r.number;
return input;
}

重载operator>>使输入循环简单得多:

std::vector<Record> database;
Record r;
while (infile >> r)
{
database.push_back(r);
}

上面的代码没有两种不同类型的 2D 向量,而是使用结构的一维向量。