我有一个静态类,其中包含我想在绑定中使用的RoutedUICommand。
public static class CommandLibrary
{
public static ProjectViewModel Project { get; set; }
public static RoutedUICommand AddPage { get; private set; }
static CommandLibrary()
{
AddPage = new RoutedUICommand("AddPage", "AddPage", typeof(CommandLibrary));
}
public static void AddPage_Executed(object sender, ExecutedRoutedEventArgs args)
{
Project.AddPage();
}
public static void AddPage_CanExecute(object sender, CanExecuteRoutedEventArgs args)
{
// We need a project before we can add pages.
if (Project != null)
{
args.CanExecute = true;
}
else
{
// Did not find project, turning Add Page off.
args.CanExecute = false;
}
}
}
当我尝试为这个AddPage命令创建一个CommandBinding时,VS发出一声发脾气,抱怨它在Window1中找不到AddPage_CanExecute ...考虑到我看到的所有例子都表明这个XAML应该是没有意义的考虑到我的代码,我们可以做得很好:
<Window x:Class="MyProject.Window1"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="clr-namespace:MyProject">
<Menu>
<Menu.CommandBindings>
<CommandBinding Command="local:CommandLibrary.AddPage"
Executed="AddPage_Executed" CanExecute="AddPage_CanExecute" />
</Menu.CommandBindings>
<MenuItem Header="_Page">
<MenuItem Header="_New" Command="local:CommandLibrary.AddPage" />
</MenuItem>
</Menu>
</Window>
我也试过不包括Menu.CommandBindings部分,只是简单地使用它(根据this question建议但不具体):
<MenuItem Header="_New" Command="{x:Static local:CommandLibrary.AddPage}" />
它确定了错误流,但它生成的菜单项始终被禁用! CanExecute似乎永远不会被调用。我假设在这种情况下绑定失败了,虽然更安静。
为什么VS讨厌我的命令并且拒绝在正确的位置找到Executed和CanExecute方法?我见过很多例子(在 Pro WPF中 Matthew McDonald和几个在线自定义命令教程)在我这样做的时候做了这个。
答案 0 :(得分:11)
CommandBinding
就像您的可视树中的任何其他元素一样。在其上指定的任何事件都将由可视树的根处理(在这种情况下为Window
)。这意味着如果您将AddPage_Executed
和AddPage_CanExecute
移动到Window的代码后面,它就会起作用。这允许您在许多UI组件中使用相同的命令,但具有不同的处理程序。
但是,我看到你的命令对你的视图模型执行了一些逻辑。为了节省您的时间和挫折,请了解路由命令是错误的解决方案。相反,将您的命令封装在视图模型中,如下所示:
public class ProjectViewModel
{
private readonly ICollection<PageViewModel> _pages;
private readonly ICommand _addPageCommand;
public ProjectViewModel()
{
_pages = new ObservableCollection<PageViewModel>();
_addPageCommand = new DelegateCommand(AddPage);
}
public ICommand AddPageCommand
{
get { return _addPageCommand; }
}
private void AddPage(object state)
{
_pages.Add(new PageViewModel());
}
}
DelegateCommand
是ICommand
的一个实现,它调用委托来执行和查询命令。这意味着命令逻辑全部包含在命令中,您不需要CommandBinding
来提供处理程序(根本不需要CommandBinding
)。因此,您的视图只是绑定到您的VM,如下所示:
<MenuItem Header="_New" Command="{Binding AddPageCommand}"/>
我建议你仔细阅读这一系列文章,为你提供更多背景信息: