24

这是我的 XAML

<Grid.Resources>
            <SolidColorBrush x:Key="DynamicBG"/>
</Grid.Resources>
<Label name="MyLabel" Content="Hello" Background="{DynamicResource DynamicBG} />

所以我有两个问题:

Q1:我现在如何在我的代码中将DynamicBG键值设置为红色?(当窗口加载时,我想将其设置为红色)

Q2: 动态资源应该是这样使用的吗?

谢谢

4

3 回答 3

23

要访问Resource代码必须在文件中识别它们App.xaml

<Application.Resources>
    <SolidColorBrush x:Key="DynamicBG" />
</Application.Resources>

XAML example

<Grid>       
    <Label Name="MyLabel" 
           Content="Hello" 
           Background="{DynamicResource DynamicBG}" />

    <Button Content="Change color"
            Width="100" 
            Height="30" 
            Click="Button_Click" />
</Grid>

Resource可以在以下形式的代码行中更改:

Application.Current.Resources["MyResource"] = MyNewValue;

例子:

Code behind

// using ContentRendered event
private void Window_ContentRendered(object sender, EventArgs e)
{
    SolidColorBrush MyBrush = Brushes.Aquamarine;

    // Set the value
    Application.Current.Resources["DynamicBG"] = MyBrush;         
}

private void Button_Click(object sender, RoutedEventArgs e)
{
    SolidColorBrush MyBrush = Brushes.CadetBlue;

    // Set the value
    Application.Current.Resources["DynamicBG"] = MyBrush;
}

原则,DynamicResources被设计,所以他们可以改变。在哪里改变 - 这是开发人员的任务。在 的情况下Color,它是最常用的方法之一。有关详细信息,请参阅MSDN

PS 我推荐使用App.xaml,因为曾经有StaticResource成功使用 a 的情况,但没有成功使用DynamicResource(资源放在 中Window.Resources)。但是在将资源移入之后App.xaml,一切都开始起作用了。

于 2013-07-06T12:23:12.760 回答
8

A1:您应该将“DynamicBG”移动到窗口资源,然后您可以在事件处理程序中使用Resources属性:Loaded

XAML:

<Window x:Class="MyLabelDynamicResource.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        Title="MainWindow" Height="350" Width="525"
        Loaded="Window_Loaded">
    <Window.Resources>
        <SolidColorBrush x:Key="DynamicBG"/>
    </Window.Resources>
    <Grid>    
        <Label Name="MyLabel" Content="Hello" Background="{DynamicResource DynamicBG}" />
    </Grid>
</Window>

代码隐藏:

public partial class MainWindow : Window
{
    public MainWindow()
    {
        InitializeComponent();
    }

    private void Window_Loaded(object sender, RoutedEventArgs e)
    {
        this.Resources["DynamicBG"] = new SolidColorBrush(Colors.Red);
    }      
}

A2:当您想在运行时更改属性时,您应该使用动态资源。

于 2013-07-06T12:21:54.157 回答
3

A2:没有。要做你正在做的事情,最好使用数据绑定。在您的视图模型中有一个属性指示它是否已“加载”,然后使用合适的转换器将背景绑定到它,或使用触发器。(如果实际加载的是 UI,请将属性添加到窗口。)动态资源用于主题和模板,在极少数情况下,StaticResource 查找发生得太早。

于 2013-07-06T12:34:30.157 回答