我在基于数据库条目的表单上创建了许多按钮,它们工作得很好。这是创建它们的代码。如你所见,我给了他们一个标签:
for (int i = 0; i <= count && i < 3; i++)
{
btnAdd.Text = dataTable.Rows[i]["deviceDescription"].ToString();
btnAdd.Location = new Point(x, y);
btnAdd.Tag = i;
this.Controls.Add(btnAdd);
}
我使用这些按钮来显示轮询系统。例如,我希望按钮在一切正常时为绿色,在出现问题时为红色。
所以我遇到的问题是稍后引用按钮,以便我可以更改其属性。我尝试了以下内容:
this.Invoke((MethodInvoker)delegate
{
// txtOutput1.Text = (result[4] == 0x00 ? "HIGH" : "LOW"); // runs on UI thread
Button foundButton = (Button)Controls.Find(buttonNumber.ToString(), true)[0];
if (result[4] == 0x00)
{
foundButton.BackColor = Color.Green;
}
else
{
foundButton.BackColor = Color.Red;
}
});
但无济于事......我尝试改变Controls.Find()
的语法,但仍然没有运气。有没有人以前遇到过这个问题或知道该怎么做?
答案 0 :(得分:2)
将这些按钮放在一个集合中,并设置Control的名称而不是使用其标签。
var myButtons = new List<Button>();
var btnAdd = new Button();
btnAdd.Text = dataTable.Rows[i]["deviceDescription"].ToString();
btnAdd.Location = new Point(x, y);
btnAdd.Name = i;
myButtons.Add(btnAdd);
要找到按钮,请使用它。
Button foundButton = myButtons.Where(s => s.Name == buttonNumber.ToString());
或者只是
Button foundButton = myButtons[buttonNumber];
答案 1 :(得分:2)
如果在创建按钮时命名按钮,则可以从this.controls中找到它们(...
像这样for (int i = 0; i <= count && i < 3; i++)
{
Button btnAdd = new Button();
btnAdd.Name="btn"+i;
btnAdd.Text = dataTable.Rows[i]["deviceDescription"].ToString();
btnAdd.Location = new Point(x, y);
btnAdd.Tag = i;
this.Controls.Add(btnAdd);
}
那么你可以像这样找到它
this.Controls["btn1"].Text="New Text";
或
for (int i = 0; i <= count && i < 3; i++)
{
//**EDIT** I added some exception catching here
if (this.Controls.ContainsKey("btn"+buttonNumber))
MessageBox.Show("btn"+buttonNumber + " Does not exist");
else
this.Controls["btn"+i].Text="I am Button "+i;
}
答案 2 :(得分:0)
在你的情况下,我会使用一个简单的词典来存储和检索按钮。
声明:
IDictionary<int, Button> kpiButtons = new Dictionary<int, Button>();
用法:
Button btnFound = kpiButtons[i];
答案 3 :(得分:0)
@Asif是对的,但如果您真的想要使用标签,可以使用下一个
var button = (from c in Controls.OfType<Button>()
where (c.Tag is int) && (int)c.Tag == buttonNumber
select c).FirstOrDefault();
我宁愿使用数字,按钮引用和逻辑创建小帮助器类,并在表单上保留它的集合。