我正在使用名为" WPF Animated GIF"这允许我将动画gif设置为图像的图像源。我的问题是我使用其他项目的图像。这些图像是ResourceDictionary中的键,如下所示:
<ResourceDictionary xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">
...
<ImageSource x:Key="ImgSyncFailed">Images/Sync Failed.png</ImageSource>
<ImageSource x:Key="ImgSyncSucceeded">Images/Sync Succeeded.png</ImageSource>
<ImageSource x:Key="ImgSyncing">Images/Syncing-Small.gif</ImageSource>
</ResourceDictionary>
资源字典通过引用和XAML添加到另一个项目中:
<Window.Resources>
<ResourceDictionary Source="pack://application:,,,/ResourcesDictionary;component/Dictionary.xaml"/>
</Window.Resources>
当你想通过XAML添加图像时,这很好用:
<Button x:Name="SyncButton" Focusable="False" Background="{x:Null}" BorderBrush="{x:Null}" Foreground="{x:Null}" Height="100" Width="100" Click="SyncButton_OnClick">
<Image x:Name="SyncImage" gif:ImageBehavior.AnimatedSource="{StaticResource ImgSyncSucceeded}" HorizontalAlignment="Center" VerticalAlignment="Center" Width="100" Height="100"/>
</Button>
当我切换按钮的图像时,我通过代码执行此操作:
private void ChangeSyncImage()
{
switch (syncStatus)
{
case SyncStatus.Synced:
...
case SyncStatus.Desynced:
...
case SyncStatus.Syncing:
var img3 = new BitmapImage();
img3.BeginInit();
img3.UriSource = new Uri("pack://application:,,,/SmartFridgeApplication;component/Images/Syncing-Small.gif");
img3.EndInit();
ImageBehavior.SetAnimatedSource(SyncImage, img3);
break;
}
}
我不喜欢这样设置它,现在它不起作用,因为该路径被设置为&#39; Images&#39;这是在同一个项目中。
那么如何将其设置为像XAML代码一样使用StaticResources?
答案 0 :(得分:2)
资源字典使用查找树,因此首先它将查看控件资源,然后它将在可视树上查找,直到它找到资源,因此只要您在可视树中的条目高于默认值值然后你的值将覆盖
但是,当您使用后面的代码绕过静态资源时,如果您使用TryFindResource(ResourceKey)
,则会断开连接,您将保持资源字典查找的完整性
所以
ImageBehavior.SetAnimatedSource(SyncImage, TryFindResource("ImgSyncSucceeded"));
静态资源也应该是静态的,即不会改变,因此使用动态资源可能有所帮助 https://msdn.microsoft.com/en-us/library/ms748942%28v=vs.110%29.aspx
答案 1 :(得分:1)
使用值转换器可以执行此操作(请注意,这是未经测试的代码,仅作为一般原则的示例提供)
public class SyncConverter : IValueConverter
{
public object Synced {get;set;}
public object Desynced{get;set;}
public object Syncing{get;set;}
public object Convert(object value, Type targetType,
object parameter, CultureInfo culture)
{
switch (value)
{
case SyncStatus.Synced:
return Synced;
case SyncStatus.Desynced:
return Desynced;
case SyncStatus.Syncing:
return Syncing;
}
}
public object ConvertBack(object value, Type targetType,
object parameter, CultureInfo culture)
{
return null;
}
}
在XAML中使用以下内容
<Window.Resources>
<l:SyncConverter x:Key="converter" Synced="{StaticResource ImgSyncSucceeded}" Desynced="{StaticResource ImgSyncFailed}" Syncing="{StaticResource ImgSyncing}"/>
</Window.Resources>
<Button x:Name="SyncButton" Focusable="False" Background="{x:Null}" BorderBrush="{x:Null}" Foreground="{x:Null}" Height="100" Width="100" Click="SyncButton_OnClick">
<Image x:Name="SyncImage" gif:ImageBehavior.AnimatedSource="{Binding syncStatus, Converter={Static converter}}" HorizontalAlignment="Center" VerticalAlignment="Center" Width="100" Height="100"/>
</Button>