我有一个名为“ Sample.csv”的.csv文件,看起来像这样
0 60
1 61
2 62
3 63
我正在尝试将第一列读取为小时(int),将第二列读取为温度(double)。 我将小时和温度设置为称为“读数”的结构,并有一个由这些读数组成的矢量,称为“温度”。 当我运行程序时,它不返回任何内容,临时文件的大小为0。
我知道正在读取csv文件,因为我的错误消息没有弹出,并且在播放它时我得到一次返回“ 0,0”的信息。
struct Reading {
int hour;
double temperature;
};
vector<Reading> temps;
int main() {
int hour;
double temperature;
ifstream ist("Sample.csv");
if (!ist) {
cerr << "Unable to open file data file";
exit(1); // call system to stop
}
while (ist >> hour >> temperature) {
if(hour < 0 || 23 < hour) error("hour out of range");
temps.push_back(Reading{hour,temperature});
}
for (int i=0;i<temps.size();++i){
cout<<temps[i].hour<<", "<<temps[i].temperature<<endl;
}
cout<<temps.size();
ist.close();
}
我期望:
0, 60
1, 61
2, 62
3, 63
4
我的实际输出是:
0
答案 0 :(得分:0)
通过更正两个括号的位置,代码可以产生预期的结果:
#include <iostream>
#include <fstream>
#include <sstream>
#include <cerrno>
#include <vector>
using namespace std;
struct Reading {
int hour;
double temperature;
};
vector<Reading> temps;
int main()
{
int hour;
double temperature;
ifstream ist("Sample.csv");
if (!ist) {
cerr << "Unable to open file data file";
exit(1); // call system to stop
}
while (ist >> hour >> temperature) {
if (hour < 0 || 23 < hour) {
std::cout << "error: hour out of range";
} else {
temps.push_back(Reading{hour, temperature});
}
}
for (int i = 0; i < temps.size(); ++i) {
cout << temps[i].hour << ", " << temps[i].temperature << endl;
}
cout << temps.size();
ist.close();
}
输出
0, 60
1, 61
2, 62
3, 63
4
Process finished with exit code 0