好吧,我有一个黑白应用程序,我需要一个降低亮度的功能,我该怎么做?所有的白色都来自保存在 ResourceDictionary(Application.xaml) 中的 SolidColorBrush,我当前的解决方案是放一个空窗口,它的不透明度为 80%,但这不允许我使用底层窗口。
Petoj
问问题
5446 次
3 回答
5
如果您所有的 UI 元素都使用相同的Brush
,为什么不直接修改Brush
以降低亮度?例如:
public void ReduceBrightness()
{
var brush = Application.Resources("Brush") as SolidColorBrush;
var color = brush.Color;
color.R -= 10;
color.G -= 10;
color.B -= 10;
brush.Color = color;
}
在您对Brush
被冻结发表评论后进行编辑:
如果您使用的是内置画笔之一(通过Brushes
类),那么它将被冻结。不要使用其中之一,而是声明自己的Brush
而不冻结它:
<SolidColorBrush x:Key="Brush">White</SolidColorBrush>
在罗伯特对应用程序级资源发表评论后进行编辑:
罗伯特是对的。如果在关卡中添加的资源Application
可冻结,则它们会自动冻结。即使您明确要求不要冻结它们:
<SolidColorBrush x:Key="ForegroundBrush" PresentationOptions:Freeze="False" Color="#000000"/>
我可以看到有两种解决方法:
- 正如罗伯特建议的那样,将资源放在资源树中的较低级别。例如,在 a
Window
的Resources
集合中。但是,这使得分享变得更加困难。 - 将资源放在不可冻结的包装器中。
作为#2 的示例,请考虑以下内容。
应用程序.xaml:
<Application.Resources>
<FrameworkElement x:Key="ForegroundBrushContainer">
<FrameworkElement.Tag>
<SolidColorBrush PresentationOptions:Freeze="False" Color="#000000"/>
</FrameworkElement.Tag>
</FrameworkElement>
</Application.Resources>
Window1.xaml:
<StackPanel>
<Label Foreground="{Binding Tag, Source={StaticResource ForegroundBrushContainer}}">Here is some text in the foreground color.</Label>
<Button x:Name="_button">Dim</Button>
</StackPanel>
Window1.xaml.cs:
public partial class Window1 : Window
{
public Window1()
{
InitializeComponent();
_button.Click += _button_Click;
}
private void _button_Click(object sender, RoutedEventArgs e)
{
var brush = (FindResource("ForegroundBrushContainer") as FrameworkElement).Tag as SolidColorBrush;
var color = brush.Color;
color.R -= 10;
color.G -= 10;
color.B -= 10;
brush.Color = color;
}
}
它不是那么漂亮,但它是我现在能想到的最好的。
于 2009-03-17T11:49:55.787 回答
0
通过更改我的根元素的不透明度而不是尝试修改画笔解决了这个问题,但是如果有人告诉我是否可以这样做或不可能做到这一点,那仍然会很好。
于 2009-03-17T12:46:39.877 回答
0
SolidColorBrush
如果将其添加到较低级别的资源中,Kent 的解决方案将起作用。Freezables 添加到Application.Resources
.
于 2009-03-17T16:20:08.117 回答