我必须创建一个从具有两列的.dat文件中读取的程序。我只对一个感兴趣。它有多组120个元素,所以我想将文件分成120个元素的组,并计算每个组的平均值。代码是这样的:
#include<iostream>
#include<fstream>
#include<string>
#include<sstream>
using namespace std;
int i, k=0;
double temp [120];
double tmean, total=0;
int main()
{
ifstream fin ("P01-05 tensione di vapore di riferimento fino 180°C.dat");
if (!fin)
{
cerr << "\nErrore: non si puo aprire il file.\n" << endl;
exit(1);
}
string line;
ofstream fout;
fout.open("tmean.dat", ios::out);
fout << "Tmean" << endl;
while (fin >> std::skipws && !fin.eof())
{
for(i=0; i<120; i++)
{
getline(fin,line);
istringstream ss(line);
double col1;
double col2;
ss >> col1; //col1=TIME
ss >> col2; //col2=TEMPERATURE
temp[i] = col2;
total += temp[i];
k++;
}
tmean = total/k;
fout << tmean << endl;
}
return 0;
}
我编译并执行了它但它不起作用,它就像是一个无限循环。它没有给我任何输出。为什么呢?
答案 0 :(得分:1)
鉴于您是初学者,这里有一些代码显示如何检查您的输入操作是否成功,否则输出一些有用的错误消息以帮助您找到文件中的有问题的行。
注意:
错误消息中的“[i]”值是当前正在读取的“组”中的相对行号,而不是文件开头的绝对行号。
只有群组之间才会接受空白行(std::skipws
会跳过该行)。
对FATAL
使用宏可能会造成混淆:简而言之,只有宏可以接受"i " << i
之类的参数并将它们添加到流操作中。 do {
... } while (false)
事件是包装宏的标准方式,因此它可以在if else
语句中正常工作:如果您感到好奇,可以搜索详细信息。
#include <iostream>
#include <fstream>
#include <string>
#include <sstream>
#define FATAL(MSG) \
do { \
std::cerr << "Errore: " << MSG << '\n'; \
exit(1); \
} while (false)
int main()
{
if (std::ifstream fin{"P01-05 tensione di vapore di riferimento fino 180°C.dat"})
{
if (std::ofstream fout{"tmean.dat"})
{
fout << "Tmean\n";
while (fin >> std::skipws && !fin.eof())
{
const int group_size = 120;
double temp[group_size];
double total = 0;
for (int i=0; i < group_size; ++i)
{
std::string line;
if (getline(fin, line))
{
std::istringstream ss(line);
double time;
if (ss >> time >> temp[i])
total += temp[i];
else
FATAL("unable to parse 2 doubles from line '"
<< line << "' for [" << i << ']');
}
else
// will rarely happen after checking !eof()
FATAL("failed to read needed line from file for ["
<< i << ']');
}
double tmean = total / group_size;
fout << tmean << '\n';
}
}
else
FATAL("could not open output file.");
}
else
FATAL("non si puo aprire il file.");
}