将 C++/CX "delegate" 对象转换为 C++/WinRT 中的等效对象

Converting the C++/CX "delegate" object over to its equivalent in C++/WinRT

我是 WinRT 新手。我正在将用 C++/CX 编写的 Windows UWP 应用程序转换为 C++/WinRT。我有一个 C++/CX ref class,它基本上与 C# 中的 Microsoft.VisualStudio.PlatformUI.DelegateCommand class 做同样的事情。我的 C++ class 实现了 ICommand,其中 ExecuteCanExecute 回调由委托处理。头文件的缩写代码如下所示:

public delegate void ExecuteDelegate(Platform::Object^ parameter);
public delegate bool CanExecuteDelegate(Platform::Object^ parameter);

public ref class DelegateCommand sealed :
    Windows::UI::Xaml::DependencyObject,
    Windows::UI::Xaml::Data::INotifyPropertyChanged,
    public Windows::UI::Xaml::Input::ICommand
{
public:
    DelegateCommand(ExecuteDelegate^ execute, CanExecuteDelegate^ canExecute);
    .
    .
    .
private:
    ExecuteDelegate^       m_executeDelegate = nullptr;
    CanExecuteDelegate^    m_canExecuteDelegate = nullptr;
    .
    .
    .
};

我的 DelegateCommand class 的典型实例化将弱指针和函数指针从具有 Execute 实现的 class 传递到构造函数和 CanExecute 方法:

Commands::Instance->UndoCommand = ref new DelegateCommand(
    ref new ExecuteDelegate(this, &SVGDocumentUserControl::ExecuteUndoCommand),
    ref new CanExecuteDelegate(this, &SVGDocumentUserControl::CanExecuteUndoCommand));

我确定这是一个简单的问题,但从我读到的内容来看我并不清楚,那么究竟如何在 C++/WinRT 中定义两个 C++/CX 委托?

public delegate void ExecuteDelegate(Platform::Object^ parameter);
public delegate bool CanExecuteDelegate(Platform::Object^ parameter);

[编辑:我也在摸索如何在 *.idl 文件中定义构造函数的函数指针。]

感谢您的耐心等待。

我看到您的代码将委托作为 public 类型(非内部)。因此,假设您确实确实需要它们成为组件的 public API 的一部分,您只需在 MIDL3 中定义您的委托(连同带有接受它们的构造函数的测试 class像这样:

namespace BlankApp1
{
    delegate void ExecuteDelegate(Object param);
    delegate Boolean CanExecuteDelegate(Object param);

    [default_interface]
    runtimeclass TestClass
    {
        TestClass(ExecuteDelegate execute, CanExecuteDelegate canExecute);
    }
}

从那里,您拥有这些委托的投影类型,以及 C++/WinRT 为委托提供的所有丰富支持。例如,TestClass 的实现很简单:

struct TestClass : TestClassT<TestClass>
{
    TestClass() = default;
    TestClass(BlankApp1::ExecuteDelegate const& execute, BlankApp1::CanExecuteDelegate const& canExecute)
        : m_execute(execute)
        , m_canExecute(canExecute)
    {}

private:
    ExecuteDelegate m_execute;
    CanExecuteDelegate m_canExecute;
};

并且实例化该类型,使用 C++/WinRT 的丰富委托支持很容易,并且将为您提供与在 C++/CX 中相同的生命周期安全语义(即,存储对象的弱引用及其成员函数指针)。


struct MyClass : winrt::implements<MyClass, winrt::Windows::Foundation::IInspectable>
{
    MyClass() = default;

    void Execute(winrt::Windows::Foundation::IInspectable const&)
    {
    }

    bool CanExecute(winrt::Windows::Foundation::IInspectable const&)
    {
        return true;
    }

    TestClass CreateCommand()
    {
        return TestClass{
            ExecuteDelegate{ get_weak(), &MyClass::Execute },
            CanExecuteDelegate{ get_strong(), &MyClass::CanExecute }
        };
    }
};