在以下WPF应用程序中,当您单击该按钮时,为什么 TheTitle TextBlock会更新但 FilesCopied ListBox不会更新?
XAML:
<Window x:Class="TestList3433.Window1"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="Window1" Height="300" Width="300">
<StackPanel>
<TextBlock Text="{Binding TheTitle}"/>
<TextBlock Text="above"/>
<ListBox ItemsSource="{Binding FilesCopied}"/>
<TextBlock Text="below"/>
<Button Content="Add to collection" Click="Button_Click"/>
</StackPanel>
</Window>
代码隐藏:
using System.Collections.Generic;
using System.Windows;
using System.ComponentModel;
namespace TestList3433
{
public partial class Window1 : Window, INotifyPropertyChanged
{
#region ViewModelProperty: FilesCopied
private List<string> _filesCopied = new List<string>();
public List<string> FilesCopied
{
get
{
return _filesCopied;
}
set
{
_filesCopied = value;
OnPropertyChanged("FilesCopied");
}
}
#endregion
#region ViewModelProperty: TheTitle
private string _theTitle;
public string TheTitle
{
get
{
return _theTitle;
}
set
{
_theTitle = value;
OnPropertyChanged("TheTitle");
}
}
#endregion
public Window1()
{
InitializeComponent();
DataContext = this;
FilesCopied.Add("test1.txt");
TheTitle = "This is the title";
}
private void Button_Click(object sender, RoutedEventArgs e)
{
FilesCopied.Add("test2.txt");
TheTitle = "title was changed";
}
#region INotifiedProperty Block
public event PropertyChangedEventHandler PropertyChanged;
protected void OnPropertyChanged(string propertyName)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null)
{
handler(this, new PropertyChangedEventArgs(propertyName));
}
}
#endregion
}
}
谢谢Robert,我忘记了ObservableCollection。这是答案:
将FilesCopied块更改为:
#region ViewModelProperty: FilesCopied
private ObservableCollection<string> _filesCopied = new ObservableCollection<string>();
public ObservableCollection<string> FilesCopied
{
get
{
return _filesCopied;
}
set
{
_filesCopied = value;
OnPropertyChanged("FilesCopied");
}
}
#endregion
并添加:
using System.Collections.ObjectModel;
答案 0 :(得分:3)
您的更改处理程序位于列表的 setter 中;但您不是调用 setter(更改列表) - 您正在向现有列表中添加项目。有单独的接口(IBindingList
/ IBindingListView
等)来处理列表通知。 BindingList<T>
是具有通知支持的2.0列表的合理默认实现。
在.NET 3.0及更高版本中,另请参阅INotifyCollectionChanged
和ObservableCollection<T>
IMO:
private readonly ObservableCollection<string> filesCopied =
new ObservableCollection<string>();
public ObservableCollection<string> FilesCopied {
get { return filesCopied; }
}
答案 1 :(得分:1)
因为它没有实现IBindingList(View),因此UI永远不会知道你在列表中添加任何新内容。
使用BindingList或ObservableCollection。