我正在编写一个需要通知客户端应用程序的C ++ DLL。在C ++(MFC)中,我可以在DLL中注册客户端窗口句柄,然后在需要通知客户端时调用PostMessage。当客户端是C#应用程序时,我该怎么办?
答案 0 :(得分:1)
PostMessage只是告诉Windows向另一个应用程序的主应用程序循环发出消息。如果客户端是C#应用程序,你几乎肯定会做同样的事情,所以更正确的问题是,如何读取发送到C#主应用程序循环的消息。
答案 1 :(得分:1)
您可以在C#窗口中覆盖WndProc方法来处理此特定消息
protected override void WndProc(ref Message m)
{
if (m.Msg = YOUR_MESSAGE)
{
// handle the notification
}
else
{
base.WndProc(ref m);
}
}
答案 2 :(得分:1)
可以通过向Windows句柄发布消息来实现。在你的dotnet类中创建一个虚拟窗口,可以拦截消息,然后触发消息。
这里有一些代码,你只需填写我使用WM_MYMESSAGE的地方,引用一个正确的Windows消息,现在在你的C ++ DLL中你可以发一条消息给它。请注意,我确信有更好的/其他方法可以做你想做的事情,但这也可能有效。
//Dummy window classes. Because we don't have access to the wndproc method of a form, we create
//dummy forms and expose the method to the SystemHotKeyHook class as an event.
/// <summary>
/// Inherits from System.Windows.Form.NativeWindow. Provides an Event for Message handling
/// </summary>
private class NativeWindowWithEvent : System.Windows.Forms.NativeWindow
{
public event MessageEventHandler ProcessMessage;
protected override void WndProc(ref Message m)
{
//Intercept the message you are looking for...
if (m.Msg == (int)WM_MYMESSAGE)
{
//Fire event which is consumed by your class
if (ProcessMessage != null)
{
bool Handled = false;
ProcessMessage(this, ref m, ref Handled);
if (!Handled)
{
base.WndProc(ref m);
}
}
else
{
base.WndProc(ref m);
}
}
else
{
base.WndProc(ref m);
}
}
}
/// <summary>
/// Inherits from NativeWindowWithEvent and automatic creates/destroys of a dummy window
/// </summary>
private class DummyWindowWithEvent : NativeWindowWithEvent, IDisposable
{
public DummyWindowWithEvent()
{
CreateParams parms = new CreateParams();
this.CreateHandle(parms);
}
public void Dispose()
{
if (this.Handle != (IntPtr)0)
{
this.DestroyHandle();
}
}
}
拦截消息的类:
// <summary>
/// System hotkey interceptor
/// </summary>
public class MessageIntercept: IDisposable
{
private delegate void MessageEventHandler(object Sender, ref System.Windows.Forms.Message msg, ref bool Handled);
//Window for WM_MYMESSAGE Interceptor
private DummyWindowWithEvent frmDummyReceiver_m;
/// <summary>
/// Default constructor
/// </summary>
public MessageIntercept()
{
this.frmDummyReceiver_m = new DummyWindowWithEvent();
this.frmDummyReceiver_m.ProcessMessage += new MessageEventHandler(this.InterceptMessage);
}
private void InterceptMessage(object Sender, ref System.Windows.Forms.Message msg, ref bool Handled)
{
//Do something based on criteria of the message
if ((msg.Msg == (int)WM_MYMESSAGE) &&
(msg.WParam == (IntPtr)xyz))
{
Handled = true;
System.Diagnostics.Debug.WriteLine("Message intercepted.");
}
}
}
答案 3 :(得分:1)
根据两者合作的密切程度,我可能会使用回调/事件方法。
对我来说整个“PostMessage”的方法,看起来有点像黑客(取决于你想做什么,如果它是你发布的标准信息,那显然很好)
您可以为本机类创建托管C ++包装器,托管包装器可以处理回调并发出托管(C#兼容)事件,C#类可以监听该事件。
一般来说,我非常喜欢通过托管C ++层将本机C ++链接到C# - 这样你的C#应用程序就不需要知道本机C ++代码的所有“丑陋”的低级细节。 / p>
答案 4 :(得分:0)
如果你想实现一个穷人的发布 - 订阅模式,回调是可行的方法。 this thread中有一些很好的信息。