我目前正在开发一个使用EntityFramework的应用程序。在这个应用程序中,有一个DataGrid,SelectedItem绑定到ViewModel上的一个属性:
<DataGrid AutoGenerateColumns="False"
CanUserDeleteRows="True"
IsReadOnly="True"
IsSynchronizedWithCurrentItem="False"
ItemsSource="{Binding ZuvTextCollection}"
SelectedItem="{Binding SelectedEntity,
UpdateSourceTrigger=PropertyChanged,
Mode=TwoWay}">
现在我遇到的问题是,一旦存储了数据,对SelectedItem的绑定似乎几乎丢失了。
编辑:我忘记了一个非常重要的观点!对不起!此错误仅在创建新记录后发生。
protected override void OnSave()
{
if (!this.OnCanSave())
{
return;
}
this.UnitOfWork.SaveChanges();
this.IsDirty = this.UnitOfWork.ChangeTracker.HasChanges;
}
在调用this.UnitOfWork.SaveChanges之后,ViewModel中的Property绑定不再存在。 DataGrid中的行确实可以选择,但Selection的更改不会到达ViewModel。
它可能是什么?
PS:我已阅读以下帖子http://www.devexpress.com/Support/Center/Question/Details/Q509665,但我必须承认,这让我不知道如何解决我的问题。 谢谢你的帮助!
答案 0 :(得分:0)
@lll:我忘记了一个非常重要的观点!对不起!此错误仅在创建新记录后发生。
public ZuvText SelectedEntity
{
get
{
return this.selectedEntity;
}
set
{
var entity = value;
if (this.selectedEntity != null)
{
this.selectedEntity.PropertyChanged -= this.OnEntityPropertyChanged;
this.selectedEntity.DisableContinuousValidation();
}
if (entity != null)
{
entity.PropertyChanged += this.OnEntityPropertyChanged;
entity.EnableContinuousValidation();
}
this.SetProperty(ref this.selectedEntity, entity);
}
}
在保存之前设置实体,即创建新项目时。 (当光标移动到新实体时,因此它是SelectedEntity)
现在,队友找到了原因。在我们的实体的基类中,Equals和GetHashCode被覆盖:
public bool Equals(TEntity other)
{
if (object.ReferenceEquals(null, other))
{
return false;
}
if (object.ReferenceEquals(this, other))
{
return true;
}
return this.id == other.Id;
}
public override bool Equals(object obj)
{
if (object.ReferenceEquals(null, obj))
{
return false;
}
if (object.ReferenceEquals(this, obj))
{
return true;
}
if (obj.GetType() != this.GetType())
{
return false;
}
return this.Equals(obj as TEntity);
}
public override int GetHashCode()
{
// ReSharper disable once NonReadonlyFieldInGetHashCode
return this.id.GetHashCode();
}
GetHashCode的重写导致在存储每个之前和之后的id提供不同的hashCode,并且不再检测到该对象。 现在我们已经注释掉了GetHashCode的覆盖。但是,我不知道这个问题的真正解决方案。我的队友已经在寻找解决方案,但也许你有一个想法?
答案 1 :(得分:0)
我们有一个解决方案!更新ID后,DataGrid选择器无法找到所选对象。这就是我们现在将实际的EntityCollection放在适配器或包装器类中的原因。
public class ZuvTextAdapter
{
public ZuvText ZuvText
{
get;
set;
}
}
DataSorce看起来像这样:
public ObservableCollection<ZuvTextAdapter> ZuvTextAdapterCollection...
选择的实体只有:
public ZuvTextAdapter SelectedAdapter
因此,使用我们的GetHeshCode解决了问题,并且保存后绑定工作正常。 (由我的队友解决!)