例如,我有一个方法返回值“4”...我的按钮的名称是“ b4 ”。我希望取决于方法返回的数字来更改 b “X”的Text属性。最简单的方法在C#中做到这一点。我是初学者,所以请解释一下......我知道这可能是一个重复的帖子。但我不明白所有类似帖子中的答案。代码的布局是这样的:
我有一个包含五个数字的数组(例如“int [] rnum = {1,6,7,3,8}”)...我还有5个按钮应该被禁用,具体取决于给定的整数在阵列中...我有25个按钮,它们的名字如下“b1,b2,b3,b4 ......等”。那么通过使用数组中给出的整数引用按钮对象的名称来更改按钮的“已启用”属性的最简单方法是什么...例如,rnum [1] = 6 ==> b6.Enabled = false ...我知道我可以创建一个switch语句但是如果有很多按钮我怎么能自动化呢?
答案 0 :(得分:1)
正如@Alex K.所提到的
public Button GetButtonByIndex(int index)
{
return (Button)this.Controls.Find("b" + index, true).FirstOrDefault();
}
然后GetButtonByIndex(1)
将返回b1
等。
答案 1 :(得分:1)
你可以使用反射来做到这一点。这是一个例子:
class Foo
{
public int Bar1 { get; set; }
public int Bar2 { get; set; }
public Foo()
{
Bar1 = 2;
Bar2 = 3;
}
public int GetBar(int barNum) //return type should be Button for you
{
PropertyInfo i = this.GetType().GetProperty("Bar"+barNum);
if (i == null)
throw new Exception("Bar" + barNum + " does not exist");
return (int)i.GetValue(this); //you should cast to Button instead of int
}
}
和Main:
class Program
{
static void Main(string[] args)
{
Foo f = new Foo();
for (int i = 1; i <= 3; i++)
try
{
Console.WriteLine(f.GetBar(i));
}
catch (Exception ex)
{
Console.WriteLine(ex.Message);
}
Console.ReadLine();
}
}
输出将是:
2
3
Bar3 does not exist
请注意,虽然我打印了foo.GetBar(i)
的结果,但在您的情况下,您可以执行以下操作:foo.GetButton(i).Enabled = false;
答案 2 :(得分:1)
虽然在Controls
(递归或已知容器)中查找按钮会起作用,但更容易解决(通常)这是
var buttons = new[] {b1, b2, b3, b4, b5 }; // can be a field initialized in form constructor
buttons[number - 1].Text = "lalala"; // number is from 1 to 5
如果您不想将收到的number
转换为index
,则可以将null
作为第一个元素添加到数组中。