当我刚看见do while(0)语句的时候,相信大家和我的感觉一样,这还不是相当于没有循环么,么啥作用,底下就是和大家分享这种技巧的妙用.
do while(0)这种技巧的使用,一般都会出现在函数宏当中,使用它可以解决烦人的分号问题.估计第一次接触到这个的人现在已经充满了疑问.咱分析底下源代码.
- #include<stdio.h>
- #include<math.h>
- #include
- #define SQUARE(num) num=sqrt(num);printf("%f\n",num); //Function Macros
- int main(void)
- {
- float n;
- scanf("%f",&n);
- if(n>0)
- SQUARE(n);
- else{
- printf("the number is negative number!\n");
- exit(1);
- }
- return 0;
- }
注意看这个Function Macros(函数宏)的定义
点击(此处)折叠或打开
#define SQUARE(num) num=sqrt(num);printf("%f\n",num);//Function Macros
当你运行这个程序时,这块提醒一点,这块要加入链接函式库才可以正常编译,即 gcc test.c -lm
这块大家有问题的话,自己想办法解决.当编译完之后,大家会发现出现以下错误.
- test.c: In function ‘main’:
- test.c:10: error: ‘else’ without a previous ‘if’
什么原因呢,接下来给大家分析分析.
大家看这函数宏,当main()函数执行到SQUARE(n)的时候,简单的函数宏替换之后,如下
- if (n>0)
- n=sqrt(n);
- printf("%f\n",n);
- else{
- printf("the number is negative number!\n");
- exit(1);
- }
相信大家这下就理解造成这个错误的原因了吧.因为if语句底下由两条语句,而如果不用花括号的话,底下的else语句就没有与其匹配的if语句.估计这个时候大家就想,那我在定义函数宏的时候加上花括号行不,如下
- #define SQUARE(num) {num=sqrt(num);printf("%f\n",num);}
- //Function Macros
这样当然可以,但是在编写程序的时候有一个习惯,那就是在每一条语句后面加上
; 号,所以这种方式在调用的时候替换后如下:
- if (n>0){
- n=sqrt(n);
- printf("%f\n",n);
- };
- else{
- printf("the number is negative number!\n");
- exit(1);
- }
这样的话在编译if语句的时候就会出错.
下来就是do while(0)语句的妙用
我们把函数宏修改成为底下的形式
- #define SQUARE(num) do{num=sqrt(num);printf("%f\n",num);}while(0) //Function Macros
就会避免上面的所有错误,函数宏替换后如下
- if (n>0)do{
- n=sqrt(n);
- printf("%f\n",n);
- }while(0);
- else{
- printf("the number is negative number!\n");
- exit(1);
- }
相信通过这几个例子的分析,大家对do while(0)技巧有所掌握
阅读(3898) | 评论(2) | 转发(3) |