问题描述
|
我正在使用MVVM编写一个简单的WPF应用程序。
从模型中检索位图和进一步进行数据绑定的最方便的类是:位图,位图图像,位图源?
public class Student
{
public <type?> Photo
{
get;
}
}
或者,也许我可以使用viewmodel以某种方式将Bitmap转换为BitmapSource?
解决方法
我一直使用
BitmapImage
,它非常专业,并提供了不错的属性和可能有用的事件(例如IsDownloading
,DownloadProgress
和DownloadCompleted
)。
,我想更灵活的方法是将照片(或任何其他位图)作为流返回。
此外,如果照片已更改,则模型应触发照片更改事件,而客户端应处理照片更改事件以检索新的一张照片。
public class PhotoChangedEventArgs : EventArgs
{
}
public class Student
{
public Stream GetPhoto()
{
// Implementation.
}
public event EventHandler<PhotoChangedEventArgs> OnPhotoChanged;
}
public class StudentViewModel : ViewModelBase
{
// INPC has skipped for clarity.
public Student Model
{
get;
private set;
}
public BitmapSource Photo
{
get
{
BitmapImage image = new BitmapImage();
image.BeginInit();
image.StreamSource = Model.Photo;
image.EndInit();
image.Freeze();
return image;
}
}
public StudentViewModel(Student student)
{
Model = student;
// Set event handler for OnPhotoChanged event.
Model.OnPhotoChanged += HandlePhotoChange;
}
void HandlePhotoChange(object sender,PhotoChangedEventArgs e)
{
// Force data binding to refresh photo.
RaisePropertyChanged(\"Photo\");
}
}