我在C的dll中具有此功能,无法更改它:
extern "C" SIBIO_MULTILANGUAGE_API_C DWORD getLabel(const char* const i_formName,
const char* const i_fieldName,
wchar_t** i_output);
我知道此调用内部使用
wchar_t*
函数为CoTaskMemAlloc
分配了内存。在C#中,我以这种方式包装了此函数:
[DllImport("sibio_multilanguage_c.dll", EntryPoint = "getLabel", CallingConvention = CallingConvention.Cdecl)]
private static extern UInt32 _getLabel([In] string i_formName, [In] string i_fieldName,
[MarshalAs(UnmanagedType.LPWStr)] out string i_output);
static public string getLabel(string i_formName, string i_fieldName)
{
string str = null;
UInt32 err = _getLabel(i_formName, i_fieldName, out str);
if (0 != err)
{
throw new System.IO.FileNotFoundException();
}
return str;
}
我能够正确读取
wchar_t*
的内容,但是以这种方式读取时,我不会释放C函数中分配的内存。如何阅读
wchar_t*
并能够将其释放?任何帮助是极大的赞赏! 最佳答案
感谢@Dai和@IanAbbot的评论,我提出了一个完美的解决方案:
[DllImport("sibio_multilanguage_c.dll", EntryPoint = "getLabel", CallingConvention = CallingConvention.Cdecl)]
private static extern UInt32 _getLabel([In] string i_formName, [In] string i_fieldName,
out IntPtr i_output);
static public string getLabel(string i_formName, string i_fieldName)
{
IntPtr i_result;
string str = null;
UInt32 err = _getLabel(i_formName, i_fieldName, out i_result);
if (0 != err)
{
throw new System.IO.FileNotFoundException();
}
str = Marshal.PtrToStringAuto(i_result);
Marshal.FreeCoTaskMem(i_result);
return str;
}
关于c# - 将wchar_t **从C++打包为C#作为out参数?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39956697/