Wob*_*ley 8 windows numeric tile windows-8
我试图在Windows 8磁贴应用程序中找到一个很好的替代Numericbox.我尝试使用与Windows窗体相同的数字框,但是有一个错误说Windows 8应用程序不支持这些(?).我注意到tile应用程序的TextBox元素有一个可以设置为"Number"的InputScope,但它仍然允许用户键入他想要的任何字符.我假设InputScope没有做我认为它做的事情.
我目前正在管理文本框,但因为我正在进行计算,文本必须不断转换为十进制,然后在我想要更新界面时返回文本,此外还必须执行多项检查以确保用户执行此操作不输入非数字字符.这变得非常乏味,并且非常熟悉Windows Form,这似乎是朝着错误方向迈出的一步.我一定错过了一些明显的东西?
我不熟悉NumericTextBox
,但这里有一个简单的 C#/XAML 实现,仅允许数字和小数字符。
它所做的只是覆盖OnKeyDown
事件;根据按下的键,它允许或禁止事件到达基TextBox
类。
我应该指出,此实现适用于 Windows 应用商店应用程序 - 我相信您的问题是关于该类型的应用程序,但我不能 100% 确定。
public class MyNumericTextBox : TextBox
{
protected override void OnKeyDown(KeyRoutedEventArgs e)
{
HandleKey(e);
if (!e.Handled)
base.OnKeyDown(e);
}
bool _hasDecimal = false;
private void HandleKey(KeyRoutedEventArgs e)
{
switch (e.Key)
{
// allow digits
// TODO: keypad numeric digits here
case Windows.System.VirtualKey.Number0:
case Windows.System.VirtualKey.Number1:
case Windows.System.VirtualKey.Number2:
case Windows.System.VirtualKey.Number3:
case Windows.System.VirtualKey.Number4:
case Windows.System.VirtualKey.Number5:
case Windows.System.VirtualKey.Number6:
case Windows.System.VirtualKey.Number7:
case Windows.System.VirtualKey.Number8:
case Windows.System.VirtualKey.Number9:
e.Handled = false;
break;
// only allow one decimal
// TODO: handle deletion of decimal...
case (Windows.System.VirtualKey)190: // decimal (next to comma)
case Windows.System.VirtualKey.Decimal: // decimal on key pad
e.Handled = (_hasDecimal == true);
_hasDecimal = true;
break;
// pass various control keys to base
case Windows.System.VirtualKey.Up:
case Windows.System.VirtualKey.Down:
case Windows.System.VirtualKey.Left:
case Windows.System.VirtualKey.Right:
case Windows.System.VirtualKey.Delete:
case Windows.System.VirtualKey.Back:
case Windows.System.VirtualKey.Tab:
e.Handled = false;
break;
default:
// default is to not pass key to base
e.Handled = true;
break;
}
}
}
Run Code Online (Sandbox Code Playgroud)
这是一些示例 XAML。请注意,它假设MyNumericTextBox
位于项目名称空间中。
<StackPanel Background="Black">
<!-- custom numeric textbox -->
<local:MyNumericTextBox />
<!-- normal textbox -->
<TextBox />
</StackPanel>
Run Code Online (Sandbox Code Playgroud)