2

我正在尝试了解 WPF 应用程序的 MVVM

在下面的示例中,我们使用一个继承自 ICommand 的委托,然后在我们的 ViewModel 中,我们实例化该委托并提供适当的实现

我的问题是为什么我们不能让 ViewModel 实现 ICommand?

视图模型:

public class ViewModel : INotifyPropertyChanged
{
    public ViewModel()
    {
        InitializeViewModel();
    }

    protected void InitializeViewModel()
    {
        DelegateCommand MyCommand = new DelegateCommand<SomeClass>(
            SomeCommand_Execute, SomeCommand_CanExecute);    
    }

    void SomeCommand_Execute(SomeClass arg)
    {
        // Implementation
    }

    bool SomeCommand_CanExecute(SomeClass arg)
    {
        // Implementation
    }
}

委托命令:

public class DelegateCommand<T> : ICommand
{
    public DelegateCommand(Action<T> execute) : this(execute, null) { }

    public DelegateCommand(Action<T> execute, Predicate<T> canExecute) : this(execute, canExecute, "") { }

    public DelegateCommand(Action<T> execute, Predicate<T> canExecute, string label)
    {
        _Execute = execute;
        _CanExecute = canExecute;
    }
.
.
.
}
4

3 回答 3

3

原因是您的视图和命令数量之间存在一对多的关系。

通常每个 View 都有一个 ViewModel。但是您可能希望单个视图有许多命令。如果要将 ViewModel 用作命令,则必须有多个 ViewModel 实例。

典型的实现是您的 ViewModel 将包含您的 View 需要的所有命令的实例。

于 2013-03-13T18:00:21.500 回答
3

简短的回答:因为您的 ViewModel 不是命令。

此外,您的 ViewModel 可以包含多个命令。

public class ViewModel : INotifyPropertyChanged
{
    public ViewModel()
    {
        InitializeViewModel();

        OpenCommand = new DelegateCommand<SomeClass>(
            param => { ... },
            param => { return true; }); 

        SaveCommand = new DelegateCommand<SomeClass>(
            param => { ... },
            param => { return true; });

        SaveAsCommand = new DelegateCommand<SomeClass>(
            param => { ... },
            param => { return true; });
    }

    public ICommand OpenCommand { get; private set; }

    public ICommand SaveCommand { get; private set; }

    public ICommand SaveAsCommand { get; private set; }
}

现在您可以将这些命令绑定到您的视图,因为它们是一个属性。

于 2013-03-13T18:03:13.930 回答
0

您可以通过ICommand这种方式实现 - 这是一种非常常见的实现方式ICommand。话虽如此,您仍然需要MyCommand在 ViewModel 上创建一个属性才能绑定到它。

于 2013-03-13T17:59:21.440 回答