Use Built in WPF commands with ViewModel
Ok, so I'm trying to grasp the concept of WPF Commands. They seem pretty straightforwar开发者_如何学编程d, until you try to forward the command to something that's not the XAML's code behind. I've seen several ways to do this with custom commands, but no straightforward explanation of how to do this with the built in WPF commands. Things like "Open", "save", "cut", etc.
Is there a simple way, using the RelayCommand class or something else, to forward the Open command to my ViewModel?
WPF's built-in ApplicationCommands
and the like were not originally designed with MVVM in mind, so they don't really match up when you try to put them in the ViewModel.
In WPF 4 it is now possible to bind InputCommands
to your ViewModel:
https://www.thomaslevesque.com/2009/10/26/vs2010-binding-support-in-inputbindings/
An alternative is to use a DelegateCommands
, which you can implement on your own or get from a library like Prism. You can define the DelegateCommand
as an object in your viewmodel and bind to it from your view.
Once you have the binding working you define what the command does in your viewmodel code.
If you're doing MVVM with WPF, I would strongly recommend looking at a framework to help you out, such as:
- Prism (provides its own DelegateCommand)
- MVVM Light Toolkit (provides its own RelayCommand)
- Caliburn.Micro (my favourite, provides Actions)
One way is to use an attached property to allow your ViewModel to define CommandBindings on the view. Check my blog post for details:
CommandBindings with MVVM
Suppose your ViewModel exposes a New command. You can re-route Application.New command binding to the VM with code like this. In XAML:
<Window.CommandBindings>
<CommandBinding Command="New" />
...
</Window.CommandBindings>
Then in code you can do something like this. (I like to keep code out of the code behind, so I house this in a utility class.)
foreach (CommandBinding cb in CommandBindings)
{
switch (((RoutedUICommand)cb.Command).Name)
{
case "New":
cb.Executed += (sender, e) => ViewModel.New.Execute(e);
cb.CanExecute += (sender, e) => e.CanExecute = ViewModel.New.CanExecute(e);
break;
}
}
The anonymous methods provide a thunk between RoutedUICommand and ICommand.
EDIT: Alternatively, it's considered a best practice to set the command binding explicitly with the CommandManager rather than adding handlers.
CommandManager.RegisterClassCommandBinding(typeof(MainWindow),
new CommandBinding(ApplicationCommands.New,
(sender, e) => ViewModel.NewScore.Execute(e),
(sender, e) => e.CanExecute = ViewModel.NewScore.CanExecute(e)));
精彩评论