This question already has answers here:
How to call C++ function from C?
(7 个回答)
Why can't templates be within extern “C” blocks?
(5 个回答)
Using “extern C” on non function call related declarations
(3 个回答)
2年前关闭。
我有一个 C++ 类
我试图在 C++ 文件中声明我的函数,然后将所有内容都作为
我不能(不想)改变这个包含,我需要它,因为它定义了
尝试 1 :
尝试 2 :
编辑以回应@artcorpse
尝试 3 :
现在这个
在定义这样的函数时,它也应该在该定义前面有
请记住,在该头文件中只能放置 C 特定的特性和函数。
还要记住,VLA(可变长度数组)是在 C 标准中,而不是在 C++ 标准中(大多数编译器支持 C++ 的 VLA)。
有关更多信息 see this page 。
(7 个回答)
Why can't templates be within extern “C” blocks?
(5 个回答)
Using “extern C” on non function call related declarations
(3 个回答)
2年前关闭。
我有一个 C++ 类
MyClass
,它声明了一个公共(public)枚举类型 MyEnum
,我想在 C 文件中使用该枚举。我怎样才能做到这一点 ?我试图在 C++ 文件中声明我的函数,然后将所有内容都作为
extern "C"
,但遗憾的是我使用了 big_hugly_include.h
中定义的一些函数,并且这个头文件不喜欢被包含为 external "C"
(它给了我一个 template with C linkage
错误)。我不能(不想)改变这个包含,我需要它,因为它定义了
my_function_from_big_include
。我被卡住了吗?my_class_definition.h
:class MyClass
{
public:
// I would like to keep it that way as it is mainly used in C++ files
typedef enum
{
MY_ENUM_0,
MY_ENUM_1,
MY_ENUM_2
} MyEnum;
};
尝试 1 :
my_c_function_definition.c
:#include "my_class_definition.h"
// I cannot remove this header
#include "big_hugly_include.h"
// foo is called in other C files
void foo()
{
// I need to call this function with the enum from the C++ class
// This doesn't work (class name scope does not exist in C)
my_function_from_big_include(MyClass::MyEnum::MY_ENUM_0);
}
尝试 2 :
my_c_function_definition.cpp
:#include "my_class_definition.h"
extern "C"
{
// Error template with C linkage
#include "big_hugly_include.h"
// foo is called in other C files
void foo()
{
// That would be ideal
my_function_from_big_include(MyClass::MyEnum::MY_ENUM_0);
}
// end of extern "C"
}
编辑以回应@artcorpse
尝试 3 :
my_c_function_definition.cpp
:#include "my_class_definition.h"
// Error multiple definition of [...]
// Error undefined reference to [...]
#include "big_hugly_include.h"
extern "C"
{
// foo is called in other C files
void foo()
{
// That would be ideal
my_function_from_big_include(MyClass::MyEnum::MY_ENUM_0);
}
// end of extern "C"
}
最佳答案
C++ 中的枚举概念源自 C,因此您唯一需要做的就是将此枚举的定义与 C 不知道的纯 cpp API 隔离(记住名称修改,见下文)。
由于 C 在类/结构枚举中不知道你不能使用它们。您必须定义全局范围枚举或创建这样的枚举来映射 C++ 特定的枚举。
因此,在共享 API 应位于的位置创建单独的头文件。做这样的事情:
// shared C, C++ header
#ifdef __cplusplus
extern "C"
{
#endif
enum YourMagicEnum {
YourMagicEnumAValue,
YourMagicEnumBValue,
YourMagicEnumCValue,
};
void someFunction(YourMagicEnum x);
#ifdef __cplusplus
} // extern "C"
#endif
现在这个
extern "C"
只需要用于禁用名称修改的函数(在 C++ 中,您可以执行函数重载,因此编译器生成包含参数类型信息的名称)。在定义这样的函数时,它也应该在该定义前面有
extern "C"
。请记住,在该头文件中只能放置 C 特定的特性和函数。
还要记住,VLA(可变长度数组)是在 C 标准中,而不是在 C++ 标准中(大多数编译器支持 C++ 的 VLA)。
有关更多信息 see this page 。
关于c++ - 如何使用 C 中的内部 C++ 类类型?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55372217/
10-17 01:40