C++中的按值传参、按引用传参、按指针传参
程序员文章站
2022-07-12 20:31:44
...
程序的功能是交换两个参数的值:
以下是源程序:
#include <iostream>
void swapr(int &a,int &b);//按引用传递
void swapp(int *p ,int *q);//按指针传递
void swapv(int a,int b);//按值传递
int main()
{
using namespace std ;
int wallet_1 = 200;
int wallet_2 = 300;
cout << "wallet_1 = " << wallet_1 << endl;
cout << "wallet_2 = " << wallet_2 << endl;
cout << "Using reference to swap
contents : \n";
swapr(wallet_1,wallet_2);
cout << "wallet_1 = " << wallet_1 << endl;
cout << "wallet_2 = " << wallet_2 << endl;
cout << "Using pointer to swap
contents : \n";
swapp(&wallet_1,&wallet_2);
cout << "wallet_1 = " << wallet_1 << endl;
cout << "wallet_2 = " << wallet_2 << endl;
cout << "Tring to use passing by value \n";
swapv(wallet_1,wallet_2);
cout << "wallet_1 = " << wallet_1 << endl;
cout << "wallet_2 = " << wallet_2 << endl;
}
void swapr(int &a,int &b)
{
int temp;
temp = a;
a = b;
b = temp;
}
void swapp(int *p, int *q)
{
int temp;
temp = *p;
*p = *q;
*q = temp;
}
void swapv(int a, int b)
{
int temp ;
temp = a;
a = b;
b = temp;
}
以下是程序的运行结果:
程序*有四次打印输出:
第一次打印输出的结果是原数据。
第二次调用了函数,使用按指针传递,交换了两个参数的值。
第三次按引用传递,两个参数的值也交换了。因为引用是变量的别名。
第四次时按值传递,在程序运行的过程中,建立的变量的副本,原先的数据并没有改变。