赞
踩
1)所有对象共享同一份数据,不属于某个对象上
两种访问方式:通过对象进行访问,通过类名进行访问
2)在编译阶段分配内存
3)类内声明,类外初始化,静态成员变量也有访问权限 int Person::m_A = 100;
特点:程序共享一个函数,静态成员函数只能访问静态成员变量,不可以访问非静态成员变量
- #include<iostream>
- using namespace std;
- class Person
- {
- public:
- static void func()
- {
- cout << "static void func调用" << endl;
- m_A = 100;
- //m_B = 100;//错误,不可以访问非静态成员变量
- }
- static int m_A;
- int m_B;
- private:
- static void func2()
- {
- cout << "func2调用" << endl;
- }
- };
-
- int Person::m_A = 0;//类内声明,类外初始化!
-
- void test01()
- {
- //1、通过对象访问
- Person p;
- p.func();
-
- //2、通过类名访问
- Person::func();
-
- //Person::func2();//私有权限访问不到
- }
- int main()
- {
- test01();
-
- return 0;
- }
成员变量和成员函数是分开存储的。
只有非静态成员属于类的对象,其他的都不属于。
空对象字节为1。
- #include<iostream>
- using namespace std;
- class Person
- {
- int m_A;//非静态成员变量,属于类的对象上
- static int m_B;//静态成员变量,不属于类的对象上
- void func() {};//非静态成员函数,不属于类的对象上
- static void func2() {}//静态成员函数,不属于类的对象上
-
- };
- void test01()
- {
- Person p;
- //空对象占用内存空间为:1
- //c++编译器会给每个空对象也分配1个字节空间,是为了区分空对象占内存的位置
-
- cout << "size of p " << sizeof(p) << endl;//未初始化 输出字节长度为1
- }
- int main()
- {
- test01();
- return 0;
- }
当形参和成员变量名相同时,可用this指针来区分
在类的非静态成员函数中返回对象本身,可用return *this
- Person& PersonAddAge(Person& p)
- {
- this->age += p.age;
- return *this;
- }
-
-
- //可用来实现第三行代码,反复调用
- Person p1(10);
- Person p2(10);
- p2.PersonAddAge(p1).PersonAddAge(p1).PersonAddAge(p1);
提高代码的健壮性:调用到类成员的函数,判断this指针是否为空,提高代码的健壮性
- #include<iostream>
- using namespace std;
- class Person
- {
- public:
- void showClassName()
- {
- cout << "showClassName函数被调用" << endl;
- }
- void showPersonAge()
- {
- if (this == NULL)//提高代码的健壮性,防止实例化类为空指针无法调用此函数而报错
- {
- cout << "this is NULL" << endl;
- return;
- }
- cout << "age= " << m_Age << endl;//m_Age实际上是this->m_Age
- }
- int m_Age;
- };
- void test01()
- {
- Person* p = NULL;
- p->showClassName();
- p->showPersonAge();
- }
-
- int main()
- {
- test01();
- return 0;
- }
【新知】关键字mutable:特殊变量,即使在常函数中,也可以修改这个值
常函数:
成员函数后加const后我们称这个函数为常函数
常函数内不可修改成员成员属性
成员属性声明时加关键字mutable后,在常函数中依然可以修改
常对象:
声明对象前加const称该对象为常对象
常对象只能调用常函数
- #include<iostream>
- using namespace std;
- class Person
- {
- public:
- //this指针的本质是指针常量 指针的指向是不可以修改的
- //Person * const this;
- void showPerson()const//加上const,this指针所指向的值也不可以修改了
- {
- //m_A = 100;//【报错】表达式必须是可修改的左值
- //this=NULL;//【报错】this指针不可以修改指向
- }
- void func()
- {
-
- }
- int m_A;
- mutable int m_B;
-
- };
- void test01()
- {
- const Person p;//在对象前加const,变成常对象
- //p.m_A = 100;//【错误】表达式必须是可修改的左值
- p.m_B = 100;//mutable特殊变量,即使是常对象也可修改
-
- //常对象只能调用常函数
- p.showPerson();
- //p.func();//【错误】
- }
- int main()
- {
- return 0;
- }
和你一起诠释:坚持是一件多酷的事情 !
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。