将类属性绑定到集合的总和
本文关键字:集合 属性 绑定 | 更新日期: 2023-09-27 18:22:24
我正在开发一个WPF应用程序。我有一个绑定到数据网格的ObservableCollection。这部分一切都很好。如果"集合"已更新,则会刷新网格。如果栅格是手动更新的,则集合也会更新。
现在,我有一个类本地属性,它存储集合中Video.Duration属性的总和。它绑定到Label控件。当我向集合添加一个新条目时(当用户将文件放到网格上时实现),会计算并正确显示持续时间的总和。但是,当用户更新单元格中的值时,不会处理此事件。
我读过关于InotifyProperty Changed的文章,它似乎正是我所需要的。然而,我并不完全理解这个概念。
以下是我的想法:1.在我的视频类中实现INotifyProperty Changed。2.在持续时间属性的setter中引发属性更改事件
现在,sum属性在主类中,我如何订阅propertychanged事件,以便每当视频的某个持续时间更新时,我都可以重新计算总持续时间。
根据您的设计偏好,您可以完全避免事件订阅及其相关的内存泄漏。如果你按照这些思路构建你的视频课程。。。
public class Video : INotifyPropertyChanged
{
public Video(Action summationCallback)
{
_summationCallback = summationCallback;
}
private readonly Action _summationCallback;
private double _duration;
public double Duration
{
get { return _duration; }
set
{
if (value != _duration)
{
_duration = value;
OnPropertyChanged("Duration");
if (_summationCallback != null)
{
_summationCallback();
}
}
}
}
#region INotifyPropertyChanged Implementation
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void OnPropertyChanged(string name)
{
var handler = System.Threading.Interlocked.CompareExchange(ref PropertyChanged, null, null);
if (handler != null)
{
handler(this, new PropertyChangedEventArgs(name));
}
}
#endregion
}
此类在其构造函数中接受一个委托,并在每次"Duration"属性更改时调用它。为了将其连接起来,您可以沿着以下几行实现ViewModel。。。
public class MyViewModel : INotifyPropertyChanged
{
public ObservableCollection<Video> MyCollection { get; set; }
public MyViewModel()
{
MyCollection = new ObservableCollection<Video>();
Video v = new Video(SummationCallback);
MyCollection.Add(v);
}
private void SummationCallback()
{
SumOfAllDurations = MyCollection.Sum(q=>q.Duration)
}
private double _sumOfAllDurations;
public double SumOfAllDurations
{
get { return _sumOfAllDurations; }
set
{
if (value != _sumOfAllDurations)
{
_sumOfAllDurations = value;
OnPropertyChanged("SumOfAllDurations");
}
}
}
#region INotifyPropertyChanged Implementation
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void OnPropertyChanged(string name)
{
var handler = System.Threading.Interlocked.CompareExchange(ref PropertyChanged, null, null);
if (handler != null)
{
handler(this, new PropertyChangedEventArgs(name));
}
}
#endregion
}
并将您的标签绑定到"SumOfAllDurations"。此策略将使所有内容保持同步,而无需求助于事件订阅(如果用户删除视频,则会孤立事件订阅),并使用WPF管道来处理绑定。
您的方法听起来不错。您还必须在主类中实现INotifyPropertyChanged
,因为Label
的Binding
将在这里侦听Sum属性的更改。
一旦在Video和Main类中实现了INotifyPropertyChanged
,就会有一个NotifyPropertyChanged
事件。您可以像订阅任何活动一样订阅此活动:
private void Subscribe()
{
foreach(var video in _videos)
{
video.NotifyPropertyChanged += OnVideoPropertyChanged;
}
}
private void OnVideoPropertyChanged(object sender, NotifyPropertyChangedEventArgs e)
{
if(e.PropertyName == "Duration")
{
this.RecalculateSum();
this.RaisePropertyChanged("Sum"); //Or call this from inside RecalculateSum()
}
}
需要记住的一件事是,每当视频被删除或卸载时,您都希望取消订阅NotifyPropertyChanged
活动。这将有助于防止内存泄漏:
Video.NotifyPropertyChanged -= OnVideoPropertyChanged;