0

我正在使用 ac# 包装器,在 c++ 库中,被调用的函数返回一个指向类对象的指针。在 c# 包装器中,如果我调用该方法,它会返回一个接口变量。该接口变量为空,因此我无法获取值。我应该如何处理该接口变量以获取值。任何人请帮助我。

在下面的代码中,我们有 ROOTNET.Interface.NTH1F 它是一个接口,其中 ROOTNET.NTH1F 是一个类

using ROOTNET.Utility;
using ROOTNET.Interface;

NTH1F g = new ROOTNET.NTH1F("g", "background removal", doubleArrayX.Length - 1,    
    doubleArrayX);

g.SetContent(doubleArrayY);
g.GetXaxis().SetRange(xmin, xmax);

ROOTNET.NTH1F bkg = new ROOTNET.NTH1F(g);
bkg.Reset();

bkg.Add(g.ShowBackground(80, ""));

在上面我希望将背景删除的值保存在 bkg 中,但 bkg 包含全零,请您帮我将 g 的背景删除值保存到 bkg 中。

ShowBackground(int niter, string option)方法的代码在哪里

public unsafe virtual NTH1 ShowBackground (int niter, string option)
{
    NetStringToConstCPP netStringToConstCPP = null;
    NetStringToConstCPP netStringToConstCPP2 = new NetStringToConstCPP (option);
    NTH1 bestObject;
    try
    {
        netStringToConstCPP = netStringToConstCPP2;
        int num = *(int*)this._instance + 912;
        bestObject = ROOTObjectServices.GetBestObject<NTH1> (calli ((), this._instance, niter, netStringToConstCPP.op_Implicit (), *num));
    }
    catch
    {
        ((IDisposable)netStringToConstCPP).Dispose ();
        throw;
    }
    ((IDisposable)netStringToConstCPP).Dispose ();
    return bestObject;
}
4

1 回答 1

1

您不能将 C++ 返回的指针值视为接口(除非它是 COM 接口,我猜)。C++ 和 C# 类和接口可能(并且很可能确实)具有不同的低级结构,因此您不能简单地将一个转换为另一个。

唯一的方法是围绕库返回的 C++ 类编写另一个包装器。它应该看起来不那么像:

C++/DLL:

__declspec(dllexport) void * ReturnInstance()
{
    return new MyClass();
}

__declspec(dllexport) void MyClass_CallMethod(MyClass * instance)
{
    instance->Method();
}

C#:

[DllImport("MyDll.dll")]
private static extern IntPtr ReturnInstance();

class MyClassWrapper
{
     private IntPtr instance;

     [DllImport("MyDll.dll")]
     private static extern void MyClass_CallMethod(IntPtr instance);

     public MyClassWrapper(IntPtr newInstance)
     {
         instance = newInstance;
     }

     public void Method()
     {
         MyClass_CallMethod(instance);
     }
}

// (...)

IntPtr myClassInstance = ReturnInstance();
MyClassWrapper wrapper = new MyClassWrapper(myClassInstance);
wrapper.Method();

希望这可以帮助。

于 2013-05-08T06:08:03.930 回答