热门标签 | HotTags
当前位置:  开发笔记 > 编程语言 > 正文

【转】C宏

http:www.cs.yale.eduhomesaspnespinewikiC%282f%29Macros.htmlSeeKernighanRitchieAppendixA12.

http://www.cs.yale.edu/homes/aspnes/pinewiki/C%282f%29Macros.html

See KernighanRitchie Appendix A12.3 for full details on macro expansion in ANSI C and http://gcc.gnu.org/onlinedocs/cpp/Macros.html for documentation on what gcc supports.

The short version: the command

 

Toggle line numbers
   1 #define FOO (12)
   2 

causes any occurrence of the word FOO in your source file to be replaced by (12) by the preprocessor. To count as a word, FOO can‘t be adjacent to other alphanumeric characters, so for example FOOD will not expand to (12)D.

 

1. Macros with arguments

To create a macro with arguments, put them in parentheses separated by commas after the macro name, e.g.

 

Toggle line numbers
   1 #define Square(x) ((x)*(x))
   2 

Now if you write Square(foo) it will expand as ((foo)*(foo)). Note the heavy use of parentheses inside the macro definition to avoid trouble with operator precedence; if instead we had written

 

Toggle line numbers
   1 #define BadSquare(x) x*x
   2 

then BadSquare(3+4) would give 3+4*3+4, which evaluates to 19, which is probably not what we intended.

 

1.1. Multiple arguments

You can have multiple arguments to a macro, e.g.

 

Toggle line numbers
   1 #define Average(x,y) (((x)+(y))/2.0)
   2 

The usual caveats about using lots of parentheses apply.

 

1.2. Perils of repeating arguments

Macros can have odd effects if their arguments perform side-effects. For example, Square(++x) expands to ((++x)*(++x)); if x starts out equal to 1, this expression may evaluate to any of 2, 6, or 9 depending on when the ++ operators are evaluated, and will definitely leave 3 in x instead of the 2 the programmer probably expects. For this reason it is generally best to avoid side-effects in macro arguments, and to mark macro names (e.g. by capitalization) to clearly distinguish them from function names, where this issue doesn‘t come up.

 

1.3. Variable-length argument lists

C99 added variadic macros that may have a variable number of arguments; these are mostly useful for dealing with variadic functions (like printf) that also take a variable number of arguments.

To define a variadic macro, define a macro with arguments where the last argument is three periods: ... . The macro __VA_ARGS__ then expands to whatever arguments matched this ellipsis in the macro call.

For example:

Toggle line numbers
   1 #include 
   2 
   3 #define Warning(...) fprintf(stderr, __VA_ARGS__)
   4 
   5 int
   6 main(int argc, char **argv)
   7 {
   8     Warning("%s: this program contains no useful code\n", argv[0]);
   9     
  10     return 1;
  11 }

It is possible to mix regular arguments with ..., as long as ... comes last:

Toggle line numbers
   1 #define Useless(format, ...) printf(format, __VA_ARGS__)
   2 

 

2. Multiple macros

One macro can expand to another; for example, after defining

 

Toggle line numbers
   1 #define FOO BAR
   2 #define BAR (12)
   3 

it will be the case that FOO will expand to BAR which will then expand to (12). For obvious reasons, it is a bad idea to have a macro expansion contain the original macro name.

 

3. Macro tricks

 

3.1. Multiple expressions in a macro

Use the comma operator, e.g.

 

Toggle line numbers
   1 #define NoisyInc(x) (puts("incrementing"), (x)++)
   2 

The comma operator evaluates both of its operands and returns the value of the one on the right-hand side.

You can also choose between alternatives using the ternary ?: operator, as in

 

Toggle line numbers
   1 #define Max(a,b) ((a) > (b) ? (a) : (b))
   2 

(but see the warning about repeated parameters above).

 

3.2. Non-syntactic macros

Suppose you get tired of writing

 

Toggle line numbers
   1     for(i = 0; i <n; i++) ...

all the time. In principle, you can write a macro

 

Toggle line numbers
   1 #define UpTo(i, n) for((i) = 0; (i) <(n); (i)++)
   2 

and then write

 

Toggle line numbers
   1     UpTo(i, 10) ...

in place of your former for loop headers. This is generally a good way to make your code completely unreadable. Such macros are called non-syntactic because they allow code that doesn‘t look like syntactically correct C.

Sometimes, however, it makes sense to use non-syntactic macros when you want something that writes to a variable without having to pass it to a function as a pointer. An example might be something like this malloc wrapper:

 

Toggle line numbers
   1 #define TestMalloc(x) ((x) = malloc(sizeof(*x)), assert(x))
   2 

