我正在尝试编写一个表单主题类库,以便以我将要处理的任何项目的简单方式调整表单布局。
这基本上是它应该是什么样子的概念:
本质上,该插件的工作原理如下:
// form class, which inherits the plugin class
class FormToTheme : ThemedForm
{
public FormToTheme()
{
// some code here
}
}
// plugin class itself
class ThemedForm: Form
{
public ThemedForm()
{
// some code here
}
}
基本上我将FormBorderStyle设置为None,并按代码绘制布局 但是现在,添加的控件可以放在自定义标题栏上,如果保留默认的FormBorderStyle,这在正常形式下是不可能的。 所以我认为我可以通过自动将控件添加到内容面板而不是用户控件来解决这个问题。
所以我试图做的是:
private void ThemedForm_ControlAdded(Object sender, ControlEventArgs e)
{
// some simple code to set the control to the current theme I'm using
e.Control.BackColor = Color.FromArgb(66, 66, 66);
e.Control.ForeColor = Color.White;
// the code where I try to place the control in the contentPanel controls array,
// and remove it from it's parent's controls array.
if (e.Control.Name != contentPanel.Name)
{
e.Control.Parent.Controls.Remove(e.Control);
contentPanel.Controls.Add(e.Control);
}
}
但是当我尝试在主窗体和可视化编辑器中添加新控件时,我收到以下错误:
child is not a child control of this parent
所以我的问题是:有没有办法解决这个错误,并将控件从usercontrol移动到内容面板?
请注意,我确实希望在ThemedForm类中自动执行此操作,而不是从主窗体中调用方法。
编辑:
我试过这个:
http://forums.asp.net/t/617980.aspx
但这只会导致visual studio冻结,然后我需要重新启动。
答案 0 :(得分:2)
我知道回答自己的问题并不合适,但是我提出的解决方案会有相当多的解释,在编辑中加入我的问题太多了。
所以我们走了:
在继承的'ThemedForm'类中,我创建了一个私有变量,以便能够在调用Controls属性时返回变量:
private Controls controls = null;
我将变量设置为null,因为我需要将变量传递给'ThemedForm'类构造函数中的类。我稍后会创建该类的新实例。
然后我创建了一个类来替换Controls属性:
public class Controls
{
private Control contentPanel = null;
private ThemedForm themedform = null;
public Controls(ThemedForm form, Control panel)
{
contentPanel = panel;
themedform = form;
}
public void Add(Control control)
{
if (control != contentPanel)
{
contentPanel.Controls.Add(control);
}
else
{
themedform.Controls_Add(control);
}
}
public void Remove(Control control)
{
if (control != contentPanel)
{
contentPanel.Controls.Remove(control);
}
else
{
themedform.Controls_Remove(control);
}
}
}
我知道这个类远离原始Controls属性的所有功能,但是现在必须这样做,如果你愿意,你可以添加自己的功能。
正如您在Controls类的Add和Remove方法中所看到的,我尝试确定需要添加的控件是否是我想要添加其余控件的内容面板,或者是任何其他控件需要添加到内容面板。
如果控件实际上是内容面板,我可以在'ThemedForm'类的基类的Controls属性中添加或删除它,这是一个'Form'类。否则,我只是将控件添加到内容面板的Controls属性。
然后我将Controls_Add和Controls_Remove方法添加到'ThemedForm'类中,以便能够从'ThemedForm'基类的Controls属性中添加或删除控件。
public void Controls_Add(Control control)
{
base.Controls.Add(control);
}
public void Controls_Remove(Control control)
{
base.Controls.Remove(control);
}
它们非常不言自明。
为了从外部类调用Controls.Add或Controls.Remove方法,我需要添加一个隐藏当前Controls属性的公共属性,并返回我分配给替换类的私有变量。 / p>
new public Controls Controls
{
get { return controls; }
}
最后我创建了一个Controls类的新实例,传递了当前的'ThemedForm'类和contentPanel控件,以便全部运行。
_controls = new Controls(this, contentPanel);
完成所有这些后,我能够将添加到UserControl的任何控件(甚至在可视化编辑器中)“重定向”到内容面板。这允许我使用任何控件的Dock属性,它将停靠在内容面板内,而不是整个表单。
这仍然有点儿错误,因为在可视化编辑器中,停靠的控件似乎仍然停留在整个表单上,但在运行应用程序时,结果是我想要的。
我真的希望这可以帮助任何人。