以下程序在 C89 模式下编译时如何输出“C89”,在 C99 模式下编译时如何输出“C99”?
How does the below program output `C89` when compiled in C89 mode and `C99` when compiled in C99 mode?
我从网上找到了这个 C 程序:
#include <stdio.h>
int main(){
printf("C%d\n",(int)(90-(-4.5//**/
-4.5)));
return 0;
}
这个程序的有趣之处在于,当它在 C89 模式下编译和 运行 时,它打印 C89
而在 C99 模式下编译和 运行 时,它打印 C99
。但是我无法弄清楚这个程序是如何工作的。
你能解释一下 printf
的第二个参数在上面的程序中是如何工作的吗?
C99 允许 //
风格的注释,C89 不允许。所以,要翻译:
C99:
printf("C%d\n",(int)(90-(-4.5 /*Some comment stuff*/
-4.5)));
// Outputs: 99
C89:
printf("C%d\n",(int)(90-(-4.5/
-4.5)));
/* so we get 90-1 or 89 */
行注释 //
从 C99 开始引入。因此,您的代码在 C89
中等于此
#include <stdio.h>
int main(){
printf("C%d\n",(int)(90-(-4.5/
-4.5)));
return 0;
}
/* 90 - (-4.5 / -4.5) = 89 */
在 C99 中等于这个
#include <stdio.h>
int main(){
printf("C%d\n",(int)(90-(-4.5
-4.5)));
return 0;
}
/* 90 - (-4.5 - 4.5) = 99*/
因为//
注释只存在于C99及以后的标准中,所以代码等同于:
#include <stdio.h>
int main (void)
{
int vers;
#if __STDC_VERSION__ >= 201112L
vers = 99; // oops
#elif __STDC_VERSION__ >= 199901L
vers = 99;
#else
vers = 90;
#endif
printf("C%d", vers);
return 0;
}
正确的代码是:
#include <stdio.h>
int main (void)
{
int vers;
#if __STDC_VERSION__ >= 201112L
vers = 11;
#elif __STDC_VERSION__ >= 199901L
vers = 99;
#else
vers = 90;
#endif
printf("C%d", vers);
return 0;
}
我从网上找到了这个 C 程序:
#include <stdio.h>
int main(){
printf("C%d\n",(int)(90-(-4.5//**/
-4.5)));
return 0;
}
这个程序的有趣之处在于,当它在 C89 模式下编译和 运行 时,它打印 C89
而在 C99 模式下编译和 运行 时,它打印 C99
。但是我无法弄清楚这个程序是如何工作的。
你能解释一下 printf
的第二个参数在上面的程序中是如何工作的吗?
C99 允许 //
风格的注释,C89 不允许。所以,要翻译:
C99:
printf("C%d\n",(int)(90-(-4.5 /*Some comment stuff*/
-4.5)));
// Outputs: 99
C89:
printf("C%d\n",(int)(90-(-4.5/
-4.5)));
/* so we get 90-1 or 89 */
行注释 //
从 C99 开始引入。因此,您的代码在 C89
#include <stdio.h>
int main(){
printf("C%d\n",(int)(90-(-4.5/
-4.5)));
return 0;
}
/* 90 - (-4.5 / -4.5) = 89 */
在 C99 中等于这个
#include <stdio.h>
int main(){
printf("C%d\n",(int)(90-(-4.5
-4.5)));
return 0;
}
/* 90 - (-4.5 - 4.5) = 99*/
因为//
注释只存在于C99及以后的标准中,所以代码等同于:
#include <stdio.h>
int main (void)
{
int vers;
#if __STDC_VERSION__ >= 201112L
vers = 99; // oops
#elif __STDC_VERSION__ >= 199901L
vers = 99;
#else
vers = 90;
#endif
printf("C%d", vers);
return 0;
}
正确的代码是:
#include <stdio.h>
int main (void)
{
int vers;
#if __STDC_VERSION__ >= 201112L
vers = 11;
#elif __STDC_VERSION__ >= 199901L
vers = 99;
#else
vers = 90;
#endif
printf("C%d", vers);
return 0;
}