0

我的视图模型中的命令绑定到我的 WPF 应用程序中的用户控件时遇到问题。当用户选中或取消选中checkBox. 话虽如此,这些命令显然是绑定到checkBoxes.

checkBoxes运行程序后,我的输出窗口对每个命令都有以下错误(请注意,命令在检查或未选中的运行时间内不起作用):

System.Windows.Data Error: 40 : BindingExpression path error: 'MyCommand' property not found on 'object' 'ViewModel' (HashCode=3383440)'. BindingExpression:Path=MyCommand; DataItem='ViewModel' (HashCode=3383440); target element is 'CheckBox' (Name='checkBox1'); target property is 'Command' (type 'ICommand')

这就是我的 XAML 的样子:

<CheckBox Content="CheckBox" Command="{Binding MyCommand}" .../>

我的视图模型中的 C# 代码:

private Command _myCommand;

public Command MyCommand { get { return _myCommand; } }
private void MyCommand_C()
{
    //This is an example of how my commands interact with my model
    _dataModel._groupBoxEnabled = true;
}

内部构造函数:

_myCommand = new Command(MyCommand_C);
4

1 回答 1

3

您需要将视图模型分配给视图的 DataContext。您的 *.xaml.cs 中有什么代码?应该是这样的:

public MyView( )
{
    this.DataContext = new ViewModel( );
}

将来,您可以告诉您的视图模型没有被输出中的信息连接:

System.Windows.Data 错误:40:BindingExpression 路径错误:在“对象”“ViewModel”(HashCode=3383440)上找不到“MyCommand”属性。绑定表达式:路径=我的命令;DataItem='ViewModel' (HashCode=3383440); 目标元素是'CheckBox'(名称='checkBox1');目标属性是“命令”(类型“ICommand”)

它所说的对象是 DataContext,如果它显示为“object”类型,则它不是“ViewModel”类型,这意味着您尚未将其分配给 DataContext。

要回答评论中有关与数据交互的问题:

命令允许您进一步将逻辑与 UI 分开,这很棒。但在某些时候,您可能想从 ViewModel 与 UI 对话。为此,您需要使用可以通知 UI 何时更改的属性。因此,在您的命令中,您可以在 CheckBox 的 Checked 属性绑定到的 ViewModel 上设置一个属性(比如 IsChecked)。所以你的 Xaml 看起来像:

<CheckBox Content="CheckBox" Checked="{Binding IsChecked}" Command="{Binding MyCommand}" .../>

您的 ViewModel 可能如下所示:

private Command _myCommand;
private bool _isChecked;

public Command MyCommand { get { return _myCommand; } }
public bool IsChecked
{
    /* look at the article to see how to use getters and setters */
}

private void MyCommand_C()
{
    IsChecked = !IsChecked;
    _dataModel._groupBoxEnabled = IsChecked;
}

如果你想在一个已经是视图模型属性的对象上包装一个属性,只需使用(我称之为)包装器属性。

public bool IsChecked
{
    get
    {
        return _dataModel.MyCheckBox;
    }
    set
    {
        if(_dataModel != null)
        {
            _dataModel.MyCheckBox = value;
            OnPropertyChanged("IsChecked");
        }
        // Exception handling if _dataModel is null
    }
}
于 2013-09-23T20:26:04.963 回答