0

我正在处理以下代码:

private Label textLabel;

public void ShowDialog()
        {
            Form prompt = new Form();
            prompt.Width = 500;
            prompt.Height = 150;
            prompt.Text = caption;
            textLabel = new Label() { Left = 50, Top=20, Text="txt"};
            TextBox textBox = new TextBox() { Left = 50, Top=50, Width=400 };
            Button confirmation = new Button() { Text = "Ok", Left=350, Width=100, Top=70 };
            confirmation.Click += (sender, e) => { prompt.Close(); };
            prompt.Controls.Add(confirmation);
            prompt.Controls.Add(textLabel);
            prompt.Controls.Add(textBox);
            prompt.ShowDialog();
        }

我正在使用另一种方法调用上述方法并尝试textLabel像这样更新循环内的字段

    public void doIt()
    {
       ShowDialog();

        for(int i=0;i<10;i++)
       {
         textLabel.TEXT = ""+i;

         Threading.Thread.Sleep(1000);
       }

    }

这就是我们在 Java 中所做的方式,但在 C# 中,我无法以这种方式更新标签文本。这里有什么问题,为什么我不能更新文本?

4

1 回答 1

4

所以这就是我的做法,它不是一个完整的解决方案,但我希望它能为您指明正确的方向:

Prompt创建将从表单派生的类。向其中添加控件(我是手动完成的,但您可以使用设计器)。添加Timer将在每秒触发的哪个将更改标签的文本。当计数器达到 10 时停止计时器。

public partial class Prompt : Form
{
      Timer timer;
      Label textLabel;
      TextBox textBox;
      Button confirmation;
      int count = 0;
      public Prompt()
      {
           InitializeComponent();
           this.Load += Prompt_Load;
           this.Width = 500;
           this.Height = 150;
           textLabel = new Label() { Left = 50, Top = 20, Text = "txt" };
           textBox = new TextBox() { Left = 50, Top = 50, Width = 400 };
           confirmation = new Button() { Text = "Ok", Left = 350, Width = 100, Top = 70 };
           this.Controls.Add(confirmation);
           this.Controls.Add(textLabel);
           this.Controls.Add(textBox);
           timer = new Timer();
           timer.Interval = 1000;
           timer.Tick += timer_Tick;
      }

      void Prompt_Load(object sender, EventArgs e)
      {
           timer.Start();
      }

      void timer_Tick(object sender, EventArgs e)
      {
           this.textLabel.Text = " " + count.ToString();
           count++;
           if (count == 10)
               timer.Stop();
      }
}

在该doIt方法中,创建Prompt表单实例,设置其标题并调用其ShowDialog()方法。

public void doIt()
{
    Prompt p = new Prompt();
    p.Text = caption;
    p.ShowDialog();

}
于 2013-07-09T18:48:37.490 回答