c++实现两个数的交换

在c++中,有以下四种方法可以实现两个数的交换:

1、指针传递

void swap1(int *p,int *q) 
{
  int temp=*p;
  *p=*q;
  *q=temp;
}

2、宏定义

#define swap2(x,y,z) ((z)=(x),(x)=(y),(y)=(z))

3、引用传递

void swap3(int &x,int &y)
{
int temp=x;
x=y;
y=temp;
}

4、使用c++中的模板函数swap

template <class T> void swap(T &a,T &b)

【完整代码】

#include<iostream>
using namespace std;

 //方法1:指针传递
void swap1(int *p,int *q) 
{
  int temp=*p;
  *p=*q;
  *q=temp;
}

//方法2:宏定义
#define swap2(x,y,z) ((z)=(x),(x)=(y),(y)=(z)) 

//方法3:引用传递
void swap3(int &x,int &y)  
{
  int temp=x;
  x=y;
  y=temp;
}


int main()
{
 int a,b;
 int temp;
 a=1;b=10;
 cout<<"a="<<a<<" b="<<b<<endl;
 swap1(&a,&b);
 cout<<"a="<<a<<" b="<<b<<endl;
 a=2;b=10;
 cout<<"a="<<a<<" b="<<b<<endl;
 swap2(a,b,temp);
 cout<<"a="<<a<<" b="<<b<<endl;
 a=3;b=10;
 cout<<"a="<<a<<" b="<<b<<endl;
 swap3(a,b);
 cout<<"a="<<a<<" b="<<b<<endl;
 a=4;b=10;
 cout<<"a="<<a<<" b="<<b<<endl;
 //方法4:使用c++中的模板函数
 std::swap(a,b);
 cout<<"a="<<a<<" b="<<b<<endl;
}

结果:
c++实现两个数的交换_第1张图片

你可能感兴趣的:(算法)