0

能够使用指针参数获取输出参数的适当签名/编组属性是什么?到目前为止,我试过这个:

// Function to calculate the norm of vector. !0 on error.
// int err_NormVec(int size, double * vector, double * norm)
[DllImport("vectors.dll")]
int err_NormVec(int size, double[] vector, ref double norm)

以前的方法不会将值从 C 弹出到 .NET。我还尝试使用带有 IntPtr 签名的固定 GCHandle。

[DllImport("vectors.dll")]
int err_NormVec(int size, double[] vector, IntPtr norm)

public void doSomething()
{
   double norm = 0;
   // ...
   GCHandle handle = GCHandle.Alloc(norm, GCHandleType.Pinned);
   int status = err_NormVec(vector.Lenght, vector, handle.AddrOfPinnedObject());
   // ... clean gchandle, check status and so on
}

在这种情况下,我得到了值,但在 GCHandle.Target 上,而不是在原始规范上。这很烦人。我希望能够将规范的 intptr 固定在它自己的位置上,而不仅仅是一个副本。

使用指针返回值的适当签名是什么?是否有支持将 IntPtr 转换为 int 值的方法?

4

1 回答 1

1

这对我有用(因为它应该):

//C++ DLL (__stdcall calling convention)
extern "C" __declspec(dllexport) void Foo(double *result) {
    *result = 1.2;
}

//C#    
class Program
{
    [DllImport( "Snadbox.dll", CallingConvention=CallingConvention.StdCall )]
    static extern void Foo( ref double output );

    static void Main( string[] args )
    {
        double d = 0;           
        Foo( ref d );

        Console.WriteLine( d ); // prints "1.2"         
    }
}

传递doubleusingref关键字就足够了。因此,我被引导相信实施中存在错误(或误解)。您可以为我们发布实现吗?

此外,也许您正在使用默认调用约定 ( cdecl) 构建 C++ 版本,但 .NET 使用的是StdCall. 你确定这些排列了吗?如果它们混合在一起,您可能会崩溃,但不能保证。例如,在我的示例中,如果我将 C++ 端更改为,cdecl则 out 参数将被读回为 0。

于 2012-04-11T18:53:24.673 回答