const成员
1.const数据成员:const类型变量不可修改(只读模式),必须采用初始化参数列表的方式初始化。
2.const成员函数:const写在小括号的后面,常成员函数不能修改数据成员(只读),常成员函数与普通函数同时存在时,函数名相同时,普通对象有限调用普通函数,普通对象可以调用常成员函数。
3.const对象:const修饰的对象,只能调用常成员函数。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
|
#include<iostream> #include<string> using namespace std; class king{ public : king( int data) :num(data) //初始化参数列表初始化数据 { cout << num << endl; } void print() const //常成员函数 { cout << "hello!" << endl; } void printdata() //普通函数 { str = "lijue" ; cout << str << endl; } protected : string str; const int num; //常数据成员 }; int main(){ king prince(18); prince.print(); //普通对象调用常成员函数 const king boy(12); boy.print(); //常对象调用常成员函数 while (1); return 0; } |
static成员
#static属于类,是所有对象共有的,可以当对象调用
1.static数据成员:必须在类外初始化,不需要static修饰,需要类名限定(::),不允许初始化参数列表的方式初始化。
2.static成员函数:static写在函数的前面,调用非静态数据成员必须要指定对象。
3.static对象:释放是最后释放的。
#include<iostream>using namespace std;class desk{public:static void print(desk&chair){chair.data1 = 12;cout << chair.data1//非静态数据成员调用静态成员函数必须指定对象<< "\t" << data //静态数据成员的调用可以不需要指明对象<< endl; }protected:static int data;//静态数据成员int data1;//非静态数据成员};int desk::data = 50;int main(){desk chair;chair.print(chair);while (1);return 0;}
友元类
#什么是友元:用friend描述的关系,友元只是提供一个场所,赋予对象打破权限的限定
1.友元函数:分为普通友元函数和以另一个类的成员函数充当友元函数。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
//普通友元函数,可以打破权限的限制 #include<iostream> using namespace std; void print(); class myfriend{ public : protected : int data = 150; friend void print(myfriend&k){ cout << k.data << endl; } }; int main(){ myfriend k; print(k); while (1); return 0; } |
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
|
//以另一个类的成员函数充当友元函数 #include<iostream> using namespace std; class myfriend; class I{ public : void print(); protected : }; class myfriend{ public : friend void I::print(); protected : int data = 150; }; void I::print() { myfriend k; cout << k.data << endl; } int main(){ I K; K.print(); while (1); return 0; } |
2.友元类
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
|
//友元类 #include<iostream> using namespace std; class A; class B{ public : friend class A; protected : int data = 123; }; class A{ public : void printData() { B l; cout << l.data << endl; } protected : }; int main() { A l; l.printData(); while (1); return 0; } |
总结
本篇文章就到这里了,希望能够给你带来帮助,也希望您能够多多关注服务器之家的更多内容!
原文链接:https://blog.csdn.net/qq_60501300/article/details/121499542