我似乎无法在这里发现错误,其他文章对错误的答案有点模糊,所以这是我的。我收到此错误,我认为它与它试图打开的文件有关。我发布了整个.cpp文件,因为我不确定错误源自何处。
#include <iostream>
#include <iomanip>
#include <fstream>
using namespace std;
int openFiles(ifstream inFile, ofstream outFile)
{
inFile.open("finalin.dat");
outFile.open("finalout.dat");
outFile << fixed << showpoint << setprecision(2);
inFile >> fixed >> showpoint >> setprecision(2);
if (!inFile||!outFile)
{
cout << "Problem opening file.";
}
}
void initialize(int countFemale,int countMale,float sumFemaleGPA,float sumMaleGPA)
{
countFemale=0;
countMale=0;
sumFemaleGPA=0;
sumMaleGPA=0;
}
int sumGrades(ifstream inFile, float sumFemaleGPA, float sumMaleGPA,int m,int f)
{
if (!inFile)
{
inFile.open("finalin.dat");
}
char sex;
float grade;
while(!inFile.eof())
{
inFile >> sex >> grade;
switch (sex)
{
case 'f': (sumFemaleGPA + grade);
f++;
break;
case 'm': (sumMaleGPA + grade);
m++;
break;
}
}
}
int averageGPA(float avgfGPA, float avgmGPA, int m, int f, float sumFemaleGPA, float sumMaleGPA)
{
avgfGPA=sumFemaleGPA/f;
avgmGPA=sumMaleGPA/m;
}
int printResults(float avgfGPA, float avgmGPA, ofstream outFile)
{
cout <<"The average GPA of the female students is: "<< avgfGPA << endl;
cout <<"The average GPA of the male students is: "<< avgmGPA;
outFile << "The average GPA of the female students is: "<< avgfGPA << endl;
outFile <<"The average GPA of the male students is: "<< avgmGPA;
}
int main()
{
int countFemale;
int countMale;
float sumFemaleGPA;
float sumMaleGPA;
float avgfGPA;
float avgmGPA;
ifstream inFile;
ofstream outFile;
openFiles(inFile,outFile);
initialize(countFemale,countMale,sumFemaleGPA,sumMaleGPA);
sumGrades(inFile,sumFemaleGPA,sumMaleGPA,countMale,countFemale);
averageGPA(avgfGPA,avgmGPA,countMale,countFemale,sumFemaleGPA,sumMaleGPA);
printResults(avgfGPA,avgmGPA, outFile);
}
另外,我意识到有5个这样的功能有点混乱,但这就是我们的教授要求它,因为我们也要展示我们的功能知识。
答案 0 :(得分:6)
问题是你不能按值传递流,你必须通过引用或指针传递它们。在每个函数参数定义中,在以下流之后添加&
:
int printResults(float avgfGPA, float avgmGPA, ofstream& outFile)
而不是
int printResults(float avgfGPA, float avgmGPA, ofstream outFile)
编辑:
您的初始化不会执行任何操作,因为它按值进行参数化。你需要通过引用来获取它们才能修改源代码,使用
void initialize(int &countFemale,int &countMale,float &sumFemaleGPA,float &sumMaleGPA)
而不是
void initialize(int countFemale,int countMale,float sumFemaleGPA,float sumMaleGPA)
并且警告应该消失。