我有一个 C++11 应用程序代码使用的 C99 代码实用程序库。一些内联函数以 C99 风格声明,并在翻译单元中显式生成代码,例如:
// buffer.h
inline bool has_remaining(void* obj) {
...
}
// buffer.c
extern inline bool has_remaining(void * obj);
但是,当我尝试has_remaining
在 C++ 应用程序中使用时,我在链接时收到有关多个定义的错误。extern "C"
尽管标头保护说明符,g++ 似乎正在实例化库中已经存在的内联代码。
有没有办法强制 g++ 使用这种类型的定义?
看起来如果我#ifdef __cplusplus
使用该属性进行外部定义,gnu_inline
就会发生正确的事情,但肯定有一种更便携的方法可以使现代 C 头文件与现代 C++ 兼容?
-- 编辑:工作示例 --
缓冲区.h:
#ifndef BUFF_H
#define BUFF_H
#include <stdbool.h>
#include <stddef.h>
#ifdef __cplusplus
extern "C" {
#endif
inline bool has_remaining(void const* const obj) {
return (obj != NULL);
}
#ifdef __cplusplus
}
#endif
#endif /* BUFF_H */
缓冲区.c:
#include "buffer.h"
extern inline bool has_remaining(void const* const obj);
应用程序.cpp:
#include <stdlib.h>
#include <stdio.h>
#include "buffer.h"
int main(int argc, char** argv) {
char const* str = "okay";
printf(str);
has_remaining(str);
return (0);
}
编译:
$ gcc -std=gnu99 -o buffer.o -c buffer.c
$ g++ -std=gnu++11 -o app.o -c app.cpp
$ g++ -Wl,--subsystem,console -o app.exe app.o buffer.o
buffer.o:buffer.c:(.text+0x0): multiple definition of `has_remaining'
app.o:app.cpp:(.text$has_remaining[_has_remaining]+0x0): first defined here
collect2.exe: error: ld returned 1 exit status
--Edit 2--
该__gnu_inline__
属性确实解决了多个定义的问题。我仍然希望看到一种(更多)可移植方法或一些决定性的推理为什么不存在。
#if defined(__cplusplus) && defined(NOTBROKEN)
#define EXTERN_INLINE extern inline __attribute__((__gnu_inline__))
#else
#define EXTERN_INLINE inline
#endif
EXTERN_INLINE bool has_remaining(void const* const obj) {
return (obj != NULL);
}