4

过去每当我想显示图像时,我都会将图像路径绑定到图像的源属性。太容易了。

现在我想更改图像并始终显示具有最新更改的图像。更改图像保存在BitmapImage我班级内的一个属性中。因此,我不想让图像控件从光盘加载图像,而是想将它直接绑定到我的BitmapImage属性。但是图像没有显示。

然后(仅用于测试)我创建了一个值转换器,使用其中图像的路径创建一个BitmapImage并将其返回给控件 - 图像显示。

BitmapImage再次:从转换器内部的路径创建一个有效的。将图像控件绑定到BitmapImage在我的类中使用相同代码创建的属性失败。

这描述了同样的问题,但“解决方案”不起作用。(我想知道为什么它被标记为已解决,因为 OP 发表了相同的评论)

https://stackoverflow.com//questions/7263509/directly-binding-a-bitmapimage-created-inside-a-class-bound-to-a-listbox-in-wpf

编辑:这是一些代码

这是成功创建可见图像的转换器。

public class BsConverter : IValueConverter
{
    public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
    {
        BitmapImage bi = new BitmapImage(new Uri(value.ToString()));

        return bi;
    }

    public object ConvertBack(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
    {
        throw new NotImplementedException();
    }
}

...以及显示图像的 XAML 绑定。File是类型FileInfoFullName保存完整路径。

<Image MinHeight="100" MinWidth="100" Source="{Binding SelectedImage.File.FullName, Converter={StaticResource BsConverter}}"/>

我有一个BitmapImage image { get; set; }在类的构造函数中初始化的属性:

image = new BitmapImage();
image.BeginInit();
image.UriSource = new Uri(file.FullName);
image.CacheOption = BitmapCacheOption.OnLoad;
image.EndInit();

...和绑定。但是——没有快乐。不显示图像。

<Image MinHeight="100" MinWidth="100" Source="{Binding SelectedImage.image}"/>
4

2 回答 2

4

财产必须是公共的。为了更新绑定,定义属性的类必须实现INotifyPropertyChanged接口。

public class SelectedImage : INotifyPropertyChanged
{
    public event PropertyChangedEventHandler PropertyChanged;

    private ImageSource image;

    public ImageSource Image
    {
        get { return image; }
        set
        {
            image = value;

            if (PropertyChanged != null)
            {
                PropertyChanged(this, new PropertyChangedEventArgs("Image"));
            }
        }
    }
}
于 2013-06-01T15:13:42.450 回答
1

我遇到了同样的问题,似乎与图片的定时和异步加载有关。可能转换器代码在 Dispatcher 中以不同的优先级运行,因此它的行为不同。

对于我的项目,我通过在代码中显式预加载 BitmapImage 来解决此问题,例如

        Dim result As ScaleItImageSource = Nothing

    Dim stream As System.IO.FileStream = Nothing
    Try
        stream = New System.IO.FileStream(fileName, IO.FileMode.Open, IO.FileAccess.Read)
        Dim decoder As BitmapDecoder = System.Windows.Media.Imaging.BitmapDecoder.Create(stream, BitmapCreateOptions.None, BitmapCacheOption.OnLoad)
        If decoder.Frames.Count > 0 Then
            result = New ScaleItImageSource(decoder.Frames(0), fileName)
        End If
    Finally
        If stream IsNot Nothing Then
            stream.Close()
        End If
    End Try

    Return result
于 2013-06-01T13:37:07.103 回答