我想创建一个类似于Microsoft Outlook的窗口标题。
为此,我创建了以下绑定:
<MultiBinding StringFormat="{}{0} - Message ({1})}">
<Binding ElementName="txtSubject" Path="Text" />
<Binding ElementName="biSendAsHtml">****</Binding>
</MultiBinding>
现在我想知道如何使第二个绑定成为条件。例如biSendAsHtml.IsChecked
等于true
时显示 HTML 其他显示纯文本。
答案 0 :(得分:2)
创建IValueConverter并在第二个绑定中使用它 -
public class MyConverter : IValueConverter
{
public object Convert(object value, Type targetType, object parameter,
System.Globalization.CultureInfo culture)
{
return (bool)value ? "HTML" : "Your Text";
}
public object ConvertBack(object value, Type targetType, object parameter,
System.Globalization.CultureInfo culture)
{
throw new NotImplementedException();
}
}
这是你的XAML -
<MultiBinding StringFormat="{}{0} - Message ({1})}">
<Binding ElementName="txtSubject" Path="Text" />
<Binding ElementName="biSendAsHtml" Path="IsChecked"
Converter="{StaticResource Myconverter}"/>
</MultiBinding>
答案 1 :(得分:2)
我不确定你认为sa_ddam213的答案是否优雅,这只是可怕的。转发器,如RV1987建议,是正确的方法,但你可以更聪明。
创建一个转换器,它接受bool并将其转换为Converter定义中定义的选项。
public class BoolToObjectConverter : IValueConverter
{
public object TrueValue { get; set; }
public object FalseValue { get; set; }
public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
{
return Convert.ToBoolean(value) ? TrueValue : FalseValue;
}
public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
{
throw new NotImplementedException();
}
}
定义转换器:
<local:BoolToObjectConverter x:Key="SendAsHtmlBoolToTextConverter"
TrueValue="HTML"
FalseValue="Plain Text"/>
并使用它:
<MultiBinding StringFormat="{}{0} - Message ({1})}">
<Binding ElementName="txtSubject" Path="Text" />
<Binding ElementName="biSendAsHtml" Path="IsChecked"
Converter="{StaticResource SendAsHtmlBoolToTextConverter}"/>
</MultiBinding>
如果你想要甚至可以使TrueValue和FalseValue DependencyProperties支持Binding。