1

自从我开始使用 MVVM 以来,我一直使用 PRISM 的 DelegateCommand 类将我的视图模型中的命令绑定到我的视图中的按钮命令。我相信 Telerik 也有一个等效的 DelegateCommand。

我的问题是,是否有使用 prism 和 telerik 等 3rd 方框架的内置替代方案。如果我将一个快速的一次性应用程序放在一起,我可能不想从 NuGet 安装包的麻烦。有没有办法使用 Func 或 Action 或委托来实现相同的目标?

4

1 回答 1

1

不,您仍然需要一个Command实现ICommand. 但是,您可以非常轻松地编写自己的 DelegateCommand内容(引文,我在不到一分钟的时间内就将其从头顶上写了下来):

public class DelegateCommand : ICommand
{
     private Action<object> execute;

     public DelegateCommand(Action<object> executeMethod)
     {
          execute = executeMethod;
     }

     public bool CanExecute(object param)
     {
         return true;
     }

     public void Execute(object param)
     {
         if (execute != null)
             execute(param);
     }
}

使用和享受!Func<bool, object>如果您想要自定义CanExecute行为而不是返回 true,则可以采用附加参数。

请注意,如果您真的不喜欢null该函数,并且希望它在尝试时抛出,请改用此构造函数:

     public DelegateCommand(Action<object> executeMethod)
     {
          if (executeMethod == null)
              throw new ArgumentNullException("executeMethod");

          execute = executeMethod;
     }
于 2015-02-10T23:12:21.410 回答