我有一个绑定到observablecollection的文本框,当我更新元素时(通过拖放触发视图文件中处理的事件),文本框不会更新其值。但是,数据会添加到drop上的observable集合中,如果我刷新数据(通过实际选择列表框中的其他项并切换回当前记录),则会显示数据。
我看过:http://updatecontrols.net/doc/tips/common_mistakes_observablecollection并且我不相信我会覆盖这个系列!
<StackPanel>
<TextBox Text="{Binding Path=ImageGalleryFilenames, Converter={StaticResource ListToStringWithPipeConverter}}" Height="41" TextWrapping="Wrap" VerticalAlignment="Top"/>
<Button Height="25" Margin="0 2" AllowDrop="True" Drop="HandleGalleryImagesDrop">
<TextBlock Text="Drop Image Files Here"></TextBlock>
</Button>
</StackPanel>
这是我的事件代码,用于处理用户控件的视图文件中的drop。
private void HandleGalleryImagesDrop(object sender, DragEventArgs e)
{
if (e.Data.GetDataPresent(DataFormats.FileDrop))
{
var filenames = (string[])e.Data.GetData(DataFormats.FileDrop);
foreach (var fn in filenames)
{
this.vm.CurrentSelectedProduct.ImageGalleryFilenames.Add(fn);
}
}
}
我不应该添加到集合中的事实足以更新与observablecollection绑定的文本框,还是我错过了一些令人眼花缭乱明显的东西?
答案 0 :(得分:1)
基本上,TextBox
无法知道已绑定Text
的集合已更新。由于Text
属性不会监听CollectionChanged
事件,因此@Clemens指出也会忽略更新ObservableCollection
。
在ViewModel中,这是一种方法。
private ObservableCollection<ImageGalleryFilename> _imageGalleryFilenames;
public ObservableCollection<ImageGalleryFilename> ImageGalleryFilenames
{
get
{
return _imageGalleryFilenames;
}
set
{
_imageGalleryFilenames= value;
if (_imageGalleryFilenames!= null)
{
_imageGalleryFilenames.CollectionChanged += _imageGalleryFilenames_CollectionChanged;
}
NotifyPropertyChanged("ImageGalleryFilenames");
}
}
private void _imageGalleryFilenames_CollectionChanged(object sender, System.Collections.Specialized.NotifyCollectionChangedEventArgs e)
{
NotifyPropertyChanged("ImageGalleryFilenames");
}
public event PropertyChangedEventHandler PropertyChanged;
protected void NotifyPropertyChanged(String propertyName = "")
{
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
}
}