【C】 25_#和##操作符分析

TianSong發表於2019-05-09

#運算子

  • # 運算子用於在預處理期將巨集引數轉換為字串
  • # 的轉換作用是在預處理期完成的,因此只在巨集定義中有效
  • 編譯器不知道 # 的轉換作用

用法

#define STRING(x) #x
printf("%s
", STRING(Hello word));

例項分析: #運算子的基本用法

#include <stdio.h>

#define STRING(x) #x

int main()
{
    printf("%s
", STRING(Hello word));
    printf("%s
", STRING(100));
    printf("%s
", STRING(while));
    printf("%s
", STRING(return));
}
輸出:
Hello word
100
while
return

Test_2.i

printf("%s
", "Hello word");
printf("%s
", "100");
printf("%s
", "while");
printf("%s
", "return");

例項分析: # 運算子的妙用

Test_2.c

#include <stdio.h>

#define CALL(f, p) (printf("Call funtion %s
", #f), f(p))

int square(int n)
{
    return n * n;
}

int func(int x)
{
    return x;
}

int main()
{
    int result = 0;
    
    result = CALL(square, 4);
    
    printf("result = %d
", result);
    
    result = CALL(func, 10);
    
    printf("result = %d
", result);
    
    return 0;
}
輸出:
Call funtion square
result = 16
Call funtion func
result = 10

Test_2.i

 result = (printf("Call funtion %s
", "square"), square(4));

 result = (printf("Call funtion %s
", "func"), func(10));

##運算子

  • ## 運算子用於在預處理期粘結兩個識別符號
  • ## 的連線作用是在預處理期完成的,因此只在巨集定義中有效
  • 編譯器不知道 ## 的連線作用

用法

#define CONNECT(a, b) a##b
int CONNECT(a, 1);    // int 1
a1 = 2;

例項分析: ## 運算子的基本用法

Test_3.c

#include <stdio.h>

#define NAME(n) name##n

int main()
{
    int NAME(1);
    int NAME(2);
    
    NAME(1) = 1;
    NAME(2) = 2;
    
    printf("%d
", NAME(1));
    printf("%d
", NAME(2));
}
輸出:
1
2

Test_3.i

int main()
{
    int name1;
    int name2;

    name1 = 1;
    name2 = 2;

    printf("%d
", name1);
    printf("%d
", name2);
}

例項分析:運算子的工程應用

Test_3.c

#include <stdio.h>

#define STRUCT(type) typedef struct _tag_##type type;
                     struct _tag_##type
                     
STRUCT(Student)
{
    char* name;
    int id;
};

int main()
{
    Student s1;
    Student s2;
    
    s1.name = "s1";
    s1.id = 1;
    
    s2.name = "s2";
    s2.id = 2;

    printf("s1.name = %s
", s1.name);
    printf("s1.id = %d
", s1.id);
    printf("s2.name = %s
", s2.name);
    printf("s2.id = %d
", s2.id);
    
    return 0;
}
輸出:
s1.name = s1
s1.id = 1
s2.name = s2
s2.id = 2

Test_4.i

typedef struct _tag_Student Student; struct _tag_Student
{
 char* name;
 int id;
};

小結

  • # 運算子用於在預處理期將巨集引數轉換為字串
  • ## 運算子用於在預處理期粘連兩個識別符號
  • 編譯器不知道 # 和 ## 運算子的存在
  • # 和 ## 運算子只在巨集定義中有效

以上內容參考狄泰軟體學院系列課程,請大家保護原創!

相關文章