虽然我已经找到了这个问题的几个答案但我不明白。所以请原谅我。
我有一个遵循MVVM模式的WPF应用程序。它包含一个按钮,该按钮绑定到视图模型中的命令:
<button Content="Login" Command="{Binding ProjectLoginCommand}"/>
命令正在使用RelayCommand
。现在我想做以下事情:
我发现这应该可以使用CanExecute
,但说实话:我根本就没有得到它。锄头我可以将按钮设置为启用/禁用吗?
这是RelayCommand.cs
:
namespace MyApp.Helpers {
class RelayCommand : ICommand {
readonly Action<object> execute;
readonly Predicate<object> canExecute;
public RelayCommand(Action<object> execute) : this(execute, null) {
}
public RelayCommand(Action<object> execute, Predicate<object> canExecute)
{
if (execute == null)
throw new ArgumentNullException("execute");
this.execute = execute;
this.canExecute = canExecute;
}
public bool CanExecute(object parameter)
{
return canExecute == null ? true : canExecute(parameter);
}
public event EventHandler CanExecuteChanged
{
add { CommandManager.RequerySuggested += value; }
remove { CommandManager.RequerySuggested -= value; }
}
public void Execute(object parameter)
{
execute(parameter);
}
}
}
这就是我调用命令的方式:
RelayCommand getProjectListCommand;
public ICommand GetProjectListCommand {
get {
if (getProjectListCommand == null) {
getProjectListCommand = new RelayCommand(param => this.ProjectLogin());
}
return getProjectListCommand;
}
}
答案 0 :(得分:3)
创建RelayCommand对象时,你必须传递一个can Predicate,它可以是(除其他外)具有以下签名的方法:
bool MethodName(对象参数)。
如果您不需要参数,请使用例如bool MethodName(),但是将它传递给RelayCommand构造函数:(o)=&gt;方法名()。
在此方法中,您应该执行逻辑并返回一个值,该值指示是否可以执行命令。其余部分应由WPF Command基础设施处理。
答案 1 :(得分:1)
使用RelayCommand时,可以指定两种方法。第一种方法是在调用命令时要运行的主要方法。您用于添加诸如验证之类的检查的第二种方法,这应该返回一个bool。如果返回false,则main方法将不会运行。
它如何影响你命令所绑定的按钮,它是否会连续运行布尔方法,并且当它返回false时,命令绑定的按钮将被禁用。
所以在你的命令属性中:
public ICommand GetProjectListCommand {
get {
if (getProjectListCommand == null) {
getProjectListCommand = new RelayCommand(param => this.ProjectLogin(), CanProjectLogin());
}
return getProjectListCommand;
}
添加新方法:
public bool CanProjectLogin()
{
//here check some properties to make sure everything is set that you'd want to use in your ProjectLogin() method
}
如果在bool方法中设置断点,可以看到CanExecute的工作原理。
答案 2 :(得分:1)
如果您在使用canExecute回调时遇到问题,您可能会发现使用更简单版本的RelayCommand更容易:
class RelayCommand : ICommand
{
readonly Action execute;
private bool canExecute;
public RelayCommand(Action execute)
{
this.execute = execute;
this.canExecute = true;
}
public bool CanExecute(object parameter)
{
return canExecute;
}
public void SetCanExecute(bool canExecute)
{
this.canExecute = canExecute;
var handler = CanExecuteChanged;
if (handler != null) handler(this, EventArgs.Empty);
}
public event EventHandler CanExecuteChanged;
public void Execute(object parameter)
{
execute();
}
}
使用这种方法,您可以保存对您所做的RelayCommand对象的引用,允许您禁用如下命令:
getProjectListCommand.SetCanExecute(false);