我正在尝试编写名为student.h
的 C ++ 类定义,它将从用户定义的输入文件中读取等级,并将等级写入输出文件
由用户定义。这是我到目前为止,但我收到此错误,我不知道如何解决它。我想知道是否有人可以帮我解决这个问题:
#include <iostream>
#include <stdlib.h>
#include <stdio.h>
#include <string>
#include <fstream>
using namespace std;
class student {
private:
int id;
int n; // no of- grades
int A[200]; // array to hold the grades
public:
student(void); // constructor
void READ(void); // to read from a file to be prompted by user;
void PRINT(void); // to write into an output file
void showStudent(); //show the three attributes
void REVERSE_PRINT(void); // to write into output file in reverse order;
double GPA(void); // interface to get the GPA
double FAIL_NUMBER(void); //interface to get the number of fails
};
void student::READ()
{
ifstream inFile;
ofstream outFile;
string fileName;
cout << "Input the name of your file" << endl;
cin >> fileName;
inFile.open(fileName.c_str());
if (inFile.fail()) {
cout << fileName << "does not exist!" << endl;
}
else
{
int x;
inFile >> x;
while (inFile.good())
{
for(int i=0;i<200;i++)
{
A[i]=x;
}
inFile >> x;
}
inFile.close();
}
}
int main()
{
student a();
a.READ(); //Line 56
}
这是我编译代码时得到的语法:
1>------ Build started: Project: New Project, Configuration: Debug Win32 ------
1> Main.cpp
1>c:\users\randy\documents\visual studio 2012\projects\new project\new project\main.cpp(56): error C2228: left of '.READ' must have class/struct/union
========== Build: 0 succeeded, 1 failed, 0 up-to-date, 0 skipped ==========
答案 0 :(得分:6)
这就是所谓的most vexing parse:
student a();
^^
这真的是一个函数声明,你需要的是:
student a;
或在 C ++ 11 中,您可以使用uniform initialization:
student a{};
问题是 C ++ 语法存在歧义,所以任何可以解释为函数声明的东西都是。 draft C++ standard中的6.8
歧义解决方案部分对此进行了介绍。
这是使用第二个编译器可以提供帮助的情况之一,clang
实际上会立即发现问题( live exmaple ),给出的警告如下:
warning: empty parentheses interpreted as a function declaration [-Wvexing-parse]
student a();
^~
note: remove parentheses to declare a variable
student a();
^~
在我对Online C++ compiler and evaluator的回答中,我几乎涵盖了所有在线C ++编译器,我发现在多个编译器中运行代码很有帮助。
更新
根据您的评论,如果您未提供default constructor的实施,则会收到错误,这是实施该实施的一种可能方式,但您需要确定适当的默认值:< / p>
student::student() : id(-1), n(0) {}