WinForm中的输入处理

时间:2008-11-17 00:09:24

标签: c# winforms keyboard user-input

阻止某些输入键在TextBox中使用而没有阻止特殊键击(如Ctrl-V / Ctrl-C)的最佳方法是什么?

例如,仅允许用户输入字符或数字的子集,例如A或B或C,而不是其他任何内容。

5 个答案:

答案 0 :(得分:3)

我使用了Masked Textbox控件来获取winforms。有关它的更长的解释here。从本质上讲,它不允许输入与字段的条件不匹配。如果你不希望人们输入除数字之外的任何内容,它根本不允许他们输入除数字之外的任何内容。

答案 1 :(得分:3)

这就是我经常处理的方式。

Regex regex = new Regex("[0-9]|\b");            
e.Handled = !(regex.IsMatch(e.KeyChar.ToString()));

这只会允许数字字符和退格。问题是在这种情况下您将不被允许使用控制键。如果你想保留这个功能,我会创建自己的文本框类。

答案 2 :(得分:2)

如果不允许密钥,我会使用keydown事件并使用e.cancel来停止密钥。如果我想在多个地方执行此操作,那么我将创建一个继承文本框的用户控件,然后添加一个属性AllowedChars或DisallowedChars来处理它。我有几个变种,我不时使用,有些允许货币格式和输入,有些用于时间编辑等等。

作为用户控件执行此操作的好处是,您可以添加到它并将其设置为您自己的杀手文本框。 ;)

答案 3 :(得分:1)

我发现唯一可行的解​​决方案是在ProcessCmdKey中对Ctrl-V,Ctrl-C,Delete或Backspace进行按键预检,如果不是其中一个键,则进行进一步验证使用正则表达式的KeyPress事件。

这可能不是最好的方式,但它在我的环境中起作用。

protected override bool ProcessCmdKey(ref Message msg, Keys keyData)
{
    // check the key to see if it should be handled in the OnKeyPress method
    // the reasons for doing this check here is:
    // 1. The KeyDown event sees certain keypresses differently, e.g NumKeypad 1 is seen as a lowercase A
    // 2. The KeyPress event cannot see Modifer keys so cannot see Ctrl-C,Ctrl-V etc.
    // The functionality of the ProcessCmdKey has not changed, it is simply doing a precheck before the 
    // KeyPress event runs
    switch (keyData)
    {
        case Keys.V | Keys.Control :
        case Keys.C | Keys.Control :
        case Keys.X | Keys.Control :
        case Keys.Back :
        case Keys.Delete :
            this._handleKey = true;
            break;
        default:
            this._handleKey = false;
            break;
    }
    return base.ProcessCmdKey(ref msg, keyData);
}


protected override void OnKeyPress(KeyPressEventArgs e)
{
    if (String.IsNullOrEmpty(this._ValidCharExpression))
    {
        this._handleKey = true;
    }
    else if (!this._handleKey)
    {
        // this is the final check to see if the key should be handled
        // checks the key code against a validation expression and handles the key if it matches
        // the expression should be in the form of a Regular Expression character class
        // e.g. [0-9\.\-] would allow decimal numbers and negative, this does not enforce order, just a set of valid characters
        // [A-Za-z0-9\-_\@\.] would be all the valid characters for an email
        this._handleKey = Regex.Match(e.KeyChar.ToString(), this._ValidCharExpression).Success;
    }
    if (this._handleKey)
    {
        base.OnKeyPress(e);
        this._handleKey = false;
    }
    else
    {
        e.Handled = true;
    }

}

答案 4 :(得分:0)

您可以将TextChanged事件用于文本框。

    private void txtInput_TextChanged(object sender, EventArgs e)
    {
        if (txtInput.Text.ToUpper() == "A" || txtInput.Text.ToUpper() == "B")
        {
            //invalid entry logic here
        }
    }