Xamarin.Forms数字输入法的逗号和圆点不能使用。

问题描述 投票:0回答:1

在安卓系统上,我既不能输入逗号也不能输入点来做小数。该条目只接受整数。我需要改变什么才能输入小数?

Xaml:

<Entry Keyboard="Numeric" Text="{Binding Price1}" Placeholder="Price"/>

内容页 cs:

        private decimal price1;
        public string Price1
        {
            get { return (price1).ToString(); }
            set
            {
                price1 = Convert.ToDecimal((String.IsNullOrEmpty(value)) ? null : value);

                OnPropertyChanged(nameof(Price1));
            }
        }
c# xamarin xamarin.forms xamarin.android xamarin.forms.entry
1个回答
0
投票

最快的方法是创建一个带有绑定的字符串属性,并在使用时转换为小数。

视图模型

    private string price1;
    public string Price1
    {
        get { return price1; }
        set
        {
            price1 = value;

            OnPropertyChanged(nameof(Price1));
        }
    }

使用方法

 decimal f = Convert.ToDecimal(Price1);

0
投票

根据我的经验,Xamarin在小数点的显示上很麻烦。你最终要输入小数点的任何一边,而且它的行为永远不会一致。

我发现让ViewModel提供一个非小数的整数值,然后使用一个值转换器将其显示为小数,要容易得多。

例如

<Label x:Name="CpvValueText" Text="{Binding ScaledValue, Mode=OneWay, Converter={x:StaticResource DecimalConverter}}" />

...

   /// <summary>
    /// This helper class converts integer values to decimal values and back for ease of display on Views
    /// </summary>
    public class DecimalConverter : IValueConverter
    {
        /// <inheritdoc />
        public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
        {
            if (null == value)
            {
                return 0;
            }

            var dec = ToDecimal(value);
            return dec.ToString(CultureInfo.InvariantCulture);
        }

        /// <inheritdoc />
        public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
        {
            var strValue = value as string;
            if (string.IsNullOrEmpty(strValue))
            {
                strValue = "0";
            }

            return decimal.TryParse(strValue, out var result) ? result : 0;
        }
    }

0
投票

正如 @Cole Xia - MSFT 指出的问题中的代码的问题是,输入立即从字符串转换为十进制。这就导致在转换过程中,小数点comma被剥离了。因此你必须在整个过程中保持输入内容为String,并在使用时将其转换为数字类型。

© www.soinside.com 2019 - 2024. All rights reserved.