2.1引用的基本使用
作用:给变量起别名
语法:数据类型 &别名 = 原名
代码
#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.2引用的注意事项
- 引用必须初始化
- 引用在初始化后,不可以改变
代码
#include<iostream>
using namespace std;
int main()
{
int a = 10;
//1、引用必须初始化
//int &b;//错误
int &b = a;
//2、引用初始化后,不可以更改
int c = 20;
b = c;//赋值操作,不是更改引用
cout << "a=" << a << endl;
cout << "b=" << b << endl;
cout << "c=" << c << endl;
system("pause");
return 0;
}
2.3引用做函数参数
作用:函数传参时,可以利用引用的技术让形参修饰实参
优点:可以简化指针修改实参
代码
#include<iostream>
using namespace std;
//1、值传递
void mySwap01(int a, int b)
{
int temp = a;
a = b;
b = temp;
cout << "mySwap01 a=" << a << endl;
cout << "mySwap01 b=" << b << endl;
}
//2、地址传递
void mySwap02(int*a, int*b)
{
int temp = *a;
*a = *b;
*b = temp;
cout << "mySwap02 a=" << *a << endl;
cout << "mySwap02 b=" << *b << endl;
}
//3、引用传递
void mySwap03(int&a, int&b)
{
int temp = a;
a = b;
b = temp;
cout << "mySwap03 a=" << a << endl;
cout << "mySwap03 b=" << b << endl;
}
int main()
{
int a = 10;
int b = 20;
//mySwap01(a, b); 值传递,形参不会修饰实参
//mySwap02(&a, &b); 地址传递,形参会修饰实参
mySwap03(a, b); //引用传递,形参会修饰实参
cout << "a=" << a << endl;
cout << "b=" << b << endl;
system("pause");
return 0;
}
2.4引用做函数返回值
作用:引用是可以作为函数的返回值存在的
注意:不要返回局部变量引用
用法:函数调用作为左值
代码
#include<iostream>
using namespace std;
//引用做函数返回值
//1、不要返回局部变量的引用
int& test01()
{
int a = 10; //局部变量存放在四区的 栈区
return a;
}
//2、函数的调用可以作为左值
int& test02()
{
static int a = 10;//静态变量,存放在全局区,全局区上的数据在程序结束后系统释放
return a;
}
int main()
{
//int &ref = test01();
//cout << "ref=" << ref << endl;//第一次正确,是因为编译器做了保留
//cout << "ref=" << ref << endl;//第二次错误,因为a的内存已经释放
int &ref2 = test02();
cout << "ref2=" << ref2 << endl;
cout << "ref2=" << ref2 << endl;
test02() = 100; //相当于a=1000,如果函数的返回值是引用,这个函数调用可以作为左值
cout << "ref2=" << ref2 << endl;
cout << "ref2=" << ref2 << endl;
system("pause");
return 0;
}
2.5引用的本质
本质:引用的本质是在c++内部实现一个指针常量
结论:c++推荐引用技术,因为语法方便,引用本质是指针常量,但是所有的指针操作编译器都帮我们完成了
代码
#include<iostream>
using namespace std;
void func(int & ref)
{
ref = 100;//ref是引用,转换为 *ref = 100
}
int main()
{
int a = 10;
//自动转换为 int * const ref =&a;指针常量是指指针指向不可改变,也说明为什么引用不可更改
int &ref = a;
ref = 20;//内部发现ref是引用,自动帮我们转换为:*ref =20;
cout << " a= " << a << endl;
cout << " ref= " << ref << endl;
func(a);
system("pause");
return 0;
}
2.6常量引用
作用:常量引用主要用来修饰形参,防止误操作
在函数形参列表中,可以加const修饰形参,防止形参改变实参
代码
#include<iostream>
using namespace std;
//引用使用的场景,通常用来修饰形参
void showValue(const int &ref)
{
cout << " ref= " << ref << endl;
}
int main()
{
//const int& ref= 10; 编译器优化代码:int temp =10;const int& ref=temp;
int a = 10;
//函数中利用常量引用防止误操作修改实参
showValue(a);
cout << " a= " << a << endl;
system("pause");
return 0;