我想在DataGrid中的属性被更改时引发一个Event,以检查它是否有效,将其保存回源文件,等等。
**背景信息:**我有一个DataGrid,它绑定到了一个Observable Collection。此时我已经成功地将我的Observable Collection绑定到了视图,但是我还没有设法在属性更改时引发Event。双向绑定也可以工作,因为我可以通过调试来观察Collection的更改。我通过BindableBase(Prism)继承INotifyPropertyChanged。
public ObservableCollection<CfgData> Cfg
{
get { return _cfg; }
set { SetProperty(ref _cfg, value); }
}
private ObservableCollection<CfgData> _cfg;
字符串
CfgData包含4个属性:
public class CfgData
{
public string Handle { get; set; }
public string Address { get; set; }
public string Value { get; set; }
public string Description { get; set; }
public CfgData(string handle, string address, string value)
{
this.Handle = handle;
this.Address = address;
this.Value = value;
}
public CfgData(string handle, string address, string value, string description)
{
this.Handle = handle;
this.Address = address;
this.Value = value;
this.Description = description;
}
}
型
我正在用从一个csv. file读取的值填充我的ObservableCollection
public ObservableCollection<CfgData> LoadCfg(string cfgPath)
{
var cfg = new ObservableCollection<CfgData>();
try
{
using (var reader = new StreamReader(cfgPath))
{
while (!reader.EndOfStream)
{
var line = reader.ReadLine();
var values = line.Split(';');
if (values.Length == 3)
{
cfg.Add(new CfgData(values[0], values[1], values[2]));
}
else if (values.Length == 4)
{
cfg.Add(new CfgData(values[0], values[1], values[2], values[3]));
}
}
}
}
catch (Exception x)
{
log.Debug(x);
}
return cfg;
}
型
我的XAML
<DataGrid Name="cfgDataGrid" Margin="10,10,109,168.676" ItemsSource="{Binding Cfg, Mode=TwoWay}" AutoGenerateColumns="False">
<DataGrid.Columns>
<DataGridTextColumn Header="Handle" Binding="{Binding Path=Handle}" Width="auto" IsReadOnly="True" />
<DataGridTextColumn Header="Address" Binding="{Binding Path=Address}" Width="auto" IsReadOnly="True" />
<DataGridTextColumn Header="Value" Binding="{Binding Path=Value}" Width="auto" IsReadOnly="False" />
<DataGridTextColumn Header="Description" Binding="{Binding Path=Description}" Width="auto" IsReadOnly="True" />
</DataGrid.Columns>
</DataGrid>
型
问题2绑定方式更新我的viewmodel中的集合。但是我想在保存之前验证输入。我还希望能够添加一些功能,例如在编辑被验证时调用方法。因此我尝试使用几种事件处理方式,如
this.Cfg.CollectionChanged += new NotifyCollectionChangedEventHandler(Cfg_OnCollectionChanged);
型
或
this.Cfg.CollectionChanged += Cfg_OnCollectionChanged;
型
然而,当我改变数据网格时,这些从来没有调用过函数。
问题我如何创建一个事件处理程序,在属性更改时被调用?我必须保存整个数据集,还是我可以保存只更改datarow/属性?
1条答案
按热度按时间bfnvny8b1#
因为
ObservableCollection
不观察它的项。它将引发一个插入、删除项或重置集合的事件,而不是对其项的修改。所以,你必须实现
ObservableCollection
,它平等地观察它的项目。我的项目中使用的这段代码在SO上找到,但我无法弄清楚原始的帖子。当我们将新项目添加到集合时,它为它添加了一个INotifyPropertyChanged事件。字符串
接下来,你的模型
型
最后但并非最不重要的是,您的模型必须实现
INotifyPropertyChanged
型