0

ボタンがクリックされたときにテキストの色を変更して、テキストボックスのテキストを「点滅」に設定したいと思います。

テキストを希望どおりに点滅させることはできますが、数回点滅した後に停止させたいです。タイマーが数回作動した後、停止させる方法がわかりません。

これが私のコードです:

public Form1()
{
    InitializeComponent();

    Timer timer = new Timer();
    timer.Interval = 500;
    timer.Enabled = false;

    timer.Start();
    timer.Tick += new EventHandler(timer_Tick);

    if (timerint == 5)
    timer.Stop();
}

private void timer_Tick(object sender, EventArgs e)
{
    timerint += 1;

    if (textBoxInvFooter.ForeColor == SystemColors.GrayText)
        textBoxInvFooter.ForeColor = SystemColors.Highlight;
    else
        textBoxInvFooter.ForeColor = SystemColors.GrayText;
}

私の問題は「timerint」の使用方法にあることは知っていますが、それをどこに置くか、またはどの解決策を使用すべきかわかりません...

助けてくれてありがとう!

4

2 に答える 2

2

Tickハンドラー内にタイマーチェックを配置する必要があります。ハンドラーTimerの引数を使用して、オブジェクトにアクセスできます。sender

private void timer_Tick(object sender, EventArgs e)
{
    // ...

    timerint += 1;
    if (timerint == 5)
    {
        ((Timer)sender).Stop();
    }
}
于 2012-09-29T05:56:30.990 に答える
1

これが私があなたの問題を解決するために使う完全なコードです。タイマーを正しく停止し、イベントハンドラーを切り離して、タイマーを破棄します。点滅中はボタンを無効にし、5回の点滅が完了した後にテキストボックスの色を復元します。

最良の部分は、それが1つのラムダ内で純粋に定義されているため、クラスレベルの変数は必要ないということです。

ここにあります:

        button1.Click += (s, e) =>
        {
            button1.Enabled = false;
            var counter = 0;
            var timer = new Timer()
            {
                Interval = 500,
                Enabled = false
            };

            EventHandler handler = null;
            handler = (s2, e2) =>
            {
                if (++counter >= 5)
                {
                    timer.Stop();
                    timer.Tick -= handler;
                    timer.Dispose();
                    textBoxInvFooter.ForeColor = SystemColors.WindowText;
                    button1.Enabled = true;
                }
                else
                {
                    textBoxInvFooter.ForeColor =
                        textBoxInvFooter.ForeColor == SystemColors.GrayText
                            ? SystemColors.Highlight 
                            : SystemColors.GrayText;
                }
            };

            timer.Tick += handler;
            timer.Start();
        };
于 2012-09-29T07:37:07.100 に答える