C語言使用巨集初始化結構體的問題
阿新 • • 發佈:2019-02-06
Linux核心原始碼中廣泛的使用巨集來進行結構體物件定義和初始化,但是進行物件初始化的時候需要注意巨集引數和結構體成員名衝突的問題,下面進行簡單測試說明,編寫一個程式建立一個結構體,然後使用巨集進行結構體初始化:
1 #include "stdio.h"
2
3 struct guy
4 {
5 int id;
6 char *name;
7 int age;
8 };
9
10 #define NEW_GUY(id,name,age) \
11 { \
12 .id = id, \
13 .name = name, \
14 .age = age, \
15 }
16
17 int main()
18 {
19 struct guy guy1 = NEW_GUY(0,"tangquan",22);
20 printf("%d,%s,%d\r\n",guy1.id,guy1.name,guy1.age);
21 return 0;
22 }
23
編譯後發現錯誤:
tq@ubuntu:/mnt/hgfs/vmshare$ gcc test.c -o tar
test.c: In function ‘main’:
test.c:19:28: error: expected identifier before numeric constant
struct guy guy1 = NEW_GUY(0,"tangquan",22);
^
test.c:12:3: note: in definition of macro ‘NEW_GUY’
.id = id, \
^
test.c:13:2: error: expected ‘}’ before ‘.’ token
.name = name, \
^
test.c:19:20: note: in expansion of macro ‘NEW_GUY’
struct guy guy1 = NEW_GUY(0,"tangquan",22);
^
tq@ubuntu:/mnt/hgfs/vmshare$
單看錯誤我是真沒找到有什麼問題,後來發現巨集引數名和結構體的成員名相同,我猜想巨集展開之後會不會出現奇異,例如12行的“.id = id”會被展開成“.0 = 0”而不是“.id = 0”,所以我將程式的巨集修改了一下巨集引數:
1 #include "stdio.h"
2
3 struct guy
4 {
5 int id;
6 char *name;
7 int age;
8 };
9
10 #define NEW_GUY(_id,_name,_age) \
11 { \
12 .id = _id, \
13 .name = _name, \
14 .age = _age, \
15 }
16
17 int main()
18 {
19 struct guy guy1 = NEW_GUY(0,"tangquan",22);
20 printf("%d,%s,%d\r\n",guy1.id,guy1.name,guy1.age);
21 return 0;
22 }
23
修改後編譯無錯,執行正常,不知道問題是不是我猜想的那樣,反正巨集引數名和結構體的成員名不要相同就行了。