最近算法组同事开发一个接口,如获取名称:
extern "C" __declspec(dllexport) void GetName(std::string& name);
打包成 dll 库后,供我这边 c# 项目中调用如下:
[DllImport("Test.dll", EntryPoint = "GetName", ExactSpelling = false, CallingConvention = CallingConvention.Cdecl)]
public static extern void GetName(out StringBuilder name);// 获取名称
public static string GetName()
{StringBuilder name = new StringBuilder(256);GetName(out name);return name.ToString();
}
正常情况下,并没有什么问题。但是如果连续两次调用 dll 库中方法,程序必报错,提示尝试读取或写入受保护的内存。
开始觉得是因为传参被修改导致,沟通后将名称通过函数返回值返回,避免参数修改。
extern "C" __declspec(dllexport) std::string GetName();
对应的,项目中程序也调整为:
[DllImport("Test.dll", EntryPoint = "GetName", ExactSpelling = false, CallingConvention = CallingConvention.Cdecl)]
public static extern string GetName();// 获取名称
public static string GetName()
{string name = GetName();return name;
}
运行后程序直接报错了,一番查询后大概率是因为 c# 中的 string 类型和 c++ 中的 std::string 类别不匹配导致。同时让同事改为返回 const char* 试试。即:
extern "C" __declspec(dllexport) const char* GetName();
调用如下:
[DllImport("Test.dll", EntryPoint = "GetName", ExactSpelling = false, CallingConvention = CallingConvention.Cdecl)]
public static extern IntPtr GetName();public static string GetName()
{IntPtr ptr = GetName();string name = Marshal.PtrToStringAnsi(ptr);return name;
}
至此,问题才得以解决。在正确返回信息的同时,即使连续调用也依然稳定可行。