我有一个包含许多行的文本文件,例如
约翰:学生:商业
可以:讲师:数学
鲍勃:学生:数学
如何将它们拆分并存储在不同的矢量中,例如:
vector1:john,may,bob
vector2:学生,讲师,学生
vector3:商业,数学,数学
我目前的代码是:
ifstream readDetails(argv[1]);
while (getline (readEvents, line, ':')){
cout << line << endl;
}
它只会将字符串拆分,但我想不出任何方法来分隔字符串并将它们存储到矢量中。
答案 0 :(得分:0)
您可以创建矢量矢量并使用令牌索引进行播放。
如果流有时可以使用较少的令牌,则需要处理该情况。
node* temp = head;
while (head != NULL) {
if (head->next->number == 4) {
delete temp;
}
head = head->next;
}
答案 1 :(得分:0)
这可以使用嵌套向量(也称为2D向量)和嵌套循环来完成。外部循环用于将输入分成行,内部循环用于分割每行的标记,这些标记由':'
分隔。
#include <string>
#include <sstream>
#include <vector>
int main()
{
std::istringstream in{
"john:student:business\n"
"may:lecturer:math\n"
"bob:student:math"
};
std::vector< std::vector< std::string > > v{ 3 }; // Number of tokens per line
std::string line;
// Loop over the lines
while( std::getline( in, line ) ) {
std::istringstream lineStrm{ line };
// Loop to split the tokens of the current line
for( auto& col : v ) {
std::string token;
std::getline( lineStrm, token, ':' );
col.push_back( token );
}
}
}
答案 2 :(得分:0)
创建字符串向量并相应地存储数据。不使用std::istringstream
,您基本上可以利用String类附带的substr()
和find()
,因此:
#include <iostream>
#include <string>
#include <fstream>
#include <vector>
using namespace std;
int main ()
{
ifstream inFile("data.txt");
string line;
vector<string> vStr1,vStr2, vStr3;
while( std::getline( inFile, line ) ){
string::size_type idx1 = line.find(":");
string::size_type idx2 = line.rfind(":");
vStr1.push_back(line.substr(0,idx1));
vStr2.push_back(line.substr(idx1+1,idx2-idx1-1));
vStr3.push_back(line.substr(idx2+1));
}
cout << "vector1: ";
for(int i(0); i < vStr1.size(); ++i ){
cout << vStr1[i] << " ";
}
cout << endl;
cout << "vector2: ";
for(int i(0); i < vStr2.size(); ++i ){
cout << vStr2[i] << " ";
}
cout << endl;
cout << "vector3: ";
for(int i(0); i < vStr3.size(); ++i ){
cout << vStr3[i] << " ";
}
cout << endl;
return 0;
}
结果是
vector1: john may bob
vector2: student lecturer student
vector3: business math math