请写一个带参数的宏来求两个数中的最大值。
求两个数中的最大值必定要返回一个值,可以直接写成表达式的形式。如下:
#define MAX(x,y) (x)>(y)?(x):(y)
但是这句代码有点问题,像下面这样调用:
#include<stdio.h>#include<stdlib.h>#define MAX(x, y) (x) > (y) ? (x) : (y)int fun(int* a){ *a = *a - 2;
return *a;
}
int main(){ int a = 5;
int b = 2;
int c = MAX(fun(&a), b);
printf("%d\n", c);
system("pause");
return 0;}结果会打出来 1 。那是因为(x) > (y)? (x) : (y)这个表达式中第一个x调用了一遍fun()函数,第二个x又调用了一遍fun()函数。
我在网上搜到有下面这种解法:
#define MAX(x,y) {\int a = x;\int b = y;\a > b ? a : b;\}
#include<stdio.h>#include<stdlib.h>//#define MAX(x, y) (x) > (y) ? (x) : (y)#define MAX(x,y) \{\int a = x;\int b = y;\return a > b ? a : b;\}int fun(int* a){ *a = *a - 2; return *a;}int fun(){ int d = 5; int c = 2; MAX(fun(&d), c);}int main(){ printf("%d\n", fun()); system("pause"); return 0;}结果输出 3 。
其实不管是哪种写法,主要看具体的应用场景。
再写一个宏来交换两个数的值。
#define SWAP(a, b) {int tmp = a; a = b; b = tmp;}或者#define SWAP(a, b) {a = a+b; b = a-b; a = a-b;}
写一个宏来求三个数的最大值。
#define MAX(a, b, c) { (((a) > (b) ? (a):(b)) > (c)) ? ((a) > (b)?(a) : (b)) : (c) }
#define MAX(a, b, c) \{\ int tmp = (a) > (b) ? (a) : (b);\ tmp = (tmp) > (c) ? (tmp) : (c);\ return tmp;\}
#define MAX(a, b, c) ((a) > (b)) ? ( ((a)>(c)) ? (a):(c) ) : ( (b)>(c) ? (b):(c) )
#define MAX(a, b, c) ((a)>(b) && (a)>(c)) ? (a) : ( (b)>(c) ? (b) : (c) )