PropertyChanged 未按预期工作

PropertyChanged isn't working as expected

我目前正在尝试使用 Fody 属性 更改了 MVVM 创建 WPF 项目。

<Window x:Class="TestMVVM.MainWindow"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
    xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
    xmlns:local="clr-namespace:TestMVVM"
    mc:Ignorable="d"
    Title="MainWindow" Height="350" Width="525"
    DataContext="{x:Static local:MainWindowViewModel.Instance}"
    x:Name="WindowElement">

<StackPanel Orientation="Horizontal">        
    <TextBlock Text="{Binding Text, Mode=TwoWay}" />
    <Button Content="Browse" Command="{Binding WSDLBrowseClick}"/> 
</StackPanel>

public static class Model
{
    public static string text { get; set; }
}

public class MainWindowViewModel : INotifyPropertyChanged
{

    public event PropertyChangedEventHandler PropertyChanged = (sender, e) => { }; 

    public static MainWindowViewModel Instance => new MainWindowViewModel();

    public string Text { get; set; }
    /*
    {
        get { return Model.text; }
        set
        {
            if (value == Text)
                return;

            Model.text = value;

            PropertyChanged(this, new PropertyChangedEventArgs("Text"));
        }
    }*/

    public ICommand WSDLBrowseClick { get; set; }


    public MainWindowViewModel()
    {
        WSDLBrowseClick = new RelayCommand(BrowseWSDL);
    }


    private void BrowseWSDL()
    {
        Text = "Test";           
    }
}

基本上我希望 TextBlock 在我单击按钮时显示 "Test"-Text。 Click-Command 被执行但 TextBlock 的文本没有改变。我想将 属性 文本用作本地内存,使文本块保持最新状态,以便稍后将值发送到 model.text 并在那里使用它。但它只有在我使用我当前注释掉的代码时才有效。 fody weaver 不应该为我做同样的事情吗(只是他创建了另一个私有变量而不是使用 model.text)?

从示例中我可以看出,您需要使用 [Implement PropertyChanged] 属性标记 class。

Source

看来您根本没有通知文本已更改,因此视图不知道有新值!

尝试使用此代码(完成 属性 为您的理智更改的逻辑)代替文本变量 setter:

    public string Text
    {
        get => _text;
        set
        {
            OnPropertyChanged(nameof(Text));
            _text = value;
        }
    }
    private string _text;
    public event PropertyChangedEventHandler PropertyChanged;
    [NotifyPropertyChangedInvocator]
    protected virtual void OnPropertyChanged([CallerMemberName] string propertyName = null)
    {
        PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
    }

此外,您需要更新 XAML 的一部分以说明:

<TextBlock Text="{Binding Text, Mode=TwoWay, UpdateSourceTrigger=PropertyChanged}" />

我设法通过将 <PropertyChanged/> 添加到我的 FodyWeavers.xml

使其工作