1.空指针访问成员函数
C++空指针也是可以调用成员函数的,但是也要注意到有没有用到this指针;
如果用到this指针,需要加以判断保证代码的健壮性。
实例:
#include <iostream>
using namespace std;
class Person
{
public:
void showClassName()
{
cout << "this is class Person" << endl;
}
void showAge()
{
//报错的原因是因为传入的指针为NULL;
if(this == NULL)
{
return;
}
cout << "m_age = " << m_age << endl;//这里的age默认是this->age
}
int m_age;
};
void test01()
{
Person *p1 = NULL;
p1->showClassName();//调用这里不会出错,因为没用到this指针
p1->showAge();//调用这里会出现段错误
}
int main()
{
test01();
return 0;
}
2.const修饰成员函数
常函数:
·成员函数后加const后我们称这个函数为常函数
·常函数不可以修改成员属性
·成员属性声明时加上关键字mutable后,在常函数中就可以修改了
常对象:
·常对象只能调用常函数
实例:
#include <iostream>
using namespace std;
class Person
{
public:
//this指针的本质是指针常量,指向的指针是不可修改的(相当于Person *const this)
// 在成员函数后加上const,修饰的是指针的指向,让指针指向的值不可修改(相当于const Person *const this)
void showPerson() const
{
//m_a = 10;
cout << "m_a = " << m_a << endl;
m_b = 50;
cout << "m_b = " << m_b <<endl;
}
void func()
{
}
int m_a = 1;
mutable int m_b = 0;//特殊变量,即使在常函数中,也可以修改这个值
};
void test01()
{
Person p1;
p1.showPerson();
}
void test02()
{
const Person p2;//常对象,注意在创建常对象时一定要初始化类对象(成员变量),可以用构造函数初始化
//p2.m_a = 20;//错误不能修改
p2.m_b = 66;//可以修改
p2.showPerson();//常对象可以调用常函数
p2.func();//不能调用,因为普通成员函数func可以修改属性
}
int main()
{
test01();
test02();
return 0;
}