(Strictly speaking, this is probably more of a "non-semantic" macro.)

Whether the confusion of having a non-syntactic macro is worth the gain in safety or code-writing speed is a judgment call that can only be made after long and painful experience. If in doubt, it‘s probably best not to do it.

 

3.3. Multiple statements in one macro

If you want to write a macro that looks like a function call but contains multiple statements, the correct way to do it is like

 

Toggle line numbers
   1 #define HiHi() do { puts("hi"); puts("hi"); } while(0)
   2 

This can safely be used in place of single statements, like this:

 

Toggle line numbers
   1     if(friendly) 
   2         HiHi();
   3     else
   4         snarl();

Note that no construct except do..while will work here; just using braces will cause trouble with the semicolon before the else, and no other compound statement besides do..while expects to be followed by a semicolon in this way.

 

3.4. String expansion

Let‘s rewrite NoisyInc to include the variable name:

 

Toggle line numbers
   1 #define BadNoisyInc2(x) (puts("Incrementing x"), x++)
   2 

Will this do what we want? No. The C preprocessor is smart enough not to expand macro parameters inside strings, so BadNoisyInc2(y) will expand to (puts("Incrementing x"), y++). Instead, we have to write

 

Toggle line numbers
   1 #define NoisyInc2(x) (puts("Incrementing " #x), x++)
   2 

Here #x expands to whatever the value of x is wrapped in double quotes. The resulting string constant is then concatenated with the adjacent string constant according to standard C string constant concatenation rules.

To concatenate things that aren‘t strings, use the ## operator, as in

 

Toggle line numbers
   1 #define FakeArray(n) fakeArrayVariableNumber ## n
   2 

This lets you write FakeArray(12) instead of fakeArrayVariableNumber12. Note that there is generally no good reason to ever do this.

Where this feature does become useful is if you want to be able to refer to part of the source code of your program. For example, here is short program that includes a macro that prints the source code and value of an expression:

 

Toggle line numbers
   1 #include 
   2 
   3 #define PrintExpr(x) (printf("%s = %d\n", #x, (x)))
   4 
   5 int
   6 main(int argc, char **argv)
   7 {
   8     PrintExpr(2+2);
   9     return 0;
  10 }

printExpr.c

When run, this program prints

2+2 = 4

Without using a macro, there is no way to capture the text string "2+2" so we can print it.

This sort of trickery is mostly used in debugging. The assert macro is a more sophisticated version, which uses the built-in macros __FILE__ (which expands to the current source file as a quoted string) and __LINE__ (which expands to the current source line number, not quoted) to not only print out an offending expression, but also the location of it in the source.

 

3.5. Big macros

Nothing restricts a macro expansion to a single line, although you must put a backslash at the end of each line to keep it going. Here is a macro that declares a specialized sorting routine for any type that supports <:

 

