#include <iostream>
using namespace std;
/*
1.
为了管理静态成员,c++提供了静态函数,以对外提供接口。
并静态函数只能访问静态成员。
*/
class Student{
public:
Student(int n,int a,float s):num(n),age(a),score(s){}
void total(){
count++;
sum += score;
}
//2.static 函数声明
static float average();
private:
int num;
int age;
float score;
static float sum;
static int count;
};
float Student::sum = 0;
int Student::count = 0;
//3.类名::函数调用
float Student::average(){
return sum/count;
}
int main(){
Student stu[3]= {
Student(1001,14,70),
Student(1002,15,34),
Student(1003,16,90)
};
//3.类对象.函数调用
for(int i=0; i<3; i++){
stu[i].total();
}
cout<<Student::average()<<endl;
return 0;
}
//输出64.67
/*
总结
1,静态成员函数的意义,不在于信息共享,数据沟通,而在于管理静态数据成员,
完成对静态数据成员的封装。
2,静态成员函数只能访问静态数据成员。
原因:非静态成员函数,在调用时 this指
针时被当作参数传进。而静态成员函数属于类,而不属于对象,没有 this 指针。
*/