#include <iostream> using namespace std; class Student { string name; float score; static int total; int Student (const char n, float s) { name = n; total += s; return 0; } }; int main() { int
时间: 2024-02-14 11:06:26 浏览: 77
#include <iostream>
这个程序有几个错误:
1. 在类Student中的构造函数应该是public而不是private。
2. 构造函数的参数应该是string类型而不是const char类型。
3. total是一个静态变量,应该在类外进行初始化和定义。
4. 在构造函数中,total应该累加的是1而不是分数s。
改正后的程序如下所示:
```
#include <iostream>
using namespace std;
class Student {
private:
string name;
float score;
static int total;
public:
Student(string n, float s) {
name = n;
score = s;
total++;
}
static void showTotal() {
cout << "Total: " << total << endl;
}
};
int Student::total = 0;
int main() {
Student s1("Tom", 90);
Student s2("Jerry", 85);
Student s3("Lucy", 95);
Student::showTotal();
return 0;
}
```
这个程序中,构造函数已经声明为public,同时构造函数的参数也已经改为了string类型。total被定义为一个静态变量,并在类外进行了初始化。在构造函数中,total累加的是1而不是分数s。最后在main函数中调用了静态函数showTotal()来输出总人数。
阅读全文