我正在构建一个加载C ++库的C#应用程序。 我从该C ++ DLL调用函数。我使用下面的函数来显示输入字符串。
c ++ dll:
wchar_t* Test_EchoString( wchar_t *InputStr )
{
String HWStr = String( InputStr );
return HWStr.c_str();
}
c#code:
[DllImport("testDll.dll", CallingConvention = CallingConvention.Cdecl, CharSet = CharSet.Unicode)]
public static extern int _Test_EchoString([MarshalAs(UnmanagedType.LPWStr)] string s);
private void echo_string_Click(object sender, RoutedEventArgs e)
{
string upn = "aaaaa";
_Test_EchoString(upn);
MessageBox.Show(_Test_EchoString(upn).ToString());
}
我收到消息框号码18666252,但我想从_Test_EchoString()
获取字符串。
答案 0 :(得分:2)
您的代码中存在一对问题:
在您的C#中,您将_Test_EchoString
定义为public static extern int _Test_EchoString
,因此当您执行它时,返回的值将是字符串HWStr.c_str()
的第一个字符的地址。
在这里它显示了另一个问题,正如anderas所说,你返回一个无效指针,因为HWStr.c_str()
返回指向std::wstring
对象当前值的指针,所以只要wstring
它有效1}}有效,所以当方法Test_EchoString
结束执行时,它就不再有效了(因为HWStr
被销毁了。)
有多种方法可以解决这些问题,我将向您展示其中的两个:
1)第一种是分配你想要在堆中返回的内存,稍后再用另一个调用释放它:
static wchar_t *Test_EchoStringResult;
extern "C" __declspec(dllexport) const wchar_t * Test_EchoStringNew(const wchar_t *InputStr)
{
std::wstring HWStr(InputStr);
HWStr += L" something";
Test_EchoStringResult = new wchar_t[HWStr.length() + sizeof(wchar_t)];
HWStr.copy(Test_EchoStringResult, HWStr.length());
Test_EchoStringResult[HWStr.length()] = L'\0';
return Test_EchoStringResult;
}
extern "C" __declspec(dllexport) void Test_EchoStringDelete()
{
delete[] Test_EchoStringResult;
}
这是C#中的用法:
[DllImport("testDll.dll", CallingConvention = CallingConvention.Cdecl, CharSet = CharSet.Unicode)]
public static extern IntPtr Test_EchoStringNew(string foo);
[DllImport("testDll.dll", CallingConvention = CallingConvention.Cdecl, CharSet = CharSet.Unicode)]
public static extern void Test_EchoStringDelete();
public void foo()
{
string result = Marshal.PtrToStringAuto(Test_EchoStringNew("test"));
MessageBox.Show(result.ToString());
Test_EchoStringDelete();
}
对我而言,这看起来很丑陋,所以我更喜欢使用其他模式
2)将回调传递给C方法,并在HWStr.c_str()
仍然有效时传递给此方法HWStr
:
extern "C" __declspec(dllexport) void Test_EchoString(const wchar_t *InputStr, void (*callback)(const wchar_t*))
{
std::wstring HWStr(InputStr);
HWStr += L" something";
callback(HWStr.c_str());
}
这是C#用法:
[UnmanagedFunctionPointer(CallingConvention.Cdecl, CharSet = CharSet.Unicode)]
public delegate void myCallback(string toShow);
[DllImport("testDll.dll", CallingConvention = CallingConvention.Cdecl, CharSet = CharSet.Unicode)]
public static extern void Test_EchoString(string foo, myCallback callback);
public void foo()
{
Test_EchoString("test", callback);
}
void callback(string toShow)
{
MessageBox.Show(toShow);
}