我有以下代码:
test_header.h:
typedef enum _test_enum test_enum;
enum _test_enum
{
red,
green,
blue
};
typedef struct _test_struct test_struct;
struct _test_struct
{
int s1;
int s2;
int s3;
};
test.c的:
#include <test_header.h>
#include <stdio.h>
int main()
{
test_struct s;
s.s1=1;
s.s2=2;
s.s3=3;
printf("Hello %d %d %d\n", s.s1, s.s2, s.s3 );
}
test_cpp.cpp:
extern "C"{
#include <test_header.h>
}
#include <stdio.h>
int main()
{
test_struct s;
s.s1=1;
s.s2=2;
s.s3=3;
printf("Hello %d %d %d\n", s.s1, s.s2, s.s3 );
}
注意我是如何以相同的方式对结构和枚举进行类型化。当我使用gcc -I. test.c -o test
直接编译时,它运行正常,但是当使用gcc -I. test_cpp.cpp -o test_cpp
在C ++中编译时,我收到以下错误:
./test_header.h:1:14: error: use of enum ‘_test_enum’ without previous declaration
所以我的问题是双重的:为什么这在C中起作用而不是C ++,为什么编译器接受结构而不是枚举?
在enum上面声明结构时,我得到了相同的行为。我正在使用GCC 4.8.2。
答案 0 :(得分:6)
枚举是一个整数类型,编译器根据枚举值的范围选择确切的类型。因此,您无法对枚举进行前向声明。
答案 1 :(得分:5)
ISO C标准禁止对enum
类型的前向引用。我不完全确定,但我想这是确认它的摘录:
6.7声明
1 [...]
<强>约束强>
2声明至少应声明一个声明者(声明除外) 函数的参数或结构或联合的成员),a 标记或枚举的成员。
3 [...]
如果这是错误的,并且您知道哪个部分确切引用了该问题,请更正我。
因此,您不能在C中使用枚举的前向声明。虽然,GCC允许它作为扩展,但如果您启用-Wpedantic
切换,肯定会发出警告。
顺便说一下,你可以这样写:
typedef enum {
red,
green,
blue,
} test_enum;
根据标准完全没问题,因此即使使用-Wpedantic -Werror
也会编译。