引用作为c++的一个重要功能,起到了不可忽视的作用,那么,就让我们一起来看看吧!
1 引用的基本使用
作用 :给变量起别名
语法 :数据类型 &别名 = 原名
注意:引用的数据类型要和原类型一样
原理图:
示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 #include <iostream> using namespace std ;int main () { int a = 10 ; int &b = a; cout << "a = " << a << endl ; cout << "b = " << b << endl ; b = 100 ; cout << "a = " << a << endl ; cout << "b = " << b << endl ; system("pause" ); return 0 ; }
2 引用的注意事项
原理图:
示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 int main () { int a = 10 ; int &b=a; int c = 20 ; b = c; cout << "a = " << a << endl ; cout << "b = " << b << endl ; cout << "b = " << b << endl ; system("pause" ); return 0 ; }
3 引用做函数参数
作业:函数传参时,可以利用引用的技术让形参修饰实参
优点:可以简化指针修改实参
示例:
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 31 32 33 34 35 void mySwap01 (int a, int b) { int temp = a; a = b; b = temp; } void mySwap02 (int *a, int *b) { int temp = *a; *a = *b; *b = temp; } void mySwap03 (int &a, int &b) { int temp = a; a = b; b = temp; } int main () { int a = 10 ; int b = 20 ; mySwap02(&a, &b); mySwap03(a, b); cout << "a = " << a << endl ; cout << "b = " << b << endl ; system("pause" ); return 0 ; }
总结:通过引用参数产生的效果同地址传递是一样的。引用的语法更清楚简单
4 引用做函数返回值
作用:引用是可以作为函数的返回值存在的
注意:不要返回局部变量的引用
用法:函数调用作为左值
示例:
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 31 32 33 34 35 36 37 38 39 40 41 42 int & test01 () { int a = 10 ; return a; } int & test02 () { static int a = 10 ; return a; } int main () { int &ref = test01(); int &ref2 = test02(); cout << "ref2 = " << ref2 << endl ; cout << "ref2 = " << ref2 << endl ; test02() = 1000 ; cout << "ref2 = " << ref2 << endl ; cout << "ref2 = " << ref2 << endl ; cout << "ref2 = " << ref2 << endl ; int ref3 = test02(); cout << "ref3 = " << ref3 << endl ; cout << "ref3 = " << ref3 << endl ; test02() = 999 ; cout << "ref3 = " << ref3 << endl ; cout << "ref3 = " << ref3 << endl ; cout << "ref3 = " << ref3 << endl ; system("pause" ); return 0 ; }
5 引用的本质
本质:引用的本质在c++内部实现是一个指针常量 ,即指针的指向不可以修改,指针指向的值是可以修改的
示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 void func (int &ref) { ref = 100 ; } int main () { int a = 10 ; int &ref = a; ref = 20 ; cout << "a = " << a << endl ; cout << "ref = " << ref << endl ; func(a); system("pause" ); return 0 ; }
原理图:
结论:C++推荐用引用技术,因为语法方便,引用本质是指针常量,但是所有的指针操作编译器都帮我们做了
6 常量引用
作用:常量引用主要用来修饰形参,防止误操作
在函数形参列表中,可以加const修饰形参 ,防止形参改变实参
示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 void showValue (const int &val) { cout << "val = " << val << endl ; } int main () { const int &ref = 10 ; int a = 100 ; showValue(a); cout << "a = " << a << endl ; system("pause" ); return 0 ; }