向控件类添加属性
本文关键字:属性 添加 控件 | 更新日期: 2023-09-27 18:30:07
我想知道是否可以在c#中为Control
添加属性。
我有一个方法,它在参数中接收一个对象:
public void CreateTooltip(Object controltoadd = null)
{
var myDiv = new HtmlGenericControl("div");
myDiv.Attributes.Add("width", "100%");
myDiv.Attributes.Add("onmouseover", "ShowHint('" + this.GetType() + "','test');");
myDiv.Attributes.Add("onmouseout", "HideHint();");
if (controltoadd == null)
{
List<Control> listcc = new List<Control>();
for (int i = 0; i < this.Controls.Count; i++)
{
Control cc = this.Controls[i];
string test = cc.GetType().ToString();
listcc.Add(cc);
}
this.Controls.Clear();
for (int i = 0; i < listcc.Count; i++)
{
Control cc = listcc[i];
myDiv.Controls.Add(cc);
}
}
else
{
Control cc = (Control)controltoadd;
//Don't know what to do here...
}
this.Controls.Add(myDiv);
}
如果对象为null,我会创建一个HtmlGenericControl("div")
,然后添加我想要的Attributes
。但问题是,当Object不为null时,我将其转换为Control
,并且属性Attributes
不可用。我使用控件是因为我永远不知道在参数中接收到的对象的类型是什么。
我相信您需要将其转换为WebControl
或HtmlGenericControl
。Control
不包含属性Attributes
。您可以使用is
测试您传递的对象是什么。
if (control is WebControl)
{
var webControl = (WebControl)control;
}
或者,如果您更喜欢使用as
:
var webControl = control as WebControl;
if (webcontrol != null)
{
// code
}
因此,如果它实际上是WebControl
(Control
的子类),那么您可以将其强制转换为它,并使用它的Attributes
属性。Control
本身没有属性Attributes
,正如您已经注意到的:
WebControl wc = controltoadd as WebControl;
if(wc != null)
{
// wc.Attributes.Add...
}
如果是HtmlControl
,请将其转换为:
else
{
HtmlControl hc = controltoadd as HtmlControl;
if(hc != null)
{
// hc.Attributes.Add...
}
}
另一种选择是使其成为一个只接受实现IAttributeAccessor
的控件的通用方法。HtmlControl
和WebControl
都实现了获取/设置属性的接口
public void CreateTooltip<T>(T controlToAdd)where T: IAttributeAccessor, Control
{
// ....
controlToAdd.SetAttribute("width", "100%");
}