Toggle line numbers
   1 #define DeclareSort(prefix, type) \
   2 static int \
   3 _DeclareSort_ ## prefix ## _Compare(const void *a, const void *b) \
   4 { \
   5     const type *aa; const type *bb; \
   6     aa = a; bb = b; \
   7     if(aa 
   8     else if(bb 
   9     else return 0; \
  10 } \
  11 \
  12 void \
  13 prefix ## _sort(type *a, int n)\
  14 { \
  15     qsort(a, sizeof(type), n, _DeclareSort_ ## prefix ## _Compare); \
  16 }
  17 

A typical use might be

 

Toggle line numbers
   1 #include 
   2 
   3 /* note: must appear outside of any function, and has no trailing semicolon */
   4 DeclareSort(int, int)
   5 
   6 int
   7 main(int argc, char **argv)
   8 {
   9     int *a;
  10     int n;
  11 
  12     ...
  13 
  14     int_sort(a, n);
  15 
  16     ...
  17 }

Do this too much and you will end up reinventing C++ templates, which are a more or less equivalent mechanism for generating polymorphic code that improve on C macros like the one above by letting you omit the backslashes.

 

4. Debugging macro expansions

One problem with using a lot of macros is that you can end up with no idea what input is actually fed to the compiler after the preprocessor is done with it. You can tell gcc to tell you how everything expands using gcc -E source_file.c. If your source file contains any #include statements it is probably a good idea to send the output of gcc -E to a file so you can scroll down past the thousands of lines of text they may generate.

 

5. Can a macro call a preprocessor command?

E.g., can you write something like

 

Toggle line numbers
   1 #define DefinePlus1(x, y)  #define x ((y)+1)
   2 

or

 

Toggle line numbers
   1 #define IncludeLib(x) #include "lib/" #x
   2 

The answer is no. C preprocessor commands are only recognized in unexpanded text. If you want self-modifying macros you will need to use a fancier macro processor like m4.

【转】C 宏


推荐阅读
  • QUIC协议:快速UDP互联网连接
    QUIC(Quick UDP Internet Connections)是谷歌开发的一种旨在提高网络性能和安全性的传输层协议。它基于UDP,并结合了TLS级别的安全性,提供了更高效、更可靠的互联网通信方式。 ... [详细]
  • 本文介绍了一款用于自动化部署 Linux 服务的 Bash 脚本。该脚本不仅涵盖了基本的文件复制和目录创建,还处理了系统服务的配置和启动,确保在多种 Linux 发行版上都能顺利运行。 ... [详细]
  • 几何画板展示电场线与等势面的交互关系
    几何画板是一款功能强大的物理教学软件,具备丰富的绘图和度量工具。它不仅能够模拟物理实验过程,还能通过定量分析揭示物理现象背后的规律,尤其适用于难以在实际实验中展示的内容。本文将介绍如何使用几何画板演示电场线与等势面之间的关系。 ... [详细]
  • 本文介绍了如何利用npm脚本和concurrently工具,实现本地开发环境中多个监听服务的同时启动,包括HTTP服务、自动刷新、Sass和ES6支持。 ... [详细]
  • 深入理解OAuth认证机制
    本文介绍了OAuth认证协议的核心概念及其工作原理。OAuth是一种开放标准,旨在为第三方应用提供安全的用户资源访问授权,同时确保用户的账户信息(如用户名和密码)不会暴露给第三方。 ... [详细]
  • 2023 ARM嵌入式系统全国技术巡讲旨在分享ARM公司在半导体知识产权(IP)领域的最新进展。作为全球领先的IP提供商,ARM在嵌入式处理器市场占据主导地位,其产品广泛应用于90%以上的嵌入式设备中。此次巡讲将邀请来自ARM、飞思卡尔以及华清远见教育集团的行业专家,共同探讨当前嵌入式系统的前沿技术和应用。 ... [详细]
  • 优化ListView性能
    本文深入探讨了如何通过多种技术手段优化ListView的性能,包括视图复用、ViewHolder模式、分批加载数据、图片优化及内存管理等。这些方法能够显著提升应用的响应速度和用户体验。 ... [详细]
  • 本文详细介绍如何使用arm-eabi-gdb调试Android平台上的C/C++程序。通过具体步骤和实用技巧,帮助开发者更高效地进行调试工作。 ... [详细]
  • 导航栏样式练习:项目实例解析
    本文详细介绍了如何创建一个具有动态效果的导航栏,包括HTML、CSS和JavaScript代码的实现,并附有详细的说明和效果图。 ... [详细]
  • PHP 5.2.5 安装与配置指南
    本文详细介绍了 PHP 5.2.5 的安装和配置步骤,帮助开发者解决常见的环境配置问题,特别是上传图片时遇到的错误。通过本教程,您可以顺利搭建并优化 PHP 运行环境。 ... [详细]
  • 深入理解Cookie与Session会话管理
    本文详细介绍了如何通过HTTP响应和请求处理浏览器的Cookie信息,以及如何创建、设置和管理Cookie。同时探讨了会话跟踪技术中的Session机制,解释其原理及应用场景。 ... [详细]
  • 本文介绍如何在 Xcode 中使用快捷键和菜单命令对多行代码进行缩进,包括右缩进和左缩进的具体操作方法。 ... [详细]
  • MySQL中枚举类型的所有可能值获取方法
    本文介绍了一种在MySQL数据库中查询枚举(ENUM)类型字段所有可能取值的方法,帮助开发者更好地理解和利用这一数据类型。 ... [详细]
  • 本文介绍如何在应用程序中使用文本输入框创建密码输入框,并通过设置掩码来隐藏用户输入的内容。我们将详细解释代码实现,并提供专业的补充说明。 ... [详细]
  • 深入理解Shell脚本编程
    本文详细介绍了Shell脚本编程的基础概念、语法结构及其在操作系统中的应用。通过具体的示例代码,帮助读者掌握如何编写和执行Shell脚本。 ... [详细]
author-avatar
手机用户2602914827
这个家伙很懒,什么也没留下!
PHP1.CN | 中国最专业的PHP中文社区 | DevBox开发工具箱 | json解析格式化 |PHP资讯 | PHP教程 | 数据库技术 | 服务器技术 | 前端开发技术 | PHP框架 | 开发工具 | 在线工具
Copyright © 1998 - 2020 PHP1.CN. All Rights Reserved | 京公网安备 11010802041100号 | 京ICP备19059560号-4 | PHP1.CN 第一PHP社区 版权所有