前言

typeof() 是 GUN C 提供的一种特性,可参考C-Extensions,它可以取得变量的类型,或者表达式的类型

本文总结了 typeof() 关键字的常见用法,并给出了相应的例子,以加深理解 。

typeof() 关键字常见用法

(1)不用知道函数返回什么类型,可以使用 typeof() 定义一个用于接收该函数返回值的变量

(都能调用函数了,怎么不知道函数返回类型?)

  1. #include <stdio.h>
  2. #include <stdlib.h>
  3. #include <string.h>
  4. struct apple{
  5. int weight;
  6. int color;
  7. };
  8. struct apple *get_apple_info()
  9. {
  10. struct apple *a1;
  11. a1 = malloc(sizeof(struct apple));
  12. if(a1 == NULL)
  13. {
  14. printf("malloc error.\n");
  15. return;
  16. }
  17. a1->weight = 2;
  18. a1->color = 1;
  19. return a1;
  20. }
  21. int main(int argc, char *argv[])
  22. {
  23. typeof(get_apple_info()) r1;//定义一个变量r1,用于接收函数get_apple_info()返回的值,由于该函数返回的类型是:struct apple *,所以变量r1也是该类型。注意,函数不会执行。
  24. r1 = get_apple_info();
  25. printf("apple weight:%d\n", r1->weight);
  26. printf("apple color:%d\n", r1->color);
  27. return 0;
  28. }

(2)在宏定义中动态获取相关结构体成员的类型

如下代码,定义一个和变量 x 相同类型的临时变量_max1,定义一个和变量 y 相同类型的临时变量_max2,再判断两者类型是否一致,不一致给出一个警告,最后比较两者。

  1. #define max(x, y) ({ \
  2. typeof(x) _max1 = (x); \
  3. typeof(y) _max2 = (y); \
  4. (void) (&_max1 == &_max2); \//如果调用者传参时,两者类型不一致,在编译时就会发出警告。
  5. _max1 > _max2 ? _max1 : _max2; })

(上面的宏还有另一个好处,可避免传入的参数计算2次,例如。传入的x是++i,传入的y是++j )

如下代码,传入的a和b不是同一类型。

  1. int main(int argc, char *argv[])
  2. {
  3. int a=3;
  4. float b = 4.0;
  5. int r = max(a, b);
  6. printf("r:%d\n", r);
  7. return 0;
  8. }

此时编译就会出现警告

  1. [root@xx c_base]# gcc test.c
  2. test.c: 在函数‘main’中:
  3. test.c:43: 警告:比较不相关的指针时缺少类型转换

(3)也可直接取得已知类型


如下代码,定义了一个 int 类型的指针 p,像这种用法主没什么太大的意义了。

  1. int a = 2;
  2. typeof (int *) p;
  3. p = &a;
  4. printf("%d\n", *p);

(4)其它用法

  1. //其它用法1
  2. char *p1;
  3. typeof (*p1) ch = 'a'; //ch为char类型,不是char *类型。
  4. printf("%d, %c\n", sizeof(ch), ch);//1, a
  5. //其它用法2
  6. char *p2;
  7. typeof (p2) p = "hello world";//此时的p才是char *类型,由于在64位机器上,所以指针大小为8字节
  8. printf("%d, %s\n", sizeof(p), p);//8, hello world

总结

以上例子并没有穷举所有的情况,但其核心用法基本上就会了,其它的例子也可参考网上的例子。

参考文章

C 语言中 typeof() 函数的用法
C-Extensions

原文:https://blog.csdn.net/rosetta/article/details/90741468