我有一个包含以下行的文件:
25 1 0 0 0 0
27 1 0 0 0 0
20 0 0 0 0 0
32 1 0 0 0 0
23 1 0 0 0 0
16 0 0 0 0 0
28 1 0 0 0 0
首先,我将第二列中value = 1的每一行存储为字符串数组的元素。我通过for循环调用存储的元素,并将元素的内容解析为整数。如何在c ++中做到这一点?
#include <vector>
#include <iostream>
#include <string>
using namespace std;
.....
.....
.....
.....
char line[100];
vector<string> vec_line;
string Vline;
int trimVal, compa, nil0, nil1, nil2, nil3;
......
......
......
//then store lines as strings in vec_line as required by the premise above
// after that, retrieve the contents of the elements of the vector
for (int iline=0; iline<vec_line.size(); iline++) {
cout<<"iline "<<iline<<" vec_line[iline]";
//then I want to parse contents of each string element and store them integer formats
sscanf(vec_line[iline], "%d %d %d %d %d %d", &trimVal, &compa, &nil0, &nil1, &nil2, &nil3); //how would one do this simple parsing task in c and c++?
}
谢谢。
答案 0 :(得分:2)
sscanf
是一个C函数,因为你已经在使用C ++流输出(并且可能是从文件中读取的?),最好使用stringstream
来转换字符串和数据类型。
例如:
#include <iostream>
#include <sstream>
#include <string>
using namespace std;
int main(int argc, char* argv[])
{
stringstream sstr;
string mystr = "123";
int i;
sstr << mystr;
sstr >> i;
cout << i << endl;
return 0;
}
会将123
输出到stdout。当然,如果您愿意,也可以使用ifstream
运算符直接将>>
读取到int
或double
。
希望这有帮助。
答案 1 :(得分:1)
这是不正确的:
sscanf(vec_line[iline], "%d %d ...
sscanf()
的第一个参数是const char*
,而不是std::string
。改为:
sscanf(vec_line[iline].c_str(), "%d %d ...
建议检查sscanf()
的返回值,以确保完成所有预期的分配:
if (6 == sscanf(vec_line[iline].c_str(), "%d %d ...
答案 2 :(得分:1)
除非我需要将每一行存储为字符串,否则我会做更多这样的事情:
struct row {
static const int columns = 6;
std::vector<int> column_data;
// should we keep or ignore a row? Ignore if column 1 != 1.
struct filter {
bool operator()(row const &r) { return r.column_data[1] != 1; }
};
// read in a row.
friend std::istream &operator>>(std::istream &is, row &r) {
r.column_data.resize(row::columns);
for (int i=0; i<row::columns; i++)
is >> r.columns[i];
return is;
}
// write a row out to a file.
friend std::ostream &operator<<(std::ostream &os, row const &r) {
std::copy(r.column_data.begin(), r.column_data.end(),
std::ostream_iterator<int>(os, " "));
return os;
};
然后阅读和显示数据将如下所示:
std::vector<row> data;
std::remove_copy_if(std::istream_iterator<row>(input_file),
std::istream_iterator<row>(),
std::back_inserter(data),
row::filter());
std::copy(data.begin(), data.end(),
std::ostream_iterator<row>(output_file, "\n"));
或者,如果您只想将某些输入文件中的正确行复制到某个输出文件,则可以使用正确的迭代器直接执行此操作:
std::remove_copy_if(std::istream_iterator<row>(input_file),
std::istream_iterator<row>(),
std::ostream_iterator<row>(output_file),
row::filter());
答案 3 :(得分:0)