你知道如何限制用户在文本框中输入,这个文本框只接受整数吗?顺便说一句,我正在为 Windows 8 开发。我已经尝试过从 SO 和 Google 搜索的内容,但它不起作用,
问问题
28425 次
4 回答
9
如果您不想下载 WPF 工具包(它同时具有 IntegerUpDown 控件或 MaskedTextBox),您可以自己实现它,改编自这篇关于Masked TextBox In WPF的文章,使用UIElement.PreviewTextInput
和DataObject.Pasting
事件。
以下是您将在窗口中放入的内容:
<Window x:Class="WpfApp1.MainWindow" Title="MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">
<StackPanel Orientation="Vertical" Width="100" Height="100" HorizontalAlignment="Left" VerticalAlignment="Top">
<TextBlock Name="NumericLabel1" Text="Enter Value:" />
<TextBox Name="NumericInput1"
PreviewTextInput="MaskNumericInput"
DataObject.Pasting="MaskNumericPaste" />
</StackPanel>
</Window>
然后在你的代码隐藏中实现 C#:
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
private void MaskNumericInput(object sender, TextCompositionEventArgs e)
{
e.Handled = !TextIsNumeric(e.Text);
}
private void MaskNumericPaste(object sender, DataObjectPastingEventArgs e)
{
if (e.DataObject.GetDataPresent(typeof(string)))
{
string input = (string)e.DataObject.GetData(typeof(string));
if (!TextIsNumeric(input)) e.CancelCommand();
}
else
{
e.CancelCommand();
}
}
private bool TextIsNumeric(string input)
{
return input.All(c => Char.IsDigit(c) || Char.IsControl(c));
}
}
于 2013-02-11T14:36:03.493 回答
6
public class IntegerTextBox : TextBox
{
protected override void OnTextChanged(TextChangedEventArgs e)
{
base.OnTextChanged(e);
Text = new String(Text.Where(c => Char.IsDigit(c)).ToArray());
this.SelectionStart = Text.Length;
}
}
于 2013-02-11T14:38:24.893 回答
1
在最原始的级别,您可以拦截KeyUp
事件或TextChanged
查看正在添加的字符,如果无法将其解析为 Int,则将其删除。
还要检查 -只接受文本框的数字 和掩码文本框只接受小数
于 2013-02-11T14:26:14.570 回答
0
您可以使用整数上下控制。WPF 工具包中有一个可以解决问题:
https://wpftoolkit.codeplex.com/wikipage?title=IntegerUpDown
于 2013-02-11T14:25:02.127 回答