我希望能够在 WPF 窗口中从.cs文件中设置样式属性(和值)。
我的问题是,如果我有 30 个矩形,我希望所有这些矩形都具有相同的样式(并且我不想单独更新所有矩形)。我想将它们全部设置(在 xaml 文件中)为相同的样式,然后更新样式以使其看起来像我想要的样子。
假设我在 Xaml 中为每个矩形设置了Style = "key1"
。然后我希望以后能够修改"key1",以便所有矩形都能反映该更改。
我试过App.xaml
<Application.Resources>
<Style x:Key="key1" TargetType="Rectangle">
<Setter Property="Fill" Value="Red"/>
</Style>
</Application.Resources>
In MainwWindows.xaml
<StackPanel>
<Rectangle Style="{StaticResource key1}" Height="200" Width="200" x:Name="rect1"/>
<Button Click="Button_Click" Content="Click"/>
</StackPanel>
在代码隐藏中
private void Button_Click(object sender, RoutedEventArgs e)
{
Style style = Application.Current.Resources["key1"] as Style;
style.Setters.Add(new Setter(Rectangle.VisibilityProperty, Visibility.Collapsed));
}
这将更新样式,但不更新矩形。
这可能吗?有谁知道如何做到这一点?(一个例子将不胜感激)。
您需要使用 DynamicResource
,以便可以在运行时更改它。 您还需要用新样式替换样式,而不是尝试修改现有样式。 这有效:
<StackPanel>
<Rectangle Style="{DynamicResource key1}" Height="200" Width="200" x:Name="rect1"/>
<Button Click="Button_Click" Content="Click"/>
</StackPanel>
Style style = new Style {TargetType = typeof(Rectangle)};
style.Setters.Add(new Setter(Shape.FillProperty, Brushes.Red));
style.Setters.Add(new Setter(UIElement.VisibilityProperty, Visibility.Collapsed));
Application.Current.Resources["key1"] = style;
还值得一提的是,样式一旦使用就被密封,因此无法更改。这就是为什么样式应该被另一个实例替换而不是更新的原因。
创建了一些静态助手,使用示例:
SetStyle(typeof(ContentPage),
(ContentPage.BackgroundColorProperty, Color.Green),
(ContentPage.PaddingProperty, new Thickness(20)));
帮助程序方法:
public static Style CreateStyle(Type target, params (BindableProperty property, object value)[] setters)
{
Style style = new Style(target);
style.ApplyToDerivedTypes = true;
foreach (var setter in setters)
{
style.Setters.Add(new Setter
{
Property = setter.property,
Value = setter.value
});
}
return style;
}
public static void SetStyle(Type target, params (BindableProperty property, object value)[] setters)
{
Style style = new Style(target);
style.ApplyToDerivedTypes = true;
foreach (var setter in setters)
{
style.Setters.Add(new Setter
{
Property = setter.property,
Value = setter.value
});
}
Application.Current.Resources.Add(style);
}