windows NumberBox在WinUI 3中不显示实际值

qvtsj1bj  于 2023-11-21  发布在  Windows
关注(0)|答案(2)|浏览(205)

我的WinUI 3应用程序中的一个数字框将浮点值5.94显示为“5.939999995”。此数字框绑定到视图模型的浮点属性。还有其他数字框绑定到同一视图模型的不同示例,其他数字框可以正常显示其浮点值(精细的意思是显示2个十进制数字,由绑定到所有这些数字框的数字格式化程序定义)。
数字框Xaml定义:

  1. <NumberBox
  2. Value="{x:Bind Path=MainVM.ViewModel[5].SomeNumber, Mode=TwoWay}"
  3. />

字符串
如前所述,每个数字框都附加了一个数字格式化程序,将十进制数字限制为2位,但这仍然不能解释为什么5.94没有显示为5.94。

7z5jn7bk

7z5jn7bk1#

Binary floating point math is like this的一个。
但在这种情况下,您可以实现一个自定义的number formatter,例如:

  1. public class DoubleFormatter : INumberFormatter2, INumberParser
  2. {
  3. public virtual string Format { get; set; } = "{0:F2}"; // by default we use this but you can change it in the XAML declaration
  4. public virtual string FormatDouble(double value) => string.Format(Format, value);
  5. public virtual double? ParseDouble(string text) => double.TryParse(text, out var dbl) ? dbl : null;
  6. // we only support doubles
  7. public string FormatInt(long value) => throw new NotSupportedException();
  8. public string FormatUInt(ulong value) => throw new NotSupportedException();
  9. public long? ParseInt(string text) => throw new NotSupportedException();
  10. public ulong? ParseUInt(string text) => throw new NotSupportedException();
  11. }

字符串
注意:它没有记录AFAIK,但INumberFormatter2必须也实现INumberParser,否则你会得到更多外来的神秘错误的“无效参数”...
示例XAML:

  1. <StackPanel>
  2. <StackPanel.Resources>
  3. <local:DoubleFormatter x:Key="df" /> <!-- change Format here -->
  4. </StackPanel.Resources>
  5. <NumberBox NumberFormatter="{StaticResource df}" Value="{x:Bind MyFloatValue, Mode=TwoWay}" />
  6. </StackPanel>

展开查看全部
vsikbqxv

vsikbqxv2#

IIRC,这是NumberFormatter的问题。你能试试这个代码吗?

  1. namespace NumberBoxExample;
  2. // Customize the return values if you need to.
  3. public class CustomIncrementNumberRounder : INumberRounder
  4. {
  5. public double RoundDouble(double value) => value;
  6. public int RoundInt32(int value) => value;
  7. public long RoundInt64(long value) => value;
  8. public float RoundSingle(float value) => value;
  9. public uint RoundUInt32(uint value) => value;
  10. public ulong RoundUInt64(ulong value) => value;
  11. }

个字符

展开查看全部

相关问题