在Linux中,单声道调用我的.so lib返回System.EntryPointNotFoundException

时间:2018-07-17 14:33:29

标签: c# c++ mono

这是我的c ++代码

#include "_app_switcher.h"

std::string c_meth(std::string str_arg) {
    return "prpr";
}

我的单声道代码:

    [Test]
    public void TestDraft()
    {
        Console.WriteLine(c_meth("prpr"));
    }

    [DllImport("/home/roroco/Dropbox/cs/App.Switcher/c/app-switcher/lib/libapp-switcher-t.so")]
    private static extern string c_meth(string strArg);

错误输出:

System.EntryPointNotFoundException : c_meth
  at (wrapper managed-to-native) Test.Ro.EnvTest.c_meth(string)
  at Test.Ro.EnvTest.TestDraft () [0x00001] in /home/roroco/Dropbox/cs/Ro/TestRo/EnvTest.cs:15 
  at (wrapper managed-to-native) System.Reflection.MonoMethod.InternalInvoke(System.Reflection.MonoMethod,object,object[],System.Exception&)
  at System.Reflection.MonoMethod.Invoke (System.Object obj, System.Reflection.BindingFlags invokeAttr, System.Reflection.Binder binder, System.Object[] parameters, System.Globalization.CultureInfo culture) [0x00032] in <71d8ad678db34313b7f718a414dfcb25>:0

我猜是因为我的头文件不在/ usr / include中,所以如何在mono中指定c ++头文件?

1 个答案:

答案 0 :(得分:2)

代码不起作用的原因有两个:

  1. 函数c_meth在共享库中不存在。确实存在的功能是_Z6c_methNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
  2. C ++类std::string和.NET类System.String是不同的,完全不相关。 .NET仅知道如何将System.String编组为const char*,反之亦然。

C ++允许函数重载。这意味着它需要一种方法来区分void foo(int)void foo(std::string)。为此,它使用name mangling为每个重载生成一个唯一的名称。要禁用功能的名称修饰,您可以使用extern "C"说明符对其进行声明。这也将您限制为类似C的接口,因此您只能传递和返回原始对象和指针。没有类别或参考。不过,这很好,因为.NET不知道如何处理C ++类。您需要接受一个原始的const char*参数并返回一个const char*

extern "C" const char* c_meth(const char* str_arg) {
    return "prpr";
}

返回字符串也是有问题的。将字符串复制到托管堆后,.NET将尝试取消分配返回的内存。由于在这种情况下返回的字符串未使用适当的分配方法进行分配,因此将失败。为避免这种情况,您需要在C#中声明导入的方法以返回IntPtr并使用Marshal.PtrToString(Ansi|Unicode)转换为System.String

如果您确实需要返回字符串常量以外的内容,则有两种选择:

  1. 使用适当的功能为字符串分配内存。使用的功能取决于平台。有关使用哪个功能的信息,请参见Mono's documentation
  2. 在C#中分配内存,并使用System.Text.StringBuilder将缓冲区传递给非托管函数:

C ++方面:

extern "C" void c_meth(const char* str_arg, char* outbuf, int outsize) {
    std::string ret = someFunctionThatReturnsAString(str_arg);
    std::strncpy(outbuf, ret.c_str(), outsize);
}

C#侧:

[Test]
public void TestDraft()
{
    StringBuilder sb = new StringBuilder(256)
    c_meth("prpr", sb, 256);
    Console.WriteLine(sb.ToString());
}

[DllImport("/home/roroco/Dropbox/cs/App.Switcher/c/app-switcher/lib/libapp-switcher-t.so")]
private static extern void c_meth(string strArg, StringBuilder outbuf, int outsize);