-1

我想通过循环而不是单个名称访问多个textbox名称textbox1、textbox2、textbox3 等。出于这个原因,我创建了一个创建这个 var 名称的函数。

public string[] nameCre(string cntrlName, int size)
{
    string[] t = new string[size];

    for (int i = 0; i < size; i++)
    {
        t[i] = cntrlName.ToString() + (i + 1);
    }
    return t;
}

对于nameCre("Textbox",5);所以这个,函数成功返回我 TextBox1,TextBox2 ... TextBox5。

但是当我试图将此字符串转换为 TextBox 控件时

string[] t = new string[50];
t=  nameCre("TextBox",5);    
foreach (string s in t)
{
    ((TextBox) s).Text = "";
}

它给了我错误:

无法将类型“字符串”转换为“System.Windows.Forms.TextBox”......

我怎样才能完成这项工作?

4

4 回答 4

0
string[] t= new string[50];
    t= nameCre("TextBox",5);

foreach (string s in t){
TextBox tb = (TextBox)this.Controls.FindControl(s);
tb.Text = "";
}

如果你有很多文本框

foreach (Control c in this.Controls)
{
  if (c.GetType().ToString() == "System.Windows.Form.Textbox")
  {
    c.Text = "";
  }
}
于 2012-07-12T02:58:31.573 回答
0
var t = nameCre("TextBox",5);

foreach (var s in t)
{
    var textBox = new TextBox {Name = s, Text = ""};
}
于 2012-07-12T03:10:47.740 回答
0

也许你需要这个 -

        string[] t = new string[50];
        t = nameCre("TextBox", 5);

        foreach (string s in t)
        {
            if (!string.IsNullOrEmpty(s))
            {
                Control ctrl = this.Controls.Find(s, true).FirstOrDefault();
                if (ctrl != null && ctrl is TextBox)
                {
                    TextBox tb = ctrl as TextBox;
                    tb.Text = "";
                }
            }
        }
于 2012-07-12T03:58:24.910 回答
0

这篇文章很老了,无论如何我想我可以给你(或任何其他有类似问题的人)一个答案:

我认为使用文本框的数组(或列表)将是最好的解决方案:

        // using an Array:
        TextBox[] textBox = new TextBox[5];
        textBox[0] = new TextBox() { Location = new Point(), /* etc */};
        // or
        textBox[0] = TextBox0; // if you already have a TextBox named TextBox0

        // loop it:
        for (int i = 0; i < textBox.Length; i++)
        {
            textBox[i].Text = "";
        }

        // using a List:  (you need to reference System.Collections.Generic)
        List<TextBox> textBox = new List<TextBox>();
        textBox.Add(new TextBox() { Name = "", /* etc */});
        // or
        textBox.Add(TextBox0); // if you already have a TextBox named TextBox0

        // loop it:
        for (int i = 0; i < textBox.Count; i++)
        {
            textBox[i].Text = "";
        }

我希望这有帮助 :)

于 2015-09-03T07:45:24.603 回答