6

我有一个 Textblock,它的 Text 属性绑定到 DateTime?输入数据,我想在 DateTime? 数据为空。
下面的代码效果很好。

  < TextBlock Text="{Binding DueDate, TargetNullValue='wow,It's null'}"/>

但是,如果我想将 Localizedstring 绑定到 TargetNullValue 怎么办?
下面的代码不起作用:(
怎么办?

  < TextBlock Text="{Binding DueDate, TargetNullValue={Binding LocalStrings.bt_help_Title1, Source={StaticResource LocalizedResources}} }"/>
4

2 回答 2

4

我看不出有任何方法可以用 TargetNullValue 做到这一点。作为一种解决方法,您可以尝试使用转换器:

public class NullValueConverter : IValueConverter
{
    public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
    {
        if (value != null)
        {
            return value;
        }

        var resourceName = (string)parameter;

        return AppResources.ResourceManager.GetString(resourceName);
    }

    public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
    {
        throw new NotImplementedException();
    }
}

然后将其添加到页面的资源中:

<phone:PhoneApplicationPage.Resources>
    <local:NullValueConverter x:Key="NullValueConverter" />
</phone:PhoneApplicationPage.Resources>

最后,使用它代替 TargetNullValue:

<TextBlock Text="{Binding DueDate, Converter={StaticResource NullValueConverter}, ConverterParameter=bt_help_Title1}" />
于 2012-05-12T17:08:10.527 回答
1

由于您不能在另一个绑定中进行绑定,因此您需要使用多重绑定。

就像是:

<Window.Resources>
    <local:NullConverter x:Key="NullConverter" />
</Window.Resources>

<TextBlock>
    <TextBlock.Text>
        <MultiBinding Converter="{StaticResource NullConverter}">
            <Binding Path="DueDate"/>
            <!-- using a windows resx file for this demo -->
            <Binding Source="{x:Static local:LocalisedResources.ItsNull}" />
        </MultiBinding>
    </TextBlock.Text>
</TextBlock>

public class NullConverter : IMultiValueConverter
{
    #region Implementation of IMultiValueConverter

    public object Convert(object[] values, Type targetType, 
                          object parameter, CultureInfo culture)
    {
        if (values == null || values.Length != 2)
        {
            return string.Empty;
        }

        return (values[0] ?? values[1]).ToString();
    }

    public object[] ConvertBack(object value, Type[] targetTypes, 
                                object parameter, CultureInfo culture)
    {
        throw new NotImplementedException();
    }

    #endregion
}
于 2012-05-12T17:08:30.800 回答