没有让 INotifyProperty更改示例工作,我想从后面更新文本块



我一直在看几个INotifyPropertyChanged的例子,但没有设法让它们中的任何一个在我的项目中工作。当我更改属性的值时,文本块中的文本不会更新,我不知道为什么。

public partial class MainWindow : Window, INotifyPropertyChanged
    {
        public event PropertyChangedEventHandler PropertyChanged;
        public MainWindow()
        {
            InitializeComponent();
        }
        private void Button_Click(object sender, RoutedEventArgs e)
        {
            TextTest = "essa";
        }
        private void NotifyPropertyChanged([CallerMemberName] string name="")
        {
            if (PropertyChanged != null)
            {
                PropertyChanged(this, new PropertyChangedEventArgs(name));
            }
        }
        private string textTest = string.Empty;
        public string TextTest {
            get { return this.TextTest; }
            set { this.textTest = value;
            NotifyPropertyChanged();
            }
        }
    }

<Window x:Class="TestProjectComboboxAndPropertyChanged.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        Title="MainWindow" Height="350" Width="525">
    <Grid Height="200">
        <Button Content="Click me" Click="Button_Click" Height="100" VerticalAlignment="Bottom"></Button>
        <TextBlock Text="{Binding Path=TextTest,Mode=TwoWay,UpdateSourceTrigger=PropertyChanged}" FontSize="55" Height="100" VerticalAlignment="Top"></TextBlock>
    </Grid>
</Window>​

这里的问题不是其他人所说的属性名称。根据INotifyPropertyChanged的文档:

PropertyChanged

事件可以使用 null 或 String.Empty 作为 PropertyChangedEventArgs 中的属性名称来指示对象上的所有属性都已更改。

所以即使你通过null/string.Empty,它也会工作得很好。

您遇到的问题是绑定本身 - 没有可供绑定使用的数据上下文。将数据上下文设置为窗口本身:

<Window ... DataContext="{Binding RelativeSource={RelativeSource Self}}">

然后你的代码就可以工作了,除了你的属性中的一个小错误:

public string TextTest
{
    get { return this.TextTest; } << WILL CAUSE A STACK OVERFLOW
    set
    {
        this.textTest = value;
        NotifyPropertyChanged();
    }
}

此外,TextBlock的绑定只需要:

Text="{Binding TextTest}"

您缺少绑定。在窗体构造函数中,将窗体数据上下文绑定到当前实例。

public MainWindow()
    {
        InitializeComponent();
        this.DataContext = this;
    }

相关内容

  • 没有找到相关文章

最新更新