2

我有一个简单的 WinRT(Win8、.NET/C#/XAML)项目。我的 XAML TextBox 控件之一附加了一个自定义 StringValueConverter,它格式化来自视图模型的数据绑定值。

这很好用,但它缺少一件事:当用户更改 TextBox 中的值(例如:货币值)并离开 TextBox 时,应自动应用转换器。到目前为止,视图模型中的数据绑定值已更新,但视图并未再次应用转换器。

是否有任何内置解决方案或任何已知的自定义解决方案?

4

1 回答 1

0

我测试了你描述的场景,它工作正常:

XAML:

<Window x:Class="ValueConverterTest.MainWindow"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:valueConverterTest="clr-namespace:ValueConverterTest"
    Title="MainWindow" Height="350" Width="525">
<Window.Resources>
    <valueConverterTest:CustomConverter x:Key="CustomConverter" />
</Window.Resources>
  <StackPanel>
   <TextBox Text="{Binding CustomText, Converter={StaticResource CustomConverter}}"></TextBox>
    <TextBox></TextBox>
</StackPanel>
</Window>

后面的代码:

namespace ValueConverterTest
{
   using System.ComponentModel;
   using System.Windows;

   public partial class MainWindow : Window, INotifyPropertyChanged 
   {

      public string CustomText
      {
        get { return customText; }
        set
        {
           customText = value;
           OnPropertyChanged("CustomText");
        }
      }

      public MainWindow()
      {
        InitializeComponent();
        DataContext = this;
      }

      private string customText;

      public event PropertyChangedEventHandler PropertyChanged;

      protected virtual void OnPropertyChanged(string propertyName)
      {
         PropertyChangedEventHandler handler = PropertyChanged;
         if (handler != null)
         {
            handler(this, new PropertyChangedEventArgs(propertyName));
         }
      }
   }
}

值转换器:

using System;
using System.Globalization;
using System.Windows;
using System.Windows.Data;

namespace ValueConverterTest
{
   public class CustomConverter : IValueConverter
   {
      public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
      {
         return value;
      }

      public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
      {
         return value;
      }
   }
}

此示例工作正常。通过首先离开文本框,调用 convert back 方法,然后再调用 convert 方法。

你确定你的装订工作正常吗?

于 2013-03-06T16:04:27.777 回答