1、const修饰成员函数
特点:
这个成员函数只能对数据成员进行读操作,不能进行写操作,防止误操作
比如:访问数据
格式:
class 类名
{
public:
返回值类型 函数名(形参列表) const
{
// 只能对数据成员进行读操作,不能进行写操作
}
};
例子:
#include<iostream>
using namespace std;// 点为例来看class Point
{
private:int x;int y;
public:Point(){};Point(int x1,int y1):x(x1),y(y1){};// 访问类中的私有成员x和yvoid show(void) const;
};void Point::show(void) const
{// x = 90; 报错:x是只读的 cout << "x:" << x << ",y:" << y << endl;
} int main(void)
{Point p1(3,5);p1.show();return 0;
}
2、static 修饰的成员函数
特点:
1、有static关键字
2、在它的内部可以对static数据成员进行操作,只能对static的数据进行操作,不能对其他数据成员内进行操作。
3、静态成员函数 只能调用 静态函数
定义:
class 类名
{
public:
返回值类型 函数名(形参列表) const
{
// 只能对数据成员进行读操作,不能进行写操作
}
};
举例:
#include<iostream>
using namespace std;class Led
{
private:static int n;int x;
public:Led(){};static void flash(void);void show(void){cout << "xxxx:" << n << endl;}
};void Led::flash(void)
{n++;cout << "第" << n << "盏灯亮" << endl; // cout << "第" << n << "盏灯亮" << ",x:" << x << endl; // 报错,不能访问非static的数据成员
}int Led::n = 0;int main(void)
{Led l1;l1.show();while(1){l1.flash();}return 0;
}
总结:
const修饰的成员函数:
只能对数据成员进行读操作不能写操作
static修饰的成员函数:
只能对静态数据进行操作,不能对普通数据成员操作(静态成员函数内部没有this指针)
静态成员函数 只能调用 静态函数