最近在做Winform相关的项目,这就会涉及到如何将窗口里的控件大小随窗口的调整而改变大小,一开始想要直接调整窗口以及控件的属性来达到效果,比如,Anchor和Dock属性,但是没有实现,Anchor属性主要突出控件与主窗体的相对位置锚定,而Dock属性主要突出控件停留在窗体各边缘随窗体变化而变化,并且还和放置顺序相关,而我们自己涉及的控件往往需要更加灵活的位置以及放置顺序,最后只能自己通过代码来完成这一动作,思路如下:
(如果博友友更好的解决方式,欢迎评论区讨论)
1. 在窗体load时,遍历获取到所有控件的宽,搞,左边距,顶边距,字体大小,并将其暂存在控件的Tag属性中,以分号进行区别;
2. 利用窗体的Resize事件,根据新的窗体的宽高与原有的宽高换算得出比例去计算当前控件的各个距离;
实现代码如下:
#region //****************C#控件大小随窗体大小等比例变化*****************//
private float FormWidth; //当前窗体的宽度
private float FormHeight; //当前窗体的高度
/// <summary>
/// 将控件的宽,高,左边距,顶边距和字体大小暂存到tag属性中,以;号隔开
/// </summary>
/// <param name="cons">递归控件中的控件</param>
private void setTag(Control cons)
{
foreach (Control con in cons.Controls)
{
con.Tag = con.Width + ";" + con.Height + ";" + con.Left + ";" + con.Top + ";" + con.Font.Size;
if (con.Controls.Count > 0)
setTag(con);
}
}
//根据窗体大小调整控件大小
private void setControls(float newWidth, float newHeight, Control cons)
{
//遍历窗体中的控件,重新设置控件的值
foreach (Control con in cons.Controls)
{
string[] mytag = con.Tag.ToString().Split(new char[] { ';' }); //获取控件的Tag属性值,并分割后存储字符串数组
float a = System.Convert.ToSingle(mytag[0]) * newWidth; //根据窗体缩放比例确定控件的值,宽度
con.Width = (int)a; //宽度
a = System.Convert.ToSingle(mytag[1]) * newHeight; //高度
con.Height = (int)(a);
a = System.Convert.ToSingle(mytag[2]) * newWidth; //左边距离
con.Left = (int)(a);
a = System.Convert.ToSingle(mytag[3]) * newHeight; //上边缘距离
con.Top = (int)(a);
Single currentSize = System.Convert.ToSingle(mytag[4]) * newHeight;//字体大小
con.Font = new Font(con.Font.Name, currentSize, con.Font.Style, con.Font.Unit);
if (con.Controls.Count > 0)
{
setControls(newWidth, newHeight, con);
}
}
}
private void FormDemo_Resize(object sender, EventArgs e)
{
float newWidth = (this.Width) / FormWidth; //窗体宽度缩放比例
float newHeight = (this.Height) / FormHeight; //窗体高度缩放比例
setControls(newWidth, newHeight, this); //随窗体改变控件大小
}
private void FormDemo_Load(object sender, EventArgs e)
{
FormWidth = this.Width; //获取窗体的宽度
FormHeight = this.Height; //获取窗体的高度
setTag(this); //调用方法
}
//******************END**************************//
#endregion
运行效果: