转载自:http://c.biancheng.net/cpp/biancheng/view/209.html点击打开链接
一般情况下,如果有N个同类的对象,那么每一个对象都分别有自己的成员变量,不同对象的成员变量各自有值,互不相干。但是有时我们希望有某一个或几个成员变量为所有对象共有,这样可以实现数据共享。
可以使用全局变量来达到共享数据的目的。例如在一个程序文件中有多个函数,每一个函数都可以改变全局变量的值,全局变量的值为各函数共享。但是用全局变量的安全性得不到保证,由于在各处都可以自由地修改全局变量的值,很有可能偶然失误,全局变量的值就被修改,导致程序的失败。因此在实际开发中很少使用全局变量。
如果想在同类的多个对象之间实现数据共享,也不要用全局变量,那么可以使用静态成员变量。
class Student{ private: char *name; int age; float score; static int num; //将num定义为静态成员变量 public: Student(char *, int, float); void say(); };
也可以在初始化时赋初值:int Student::num; //初始化
初始化时可以不加 static,但必须要有数据类型。被 private、protected、public 修饰的 static 成员变量都可以用这种方式初始化。int Student::num = 10; //初始化同时赋值
类名::成员变量;
例如://通过类来访问 Student::num = 10; //通过对象来访问 Student stu; stu.num = 10;
#include <iostream> using namespace std; class Student{ private: char *name; int age; float score; static int num; //将num定义为静态成员变量 public: Student(char *, int, float); void say(); }; int Student::num = 0; //初始化静态成员变量 Student::Student(char *name, int age, float score){ this->name = name; this->age = age; this->score = score; num++; } void Student::say(){ //在普通成员函数中可以访问静态成员变量 cout<<name<<"的年龄是 "<<age<<",成绩是 "<<score<<"(当前共"<<num<<"名学生)"<<endl; } int main(){ //使用匿名对象 (new Student("小明", 15, 90))->say(); (new Student("李磊", 16, 80))->say(); (new Student("张华", 16, 99))->say(); (new Student("王康", 14, 60))->say(); return 0; }
初始化时可以赋初值,也可以不赋值。如果不赋值,那么会被默认初始化,一般是 0。静态数据区的变量都有默认的初始值,而动态数据区(堆区、栈区)的变量默认是垃圾值。int Student::num = 10;
当然也可以通过对象名调用静态成员函数,如:Student::getNum();
stu.getNum();
#include <iostream> using namespace std; class Student{ private: char *name; int age; float score; static int num; //学生人数 static float total; //总分 public: Student(char *, int, float); void say(); static float getAverage(); //静态成员函数,用来获得平均成绩 }; int Student::num = 0; float Student::total = 0; Student::Student(char *name, int age, float score){ this->name = name; this->age = age; this->score = score; num++; total += score; } void Student::say(){ cout<<name<<"的年龄是 "<<age<<",成绩是 "<<score<<"(当前共"<<num<<"名学生)"<<endl; } float Student::getAverage(){ return total / num; } int main(){ (new Student("小明", 15, 90))->say(); (new Student("李磊", 16, 80))->say(); (new Student("张华", 16, 99))->say(); (new Student("王康", 14, 60))->say(); cout<<"平均成绩为 "<<Student::getAverage()<<endl; return 0; }