如何使文本框只接受字母字符
我有一个带有maskedtextbox
控件的窗体应用程序,我只想接受字母数值。
理想情况下,这会表现为按下除字母键之外的任何其他键都不会产生结果,或者立即向用户提供关于无效字符的反馈。
来自MSDN(这段代码展示了如何处理KeyDown事件来检查输入的字符,在这个例子中它只检查数字输入,你可以修改它以便它可以用于字母输入而不是数字):
// Boolean flag used to determine when a character other than a number is entered.
private bool nonNumberEntered = false;
// Handle the KeyDown event to determine the type of character entered into the control.
private void textBox1_KeyDown(object sender, System.Windows.Forms.KeyEventArgs e)
{
// Initialize the flag to false.
nonNumberEntered = false;
// Determine whether the keystroke is a number from the top of the keyboard.
if (e.KeyCode < Keys.D0 || e.KeyCode > Keys.D9)
{
// Determine whether the keystroke is a number from the keypad.
if (e.KeyCode < Keys.NumPad0 || e.KeyCode > Keys.NumPad9)
{
// Determine whether the keystroke is a backspace.
if(e.KeyCode != Keys.Back)
{
// A non-numerical keystroke was pressed.
// Set the flag to true and evaluate in KeyPress event.
nonNumberEntered = true;
}
}
}
//If shift key was pressed, it's not a number.
if (Control.ModifierKeys == Keys.Shift) {
nonNumberEntered = true;
}
}
// This event occurs after the KeyDown event and can be used to prevent
// characters from entering the control.
private void textBox1_KeyPress(object sender, System.Windows.Forms.KeyPressEventArgs e)
{
// Check for the flag being set in the KeyDown event.
if (nonNumberEntered == true)
{
// Stop the character from being entered into the control since it is non-numerical.
e.Handled = true;
}
}
在每个可以想象的编程论坛上,这个问题可能已经被提出并答复了一百万次。 所提供的每一个答案都有一个独特于所述要求的区别。
由于您使用的是MaskedTextBox
,因此您可以使用其他验证功能,并且不需要处理按键。 您可以简单地将Mask属性设置为“L”(需要输入字符)或“?” (可选字符)。 为了向用户显示输入不可接受的反馈,可以使用BeepOnError
属性或添加工具提示来显示错误消息。 这个反馈机制应该在MaskedInputRejected
事件处理程序中实现。
MaskedTextBox
控件提供ValidatingType
属性来检查传递掩码需求的输入,但可能不是正确的数据类型。 TypeValidationCompleted
事件在此类型验证后引发,您可以处理它以确定结果。
如果您仍然需要处理按键事件,请继续阅读...!
我建议你的方法是,不是处理KeyDown
事件(你表面上不需要高级密钥处理能力),或者使用正则表达式来匹配输入(坦白地说,过度杀伤),我会简单地使用内置属性Char结构。
private void maskedTextBox1_KeyPress(object sender, KeyPressEventArgs e)
{
Char pressedKey = e.KeyChar;
if (Char.IsLetter(pressedKey) || Char.IsSeparator(pressedKey) || Char.IsPunctuation(pressedKey))
{
// Allow input.
e.Handled = false
}
else
// Stop the character from being entered into the control since not a letter, nor punctuation, nor a space.
e.Handled = true;
}
}
请注意,此代码段允许您处理标点符号和分隔符键。
此代码将区分字母字符按键和非字母按键:
private void maskedTextBox1_KeyPress(object sender, KeyPressEventArgs e)
{
if (Regex.IsMatch(e.KeyChar.ToString(), @"p{L}"))
{
// this is a letter
}
else
{
// this is NOT a letter
}
}
更新:请注意,上述正则表达式模式只会匹配字母字符,所以它不会允许空格,逗号,点等。 为了允许更多种类的字符,您需要将这些添加到模式中:
// allow alphabetic characters, dots, commas, semicolon, colon
// and whitespace characters
if (Regex.IsMatch(e.KeyChar.ToString(), @"[p{L}.,;:s]"))
链接地址: http://www.djcxy.com/p/95959.html
上一篇: How to make Textbox only accept alphabetic characters
下一篇: How do I prevent a keypress from updating a MaskedTextBox's text?