在列表框周围绘制边框

本文关键字:绘制 边框 周围 列表 | 更新日期: 2023-09-27 18:30:09

如何在列表框周围绘制具有指定宽度和颜色的边框?可以在不覆盖OnPaint方法的情况下完成此操作吗?

在列表框周围绘制边框

根据Neutone的建议,这里有一个方便的函数可以在任何控件周围添加和删除基于Panel的边界,即使它是嵌套的。。

只需输入您想要的Color和大小,如果您想要BorderStyle。要再次删除它,请通过Color.Transparent

void setBorder(Control ctl, Color col, int width, BorderStyle style)
{
    if (col == Color.Transparent)
    {
        Panel pan = ctl.Parent as Panel;
        if (pan == null) { throw new Exception("control not in border panel!");}
        ctl.Location = new Point(pan.Left + width, pan.Top + width);
        ctl.Parent = pan.Parent;
        pan.Dispose();
    }
    else
    {
        Panel pan = new Panel();
        pan.BorderStyle = style; 
        pan.Size = new Size(ctl.Width + width * 2, ctl.Height + width * 2);
        pan.Location = new Point(ctl.Left - width, ctl.Top - width);
        pan.BackColor = col;
        pan.Parent = ctl.Parent;
        ctl.Parent = pan;
        ctl.Location = new Point(width, width);
    }
}

您可以在面板中放置一个列表框,并将面板用作边框。面板背景颜色可用于创建彩色边框。这不需要太多代码。在表单组件周围设置彩色边框是传达状态的有效方式。

ListBox控件的问题在于它没有引发OnPaint方法,因此您不能使用它在控件周围绘制边框。

有两种方法可以在ListBox周围绘制自定义边界:

  1. 在构造函数中使用SetStyle(ControlStyles.UserPaint, True),然后可以使用OnPaint方法绘制边界。

  2. 重写处理在Message结构中标识的操作系统消息的WndProc方法。

我使用了上一种方法在控件周围绘制自定义边框,这将消除使用Panel为ListBox提供自定义边框的需要。

public partial class MyListBox : ListBox
{
    public MyListBox()
    {
        // SetStyle(ControlStyles.UserPaint, True)
        BorderStyle = BorderStyle.None;
    }
    protected override void WndProc(ref Message m)
    {
        base.WndProc(m);
        var switchExpr = m.Msg;
        switch (switchExpr)
        {
            case 0xF:
                {
                    Graphics g = this.CreateGraphics;
                    g.SmoothingMode = Drawing2D.SmoothingMode.Default;
                    int borderWidth = 4;
                    Rectangle rect = ClientRectangle;
                    using (var p = new Pen(Color.Red, borderWidth) { Alignment = Drawing2D.PenAlignment.Center })
                    {
                        g.DrawRectangle(p, rect);
                    }
                    break;
                }
            default:
                {
                    break;
                }
        }
    }
}