8

我有 10 个文本框,现在我想检查单击按钮时它们是否为空。我的代码是:

 if (TextBox1.Text == "")
 {
    errorProvider1.SetError(TextBox1, "Please fill the required field");
 }

有什么方法可以一次检查所有的文本框,而不是为每个人写?

4

3 回答 3

24

就在这里。

首先,您需要以序列的形式获取所有文本框,例如:

var boxes = Controls.OfType<TextBox>(); 

然后,您可以遍历它们,并相应地设置错误:

foreach (var box in boxes)
{
    if (string.IsNullOrWhiteSpace(box.Text))
    {
        errorProvider1.SetError(box, "Please fill the required field");
    }
}

我建议使用string.IsNullOrWhiteSpace而不是x == ""或 +string.IsNullOrEmpty将填充有空格、制表符等的文本框标记为错误。

于 2012-08-26T12:48:36.470 回答
2

可能不是最佳解决方案,但这也应该有效

    public Form1()
    {
       InitializeComponent();
       textBox1.Validated += new EventHandler(textBox_Validated);
       textBox2.Validated += new EventHandler(textBox_Validated);
       textBox3.Validated += new EventHandler(textBox_Validated);
       ...
       textBox10.Validated += new EventHandler(textBox_Validated);
    }

    private void button1_Click(object sender, EventArgs e)
    {
        this.ValidateChildren();
    }

    public void textBox_Validated(object sender, EventArgs e)
    { 
        var tb = (TextBox)sender;
        if(string.IsNullOrEmpty(tb.Text))
        {
            errorProvider1.SetError(tb, "error");
        }
    }
于 2012-08-26T11:49:25.123 回答
1

编辑:

var controls = new [] { tx1, tx2. ...., txt10 };
foreach(var control in controls.Where(e => String.IsNullOrEmpty(e.Text))
{
    errorProvider1.SetError(control, "Please fill the required field");
}
于 2012-08-26T11:49:44.533 回答