我正在创建一个程序,该程序应该逐行读取文本文件(例如dog,buddy ,, 125 ,,, cat ,,,等...)并基于逗号解析它。这是我到目前为止所做的,但是当我运行它时,没有任何反应。我不完全确定我做错了什么,而且我对更高级别的概念还是比较陌生的。
#include <iostream>
#include <fstream>
#include <string>
#include <iomanip>
#include <cstdlib>
#include <sstream>
#include <vector>
using namespace std;
int main()
{
std::ifstream file_("file.txt"); //open file
std::string line_; //declare line_ as a string
std::stringstream ss(line_); //using line as stringstream
vector<string> result; //declaring vector result
while (file_.is_open() && ss.good())
{ //while the file is open and stringstream is good
std::string substr; //declares substr as a string
getline( ss, substr, ',' ); //getting the stringstream line_ and substr and parsing
result.push_back(substr);
}
return 0;
}
答案 0 :(得分:1)
您是否忘记添加std::getline(file_, line_);
之类的行? file_
根本没有被阅读,line_
在它被宣布为空时被立即放入ss
。
我不确定您为什么检查file_
是否在循环条件下打开,因为除非您关闭它,否则它将始终打开。
据我所知,使用good()
作为循环条件并不是一个好主意。只有在第一次尝试读取超过文件末尾的时候才会设置标志(如果你在点击分隔符的时候读到了文件的末尾,它就不会被设置),所以如果有的话在文件末尾的逗号循环将运行一次额外的时间。相反,你应该在提取之后和使用提取结果之前以某种方式进行标记检查。一种简单的方法是只使用getline()
调用作为循环条件,因为函数返回流本身,当转换为bool时等效于!ss.fail()
。这样,如果在没有提取任何字符的情况下到达文件的末尾,则循环将不会执行。
顺便说一句,像//declaring vector result
这样的评论几乎没用,因为它没有提供您从代码中轻易看到的有用信息。
我的代码:
#include <iostream>
#include <fstream>
#include <vector>
#include <sstream>
int main()
{
std::ifstream file("input.txt");
std::string line, word;
std::vector<std::vector<string>> result; //result[i][j] = the jth word in the input of the ith line
while(std::getline(file, line))
{
std::stringstream ss(line);
result.emplace_back();
while(std::getline(ss, word, ','))
{
result.back().push_back(word);
}
}
//printing results
for(auto &i : result)
{
for(auto &j : i)
{
std::cout << j << ' ';
}
std::cout << '\n';
}
}