-1

我正在尝试编写一个使用 C++ DLL 的基于 C# 的 WPF 应用程序。C# 应用程序用于用户界面,它具有 WPF 的所有优点。C++ DLL 使用 Win32 函数(例如枚举窗口)。

现在我希望 C++ DLL 引发可以在 C# 应用程序中处理的事件。这是我尝试过的(基于这篇文章):

//cpp file

#using <System.dll>

using namespace System;

struct WIN {
    HWND Handle;
    char ClassName;
    char Title;
};

delegate void wDel(WIN);
event wDel^ wE;
void GotWindow(WIN Window) {
    wE(Window);
}

当我尝试编译此代码时,会引发以下错误:

C3708: 'wDel': 不当使用 'event'; 必须是兼容事件源的成员

C2059:语法错误:“事件”

C3861:“wE”:未找到标识符

4

1 回答 1

0

您的事件需要是某个托管类的成员,可能是静态的。例如:

#include "stdafx.h"
#include "windows.h"

using namespace System;

struct WIN {
    HWND Handle;
    char ClassName;
    char Title;
};

delegate void wDel(WIN);

ref class WindowEvents abstract sealed // abstract sealed ref class in c++/cli is like a static class in c#
{
    public:
        static event wDel^ wE;

        static void GotWindow(WIN Window) {
            wE(Window);
        }
};

更新

如果您需要将 unmanaged 转换HWNDIntPtr,因为IntPtr这是c# 中 HWND 的标准 P/Invoke 签名,您可能会考虑以下内容:

#include "stdafx.h"
#include "windows.h"

using namespace System;

#pragma managed(push,off)

struct WIN {  // Unmanaged c++ struct encapsulating the unmanaged data.
    HWND Handle;
    char ClassName;
    char Title;
};

#pragma managed(pop)

public value struct ManagedWIN  // Managed c++/CLI translation of the above.
{
public:
    IntPtr Handle; // Wrapper for an HWND
    char   ClassName;
    char   Title;
    ManagedWIN(const WIN win) : Handle(win.Handle), ClassName(win.ClassName), Title(win.Title)
    {
    }
};

public delegate void wDel(ManagedWIN);

public ref class WindowEvents abstract sealed // abstract sealed ref class in c++/cli is like a static class in c#
{
    public:
        static event wDel^ wE;

    internal:
        static void GotWindow(WIN Window) {
            wE(ManagedWIN(Window));
        }
};

这里ManagedWIN仅包含安全的 .Net 类型。

于 2014-10-27T19:04:18.410 回答