预处理器

对于这样的一个小程序而言,我们针对不同的系统编写不同的代码是可以的。但是如果我把我的代码发给一个使用不同的操作系统的朋友,让他帮我完善一下代码,可能就会出问题了。理想情况下,我希望我的代码可以在任何操作系统上编译并运行。这在 C 语言中是个很普遍的问题,叫做可移植性(portability)。这通常都是个很棘手的问题。

但是 C 提供了一个机制来帮助我们,叫做预处理器(preprocessor)。

预处理器也是一个程序,它在编译之前运行。它有很多作用。而我们之前就已经悄悄地用过预处理器了。任何以井号 # 开头的语句都是一个预处理命令。为了使用标准库中的函数,我们已经用它来包含(include)过头文件了。

预处理的另一个作用是检测当前的代码在哪个操作系统中运行,从而来产生平台相关的代码。而这也正是我们做可移植性工作时所需要的。

在 Windows 上,我们可以伪造一个 readlineadd_history 函数,而在其他系统上就使用 editline 库提供给我们的真正有作用的函数。

为了达到这个目的,我们需要把平台相关的代码包在#ifdef#else#endif 预处理命令中。如果条件为真,包裹在 #ifdef#else 之间的代码就会被执行,否则,#elseendif 之间的代码被执行。通过这个特性,我们就能写出在 Windows、Linux 和 Mac 三大平台上都能正确编译的代码了:

  1. #include <stdio.h>
  2. #include <stdlib.h>
  3. /* If we are compiling on Windows compile these functions */
  4. #ifdef _WIN32
  5. #include <string.h>
  6. static char buffer[2048];
  7. /* Fake readline function */
  8. char* readline(char* prompt) {
  9. fputs(prompt, stdout);
  10. fgets(buffer, 2048, stdin);
  11. char* cpy = malloc(strlen(buffer)+1);
  12. strcpy(cpy, buffer);
  13. cpy[strlen(cpy)-1] = '\0';
  14. return cpy;
  15. }
  16. /* Fake add_history function */
  17. void add_history(char* unused) {}
  18. /* Otherwise include the editline headers */
  19. #else
  20. #include <editline/readline.h>
  21. #include <editline/history.h> // 译注:如果是Mac系统,不需要包含history.h头文件。
  22. #endif
  23. /* 译注
  24. 上段#else中的代码可以改得更通用一些:
  25. #else
  26. #ifdef __linux__
  27. #include <editline/readline.h>
  28. #include <editline/history.h>
  29. #endif
  30. #ifdef __MACH__
  31. #include <editline/readline.h>
  32. #endif
  33. #endif
  34. */
  35. int main(int argc, char** argv) {
  36. puts("Lispy Version 0.0.0.0.1");
  37. puts("Press Ctrl+c to Exit\n");
  38. while (1) {
  39. /* Now in either case readline will be correctly defined */
  40. char* input = readline("lispy> ");
  41. add_history(input);
  42. printf("No you're a %s\n", input);
  43. free(input);
  44. }
  45. return 0;
  46. }