我正在尝试在ListBox中使用SourceUpdated事件,但它不会触发。
我已将ObservableCollection绑定到ListBox的ItemSource,设置NotifyOnSourceUpdated = true
,绑定工作正常 - 将新项添加到集合后,ListBox显示新项,但不会触发事件。
MainWindow.xaml.cs:
public partial class MainWindow:Window
{
public ObservableCollection<string> Collection { get; set; }
public MainWindow()
{
InitializeComponent();
Collection = new ObservableCollection<string>();
var custBinding = new Binding()
{
Source = Collection,
NotifyOnSourceUpdated = true
};
intList.SourceUpdated += intList_SourceUpdated;
intList.SetBinding(ItemsControl.ItemsSourceProperty, custBinding);
}
private void intList_SourceUpdated(object sender, DataTransferEventArgs e)
{
MessageBox.Show("Updated!");
}
private void btnAddInt_Click(object sender, RoutedEventArgs e)
{
var randInt = new Random().Next();
Collection.Add(randInt.ToString());
}
}
MainWindow.xaml:
<Window x:Class="Test.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:Test"
mc:Ignorable="d"
Title="MainWindow" Height="450" Width="800">
<Grid>
<Button x:Name="btnAddInt" Content="Button" HorizontalAlignment="Left" Margin="41,31,0,0" VerticalAlignment="Top" Width="75" Click="btnAddInt_Click"/>
<ListBox x:Name="intList" HorizontalAlignment="Left" Height="313" Margin="160,31,0,0" VerticalAlignment="Top" Width="600"/>
</Grid>
我错过了什么,它不起作用? 谢谢你的建议。
答案 0 :(得分:1)
SourceUpdated仅针对可以接受输入并直接更改数据绑定源值的元素触发。
https://msdn.microsoft.com/en-us/library/system.windows.data.binding.sourceupdated(v=vs.110).aspx
在这种情况下,列表框本身不会更新集合,而是通过单击按钮更新集合。这与激活SourceUpdated事件的列表框无关。
只有可以接受输入的输入元素(如文本框,复选框,单选按钮和使用这些控件的自定义控件)才能双向绑定并将其值传回给它所绑定的源。
您可能正在寻找在集合中添加或删除项目时将触发的CollectionChanged。
https://msdn.microsoft.com/en-us/library/ms653375(v=vs.110).aspx
Collection = new ObservableCollection<string>();
Collection.CollectionChanged += (s, e) =>
{
// collection changed!
};
希望这有帮助!干杯!