可能重复:
It is possible to copy all the properties of a certain control? (C# window forms)
我必须创建一些类似于作为设计时创建的控件的控件。创建的控件应具有与预定义控件相同的属性,换句话说,我想复制控件。为此目的是否有任何一行代码?或者我必须用一行代码设置每个属性? 我现在正在做的是:
ListContainer_Category3 = new FlowLayoutPanel();
ListContainer_Category3.Location = ListContainer_Category1.Location;
ListContainer_Category3.BackColor = ListContainer_Category1.BackColor;
ListContainer_Category3.Size = ListContainer_Category1.Size;
ListContainer_Category3.AutoScroll = ListContainer_Category1.AutoScroll;
答案 0 :(得分:20)
一般来说,您可以使用反射将对象的公共属性复制到新实例。
然而,在处理控件时,您需要谨慎。一些属性,如WindowTarget,只能由框架基础结构使用;所以你需要过滤掉它们。
完成过滤工作后,您可以编写所需的单行:
Button button2 = button1.Clone();
这里有一些代码可以帮助您入门:
public static class ControlExtensions
{
public static T Clone<T>(this T controlToClone)
where T : Control
{
PropertyInfo[] controlProperties = typeof(T).GetProperties(BindingFlags.Public | BindingFlags.Instance);
T instance = Activator.CreateInstance<T>();
foreach (PropertyInfo propInfo in controlProperties)
{
if (propInfo.CanWrite)
{
if(propInfo.Name != "WindowTarget")
propInfo.SetValue(instance, propInfo.GetValue(controlToClone, null), null);
}
}
return instance;
}
}
当然,您仍然需要调整命名,位置等。也可以处理包含的控件。