是的,如果您在 C++ 代码之上公开 C API,则可以通过 FFI 使用 C++ 代码。
一种常见的模式是将一个类的所有“方法”简单地包装为 C 过程,这样该类的对象可以被视为可以应用这些函数的不透明指针。
例如,给定代码 ( foo.h
):
class foo
{
public:
foo(int a) : _a(a) {}
~foo() { _a = 0; } // Not really necessary, just an example
int get_a() { return _a; }
void set_a(int a) { _a = a; }
private:
int _a;
}
...您可以轻松创建所有这些方法的 C 版本 ( foo_c.h
):
#ifdef __cplusplus
typedef foo *foo_ptr;
extern "C"
{
#else
typedef void *foo_ptr;
#endif
foo_ptr foo_ctor(int a);
void foo_dtor(foo_ptr self);
int foo_get_a(foo_ptr self);
void foo_set_a(foo_ptr self, int a);
#ifdef __cplusplus
} /* extern "C" */
#endif
那么,肯定有一些通过C++接口(foo_c.cpp
)实现C接口的适配器代码:
#include "foo.h"
#include "foo_c.h"
foo_ptr foo_ctor(int a) { return new foo(a); }
void foo_dtor(foo_ptr self) { delete self; }
int foo_get_a(foo_ptr self) { return self->get_a(); }
void foo_set_a(foo_ptr self, int a) { self->set_a(a); }
foo_c.h
现在可以将标头包含在 Haskell FFI 定义中。