好的,XAML非常简单,并使用MVVM绑定到视图模型上的ICommand SomeCommand { get; }
属性:
<Button Command="{Binding Path=SomeCommand}">Something</Button>
如果SomeCommand
返回null
,则会启用该按钮。 (与CanExecute(object param)
上的ICommand
方法无关,因为没有实例可以调用该方法
现在的问题是:为什么启用按钮?你会如何解决它?
如果按“启用”按钮,显然没有任何内容被调用。按钮看起来很难看。
答案 0 :(得分:6)
启用它是因为这是默认状态。自动禁用它将是一种导致其他问题的随意措施。
如果要禁用没有关联命令的按钮,请使用适当的转换器将IsEnabled
属性绑定到SomeCommand
,例如:
[ValueConversion(typeof(object), typeof(bool))]
public class NullToBooleanConverter : IValueConverter
{
public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
{
return value !== null;
}
public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
{
throw new NotSupportedException();
}
}
答案 1 :(得分:4)
我的同事找到了一个优雅的解决方案:使用绑定回退值!
public class NullCommand : ICommand
{
private static readonly Lazy<NullCommand> _instance = new Lazy<NullCommand>(() => new NullCommand());
private NullCommand()
{
}
public event EventHandler CanExecuteChanged;
public static ICommand Instance
{
get { return _instance.Value; }
}
public void Execute(object parameter)
{
throw new InvalidOperationException("NullCommand cannot be executed");
}
public bool CanExecute(object parameter)
{
return false;
}
}
然后XAML看起来像:
<Button Command="{Binding Path=SomeCommand, FallbackValue={x:Static local:NullCommand.Instance}}">Something</Button>
此解决方案的优势在于,如果您中断Law of Demeter并且绑定路径中有一些点,其中每个实例可能变为null
,则效果会更好。
答案 2 :(得分:3)
非常类似于Jon的回答,您可以使用带触发器的样式来标记在没有命令集时应禁用的按钮。
<Style x:Key="CommandButtonStyle"
TargetType="Button">
<Style.Triggers>
<Trigger Property="Command"
Value="{x:Null}">
<Setter Property="IsEnabled"
Value="False" />
</Trigger>
</Style.Triggers>
</Style>
我更喜欢这种解决方案,因为它可以非常直接地解决问题,并且不需要任何新类型。