我有一段时间没有编码所以我试图从动态添加的usercontrols中获取属性。
我已创建此代码,但想知道这是否是一种好方法,还是有另一种更好的方法来查找添加的用户控件?
if (PlaceHolder1.HasControls())
{
foreach (Control uc in PlaceHolder1.Controls)
{
if (uc.GetType().Name.ToLower() == "spinner_ascx")
{
Label1.Text += ((Spinner)c).Name + "<br />";
}
}
}
答案 0 :(得分:3)
如果您已经知道控件的类型,则无需比较名称:
if (PlaceHolder1.HasControls())
{
foreach (Control uc in PlaceHolder1.Controls)
{
if (uc is Spinner)
{
Label1.Text += ((Spinner)uc).Name + "<br />";
}
}
}
但是,是的,如果您想访问Name
并且Name只是Spinner
类的属性,则需要将其强制转换为适当的对象。
如果你创建了这些用户控件,一个好主意是确保它们都从一个基类继承,例如。
public abstract class MyControl : UserControl {
public string Name {get;set;}
}
public class Spinner : MyControl {
}
这样,您不需要测试所需的每个UserControl,只需要测试父类:
if(uc is MyControl) {
Label1.Text += ((MyControl)uc).Name + "<br />";
}