如何将Xamarin.Forms条目绑定到非字符串类型,例如Decimal

时间:2014-06-27 01:17:12

标签: c# xamarin xamarin.forms

我创建了Entry并尝试将其绑定到Decimal属性,如:

var downPayment = new Entry () {
    HorizontalOptions = LayoutOptions.FillAndExpand,
    Placeholder = "Down Payment",
    Keyboard = Keyboard.Numeric
};
downPayment.SetBinding (Entry.TextProperty, "DownPayment");

当我尝试在模拟器上输入条目时,我收到以下错误。

  

对象类型System.String无法转换为目标类型:System.Decimal

1 个答案:

答案 0 :(得分:13)

在撰写本文时,绑定时没有内置转换(但这是有效的),因此绑定系统不知道如何将DownPayment字段(小数)转换为Entry.Text(一个字符串)。

如果OneWay绑定符合您的预期,则字符串转换器将完成此任务。这适用于Label

downPayment.SetBinding (Entry.TextProperty, new Binding ("DownPayment", stringFormat: "{0}"));

对于Entry,您希望绑定在两个方向都有效,因此您需要一个转换器:

public class DecimalConverter : IValueConverter
{
    public object Convert (object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
    {
        if (value is decimal)
            return value.ToString ();
        return value;
    }

    public object ConvertBack (object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
    {
        decimal dec;
        if (decimal.TryParse (value as string, out dec))
            return dec;
        return value;
    }
}

现在您可以在Binding中使用该转换器的实例:

downPayment.SetBinding (Entry.TextProperty, new Binding ("DownPayment", converter: new DecimalConverter()));

注意:

OP的代码应该在1.2.1及更高版本中开箱即用(来自Stephane对该问题的评论)。这是低于1.2.1

的版本的解决方法