关于extern引出的问题

问题

项目中在.mm文件中使用宏:

#if !defined(YYC_CONST_STRING)
#   if defined(__cplusplus)
#       define YYC_CONST_STRING extern "C"
#   else
#       define YYC_CONST_STRING NSString * const
#   endif
#endif

#if !defined(YYC_EXTERN_CONST_STRING)
#   if defined(__cplusplus)
#       define YYC_EXTERN_CONST_STRING extern "C"
#   else
#       define YYC_EXTERN_CONST_STRING extern NSString * const
#   endif
#endif

报错:

12:25: C++ requires a type specifier for all declarations

解析

iOS的常量声明与定义

iOS中声明常量

extern NSString * const = kConstName;

定义常量

NSString * const kConstName = @"kConstName";

这个是iOS中定义常量的方式。

解析宏

__cplusplusplus意思为+,所以__cplusplus就是C++的意思,它是C++预编译的宏,表明它是C++代码比如OC的.mm文件,就会进入它的预编译。

extern有两个作用:

  • 当它与"C"一起连用时,如: extern "C" void fun(int a, int b); 则告诉编译器在编译fun这个函数名时按着C的规则去翻译相应的函数名而不是C++的, C++的规则在翻译这个函数名时会把fun这个名字变得面目全非,可能是fun@aBc_int_int#%$也可能是别的,这要看编译器的"脾气"了 (不同的编译器采用的方法不一样),为什么这么做呢,因为C++支持函数的重载啊,在这里不去过多的论述这个问题,如果你有兴趣可以去网上搜索,相信你可 以得到满意的解释!
  • 当extern不与"C"在一起修饰变量或函数时,如在头文件中: extern int g_Int; 它的作用就是声明函数或全局变量的作用范围的关键字,其声明的函数和变量可以在本模块或其他模块中使用,记住它是一个声明不是定义!也就是说B模块(编译 单元)要是引用模块(编译单元)A中定义的全局变量或函数时,它只要包含A模块的头文件即可, 在编译阶段,模块B虽然找不到该函数或变量,但它不会报错,它会在链接时从模块A生成的目标代码中找到此函数。

修正宏

兼容C++的处理
#if !defined(YYC_CONST_STRING)
#   if defined(__cplusplus)
#       define YYC_CONST_STRING extern "C" NSString * const
#   else
#       define YYC_CONST_STRING NSString * const
#   endif
#endif

#if !defined(YYC_EXTERN_CONST_STRING)
#   if defined(__cplusplus)
#       define YYC_EXTERN_CONST_STRING extern "C" NSString * const
#   else
#       define YYC_EXTERN_CONST_STRING extern NSString * const
#   endif
#endif
粗暴处理
#if !defined(YYC_CONST_STRING)
# define YYC_CONST_STRING NSString * const
#endif

#if !defined(YYC_EXTERN_CONST_STRING)
# define YYC_EXTERN_CONST_STRING extern NSString * const
#endif

这样直接用OC的写法可能导致C++在链接的时候函数名问题导致找不到相关常量。

你可能感兴趣的:(关于extern引出的问题)