質問

WinFormのtextBoxに検証ルールを実装しましたが、うまく機能します。ただし、フィールドからタブで移動したときにのみ検証をチェックします。ボックスに何かが入力されたらすぐに、コンテンツが変更されるたびにチェックしてほしい。また、WinFormが開いたらすぐに検証をチェックしたいと思います。

最近、いくつかのイベントやその他のイベントを設定してこれを行ったことを覚えていますが、その方法を覚えていないようです。

役に立ちましたか?

解決

TextChangedイベント

将来、MSDNライブラリですべてのイベントを見つけることができます。 TextBoxクラス参照

http:// msdn.microsoft.com/en-us/library/system.windows.forms.textbox(VS.80).aspx

他のヒント

データバインディングを使用している場合、テキストボックスのプロパティに移動します。上部の(DataBindings)を開き、(詳細)プロパティをクリックすると、3つのドットが表示されます(...)それらをクリックします。高度なデータバインディング画面が表示されます。バインドされているTextBoxの各プロパティ( Text の場合)では、データバインディング、つまり検証を「キックイン」するタイミングを設定できます。コンボボックスデータソース更新モードを使用します。 OnPropertyChanged に設定すると、入力時に再評価されます(デフォルトは OnValidation で、タブで更新されるだけです)。

データが完成していない場合、データはどのように有効になりますか?つまり、ユーザーが数値を入力し、それを日付として検証しようとしていますか?

テキストボックスをbindingSourceにバインドする場合は、[詳細設定]に移動して、検証の種類を選択します
" On Property Changed"。これにより、キーを押すたびにデータがエンティティに伝達されます。 スクリーンショット

TextChangedイベントだけでなく、KeyPressイベントまたはKeyDownイベントを確認する必要があります。

MSDNドキュメント

// 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;
    }
}
ライセンス: CC-BY-SA帰属
所属していません StackOverflow
scroll top