我创建了一个附加属性AttachedBehaviorsManager.Behaviors,它将用作将事件与命令联系起来的MVVM帮助程序类。该属性的类型为BehaviorCollection(ObservableCollection的包装器)。我的问题是行为命令的绑定总是以null结束。在按钮上使用时,效果很好。

我的问题是为什么我在集合内的项目上丢失了DataContext,如何解决它?

<UserControl x:Class="SimpleMVVM.View.MyControlWithButtons"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
             xmlns:behaviors="clr-namespace:SimpleMVVM.Behaviors"
             xmlns:con="clr-namespace:SimpleMVVM.Converters"
Height="300" Width="300">
<StackPanel>
        <Button Height="20" Command="{Binding Path=SetTextCommand}" CommandParameter="A" Content="Button A" />
     <Button Height="20" Command="{Binding Path=SetTextCommand}" CommandParameter="B" Content="Button B"/>
    <TextBox x:Name="tb" Text="{Binding Path=LabelText}">
        <behaviors:AttachedBehaviorsManager.Behaviors>
            <behaviors:BehaviorCollection>
                <behaviors:Behavior Command="{Binding Path=SetTextCommand}" CommandParameter="A" EventName="GotFocus"/>
            </behaviors:BehaviorCollection>
        </behaviors:AttachedBehaviorsManager.Behaviors>
    </TextBox>
</StackPanel>

最佳答案

您绑定到命令,因为它使用的是MVVM(Model-View-ViewModel)模式。此用户控件的数据上下文是一个ViewModel对象,其中包含公开该命令的属性。命令不必是公共静态对象。

所示代码中的按钮执行没有问题。它们绑定到viewmodel中的SetTextCommand:

class MyControlViewModel : ViewModelBase
{
    ICommand setTextCommand;
    string labelText;

    public ICommand SetTextCommand
    {
        get
        {
            if (setTextCommand == null)
                setTextCommand = new RelayCommand(x => setText((string)x));
            return setTextCommand;
        }
    }
    //LabelText Property Code...

    void setText(string text)
    {
        LabelText = "You clicked: " + text;
    }
}


问题是在behavior:Behavior中无法识别对在按钮中起作用的同一SetTextCommand的绑定。

关于c# - 附加的收集项目丢失数据上下文,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/803886/

10-10 06:27