我正在尝试阅读名为trajectory.txt
的简单文件(简称如下),如下所示:
true true false
2
我的代码很简单,读入并将前两行存储在某些变量中。
#include <string>
#include <fstream>
#include <sstream>
#include <iostream>
int main(int argc, char** argv)
{
int num_waypoints=0;
bool pos=1, vel=0, acc=0;
std::ifstream file;
std::string filename = "trajectory.txt";
file.open(filename.c_str());
std::string line;
// Read first 2 lines
if (std::getline(file, line)) {
//sstream for each line
std::stringstream ss(line);
//first line
std::string pos_str, vel_str, acc_str;
ss >> pos_str >> vel_str >> acc_str;
//evaluate
(pos_str == "true" ? pos = true : pos = false);
(vel_str == "true" ? vel = true : vel = false);
(acc_str == "true" ? acc = true : acc = false);
//second line
if (std::getline(file, line)) { //GDB confirms, line == "2"
std::string num_waypoints_str;
ss >> num_waypoints_str; //THIS DOES NOTHING?
num_waypoints = stoi(num_waypoints_str);
}
} //main()
问题是,在第二行到最后一行,{string}应该在值中读取后,num_waypoints_str
保持为空。
使用GDB我能够确认字符串流确实具有&#34; 2&#34;的值。但似乎有一个问题,将值指向num_waypoints_str。
因此我只有两个问题:
pos
,还是必须通过评估字符串值来将字符串pos_str
转换为pos
我正在通过g++ -g -std=c++11 main.cpp -o main
进行编译。请尝试复制我的问题。我觉得我错过了一些简单的东西。
答案 0 :(得分:4)
字符串流不会神奇地绑定到您的std::string line;
:
//second line
if (std::getline(file, line)) { //GDB confirms, line == "2"
std::string num_waypoints_str;
ss >> num_waypoints_str; //THIS DOES NOTHING?
num_waypoints = stoi(num_waypoints_str);
ss仍然具有在构造函数中设置的值,远远超过此值。更确切地说:
std :: stringstream的constructor会复制你给它的字符串,它不会绑定它。
如果您不想构建另一个,可以使用std::basic_stringstream::str更新ss的内容。 注意:像其他流一样,字符串流有标志,例如eof,那些也需要重置。所以在你的情况下:
ss.clear();
ss.str(line);
答案 1 :(得分:1)
非常接近答案。您还需要在重新使用之前清除字符串流。
//first use
getline(file, line);
stringstream ss(line);
ss.clear()
//second use
getline(file, line);
ss.str(line);