我正在尝试标记字符串。我正在处理的字符串具有以下格式:
name,city,major,color,hobbies,age.
我正在使用下面的代码来做到这一点。 temp是一个字符串。
cin>>command;
vector <string> tokens;
stringstream check(command);
string middle;
while(getline(check, intermediate, ','))
{
tokens.push_back(intermidiate);
}
for(int i = 0; i<tokens.size(); i++)
{
cout << tokens[i] <<endl;
}
temp = tokens[1];
cout<<temp;
我试图将字符串的向量解析成一个字符串,但是当我尝试这样做时,程序崩溃了……
是否可以将其解析为一个字符串,还是应该完全尝试其他方法?
答案 0 :(得分:0)
您无需检查是否访问了向量中的有效元素。因此,您可能会越界。为防止这种情况,请将代码结尾替换为:
cout << tokens.size() << " elements:"<<endl;
if (tokens.size()>1)
temp = tokens[1];
else temp = "Second element not found";
cout<<temp;
此外,您读取命令的方式将在第一个空格分隔符处停止读取:
cin>>command; //entering "hello world" would cause command to be "hello"
为了确保您的字符串不会以这种意外的方式缩短,您可以考虑使用getline()
代替:
getline (cin,command);
注意:术语 parse 具有误导性。我知道您只想提取数组的一个特定值。但是,如果要将多个向量元素连接到一个字符串中,则需要做更多的事情。
string tmp;
for (auto const& x:tokens)
tmp += x+" ";
cout << tmp<<endl;