int abc(int a,int b,int c)
{
return a+b*c;
}
z=abc(2,x,y);
a,b,c为函数的形参(也是传值参数);2,x,y为函数的实参。
其传参模式为:
函数abc被执行前,通过复制构造函数传值;函数abc执行结束后,调用析构函数,释放形参。
该传值方式不会改变实参的值
#include
#include
using namespace std;
int abc(int a ,int b);
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
int z,i=1,j=2;
z=abc(i,j);
cout<<"i="<
int d=5;
int &e=d;
cout<<"d="<
输出结果:
即,d和e具有相同的值和地址,相当于d是e的别名一样。
#include
#include
using namespace std;
int abc(int &a ,int &b);
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
int z,i=1,j=2;
z=abc(i,j);
cout<<"i="<
输出:
引用参数传值改变了实参的值,a和b的交换其实就是i和j的交换。
这种模式指明引用参数不能被函数修改,即实参也不会被修改。
#include
#include
using namespace std;
int abc(const int &a ,const int &b);
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
int z,i=2,j=3;
z=abc(i,j);
cout<<"i="<
函数运行结束后,将会改变实参的值
#include
#include
using namespace std;
int abc(int *a ,int *b);
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
int z,i=2,j=3;
z=abc(&i,&j);
cout<<"i="<
补充,这里按址传递能改变实参的值,前提是操作函数是对地址里的值进行操作,如果,只是对地址进行操作,则实参不会发生改变,
#include "stdafx.h"
#include
using namespace std;
void abc_(int *a, int *b);
int main()
{
int z, i = 2, j = 3;
abc_(&i, &j);
cout << "i=" << i << endl << "j=" << j << endl;
return 0;
}
void abc_(int *a, int *b)
{
int *temp;
temp = a;
a = b;
b = temp;
cout <<"a="<< *a<