UI 未更新绑定元素

UI not updating for bound element

我的 属性 更新正常,但我的用户界面没有更新。 我究竟做错了什么?

我也尝试不在 XAML 中设置 DataContext,而是在构造函数后面的代码中设置,但这也没有用。

视图模型:

public class MainWindowViewModel : INotifyPropertyChanged
{
    public MainWindowViewModel()
    {
        TestCommand = new RelayCommand(UpdateTest);
    }

    #region INotifyPropertyChanged
    public event PropertyChangedEventHandler PropertyChanged;


    protected void NotifyPropertyChanged([CallerMemberName] string propertyName = null)
    {
        if (PropertyChanged != null)
            PropertyChanged(null, new PropertyChangedEventArgs(propertyName));
    }
    #endregion

    private string _test;
    public string Test 
    {
        get { return _test; }
        set 
        { 
            _test = value; 
            NotifyPropertyChanged(); 
        }
    }

    public ICommand TestCommand { get; set; }

    public void UpdateTest()
    {
        Test += "test ";
    }
}

查看:

<Window x:Class="Test.MainWindow"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:local="clr-namespace:Test"
    Title="MainWindow" Height="350" Width="525">
    <Window.DataContext>
        <local:MainWindowViewModel />
    </Window.DataContext>
    <Grid>
        <Grid.RowDefinitions>
            <RowDefinition Height="*" />
            <RowDefinition Height="*" />
        </Grid.RowDefinitions>
        <TextBox Grid.Row="0" Text="{Binding Test}"  />
        <Button  Grid.Row="1" Content="Test 2" Command="{Binding TestCommand}" />
    </Grid>
</Window>

您没有正确实施 PropertyChanged。 .NET 的事件模型要求将调用的委托的 sender 参数设置为实际引发事件的对象的引用。您将该值设置为 null。您的代码应该使用 this 代替:

protected void NotifyPropertyChanged([CallerMemberName] string propertyName = null)
{
    PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
}

请注意,为了线程安全,您也不应在事件字段本身上使用 "check and raise" 模式。您应该改为将字段存储在局部变量中,检查局部变量,然后从该变量引发事件(如果非空)。上面使用 ?. 运算符 ("null conditional operator") 有效地做到了这一点;编译器为您隐式生成局部变量,并确保引用不会在您检查 null 和您实际尝试使用它的时间之间发生变化。