07 指针和函数
作用:利用指针作为函数的参数的时候,可以实现修改实参的数据值。
首先回顾下值传递:
#include<iostream>
using namespace std;
int fun1(int a, int b);
int main()
{
int a = 10;
int b = 20;
fun1(a, b);
cout << a << " " << b << endl;
system("pause");
return 0;
}
int fun1(int a, int b)
{
int temp = a;
a = b;
b = temp;
cout << a << " " << b << endl;
return 0;
}
结果:
20 10
10 20
请按任意键继续. . .
实参没有发生改变。
地址传递
#include<iostream>
using namespace std;
void fun2(int* p1, int* p2);
int main()
{
int a = 10;
int b = 20;
fun2(&a, &b);
cout << a << " " << b << endl;
system("pause");
return 0;
}
void fun2(int *p1, int *p2)
{
int temp = *p1;
*p1 = *p2;
*p2 = temp;
cout << *p1 << " " << *p2 << endl;
}
结果:(环境:Windows11 (arm/Apple M VM)/Visual Studio 2022/Debug/arm64)
20 10
20 10
请按任意键继续. . .
如果是地址传递,可以修饰实参。
总结:
函数两种传递方法:值传递和地址传递。
实参的修改需要地址传递。
如果不想修改实参,那就用值传递。如果想修改实参,那就用值传递。
2023-11-01
在学习结构体的时候复习了一下,指针传入函数这样的
#include <iostream>
using namespace std;
int func1(int *a, int *b);
int main()
{
int a = 10;
int b = 20;
int* p1 = &a;
int* p2 = &b;
cout << "在main函数(调用前),a和b的值是:\t" << a << "\t" << b << endl;
func1(p1, p2);
cout << "在main函数(调用后),a和b的值是:\t" << a << "\t" << b << endl;
system("pause");
return 0;
}
int func1(int *a, int *b)
{
int temp = *a;
*a = *b;
*b = temp;
cout << "在func1函数里面,a和b的值是:\t\t" << *a << "\t" << *b << endl;
return 0;
}
运行结果:(环境:Windows11 (arm/Apple M VM)/Visual Studio 2022/Debug/arm64)
在main函数(调用前),a和b的值是: 10 20
在func1函数里面,a和b的值是: 20 10
在main函数(调用后),a和b的值是: 20 10
请按任意键继续. . .
在值传递的时候,每一个数据都会复制一份。这样数据量会非常大。如果我们使用地址传递,那么会减少占用的空间。(当然也可使用引用传递,后续会学习到)
:-)