我需要根据某些条件将笔刷设置为红色或橙色,如果不满足任何条件,则退回默认笔刷。
如果Windows Phone具有样式触发器,这将是微不足道的,但实际上并非如此,我必须为每种情况创建一个专用的转换器,如下所示:
public class StatusToColorConverter : IValueConverter
{
public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
{
var status = (Status)value;
if (status.IsCancelled)
{
return new SolidColorBrush(Colors.Red);
}
else if (status.IsDelayed)
{
return new SolidColorBrush(Colors.Orange);
}
else
{
return parameter;
}
}
}
并像这样使用它:
<TextBlock Foreground="{Binding Status,
Converter={StaticResource statusToColorConverter},
ConverterParameter={StaticResource PhoneForegroundBrush}}" />
但是现在我需要一个根据条件返回
PhoneForegroundBrush
或PhoneDisabledBrush
的转换器。我不能传递两个参数,Windows Phone也不支持MultiBindings。我虽然这样:
<TextBlock Foreground="{Binding Status,
Converter={StaticResource statusToColorConverter},
ConverterParameter={Binding RelativeSource={RelativeSource Self}}
因此,我可以在参数中获取文本块,然后使用它来查找资源,但是它也不起作用。
有任何想法吗?
最佳答案
您可以将画笔直接声明为转换器上的属性:
public class StatusToColorConverter : IValueConverter
{
public Brush CancelledBrush { get; set; }
public Brush DelayedBrush { get; set; }
public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
{
var status = (Status)value;
if (status.IsCancelled)
{
return this.CancelledBrush;
}
if (status.IsDelayed)
{
return this.DelayedBrush;
}
return parameter;
}
public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
{
throw new NotImplementedException();
}
}
然后,在初始化转换器时从XAML填充它们:
<my:StatusToColorConverter x:Key="StatusToColorConverter" CancelledBrush="{StaticResource CancelledBrush}" DelayedBrush="{StaticResource DelayedBrush}" />
关于c# - 在转换器中使用资源,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19111959/