#include<stdio.h>
void swap(int *a,int *b){
int temp;
temp = *a;
*a = *b;
*b = temp;
}
int main(){
void swap(int *a,int *b);
int c,d,*p1,*p2;
printf("please enter c and d:\n");
scanf("%d,%d",&c,&d);
p1 = &c;
p2 = &d;
if(c<d)
{swap(p1,p2);}
printf("%d,%d\n",*p1,*p2);
}
在这里插入代码片
输入结果为3,4输出结果为4,3(正确)
关键是swap()函数,p1、p2都表示相关地址内的值,实现了p1和p2的值互换,此法为避免值传递的正确用法
#include<stdio.h>
void swap(int *a,int *b){
int *temp;
temp = a;
a = b;
b = temp;
}
int main(){
void swap(int *a,int *b);
int c,d,*p1,*p2;
printf("please enter c and d:\n");
scanf("%d,%d",&c,&d);
p1 = &c;
p2 = &d;
if(c<d)
{swap(p1,p2);}
printf("%d,%d\n",*p1,*p2);
}
在这里插入代码片
输入结果为3,4输出结果为3,4(错误)用指针变量作函数参数同样要遵循“值传递”原则。这里swap中int *temp;定义了一个指针变量,传递的都是地址。注意!!交换的都是形参被赋值后的的地址与实参无关,最后输出实参仍然循序不变。
#include<stdio.h>
void swap(int *a,int *b){
int temp;
temp = a;
a = b;
b = temp;
printf("%d,%d",*a,*b);
}
int main(){
void swap(int *a,int *b);
int c,d,*p1,*p2;
printf("please enter c and d:\n");
scanf("%d,%d",&c,&d);
p1 = &c;
p2 = &d;
if(c<d)
{swap(p1,p2);}
}
在这里插入代码片
输入结果3,4 输出结果4,3
对以上程序做一些改变:在swap()函数体中加一句printf("%d,%d",*a,*b);输出结果为循序改变后的数据。这也印证了上面提到的值传递的特点。