如何传递extern(C)函数文字?

时间:2016-04-03 09:48:30

标签: c interface callback d function-literal

说我正在与C接口。

这是界面的包装功能。

@property extern(C) void onEvent(void function(InterfaceStruct*, int, int, int) nothrow callback)
{
        interfaceSetCallback(handle, callback);
}

一切都很好。

wrapper.onEvent = function void  (InterfaceStruct*, int x, int y, int z) nothrow
{
        if (x == 11) doSomething();
};

哦,哦:

Error: function foo.bar.onEvent (void function(InterfaceStruct*, int, int, int) nothrow callback) is not callable using argument types (void function(InterfaceStruct* _param_0, int x, int y, int z) nothrow @nogc @safe)

所以,它希望我将函数文字作为extern(C)。那我该怎么办呢?我无法找到任何办法。

1 个答案:

答案 0 :(得分:3)

您可以使用

简单地分配onEvent,而不是提供整个函数定义
wrapper.onEvent = (a, x, y, z)
{
    if (x == 11) doSomething();
};

D会自动为其指定正确的类型。

此外,您的代码实际上应该给您一个语法错误,因为在将其用于函数指针定义时实际上不允许使用extern(C)。

您也可以为函数指针类型定义别名,并将赋值转换为它:

alias EventCallback = extern(C) void function(InterfaceStruct*, int, int, int) nothrow;

@property extern(C) void onEvent(EventCallback callback)
{
        interfaceSetCallback(handle, callback);
}

// ...

wrapper.onEvent = cast(EventCallback) function void(InterfaceStruct*, int x, int y, int z) nothrow
{
        if (x == 11) doSomething();
};