我创建了一个自Panel派生的自定义控件。我使用它使用BackgroundImage属性显示Image。我重写OnClick方法并将isSelected设置为true,然后调用Invalidate方法并在重写的OnPaint中绘制一个矩形。
一切正常,直到我将DoubleBuffered设置为true。绘制矩形,然后将其删除,我不知道为什么会这样。

public CustomControl()
    : base()
{
    base.DoubleBuffered = true;

    base.SetStyle(ControlStyles.AllPaintingInWmPaint | ControlStyles.UserPaint | ControlStyles.ResizeRedraw, true);
}

protected override void OnPaint(PaintEventArgs pe)
{
    base.OnPaint(pe);

    PaintSelection();
}

private void PaintSelection()
{
    if (isSelected)
    {
        Graphics graphics = CreateGraphics();
        graphics.DrawRectangle(SelectionPen, DisplayRectangle.Left, DisplayRectangle.Top, DisplayRectangle.Width - 1, DisplayRectangle.Height - 1);
    }
}

最佳答案

在您的PaintSelection中,您不应创建新的Graphics对象,因为该对象将绘制到前缓冲区,然后该缓冲区立即被后缓冲区的内容覆盖。

绘制到在Graphics中传递的PaintEventArgs代替:

protected override void OnPaint(PaintEventArgs pe)
{
    base.OnPaint(pe);
    PaintSelection(pe.Graphics);
}

private void PaintSelection(Graphics graphics)
{
    if (isSelected)
    {
        graphics.DrawRectangle(SelectionPen, DisplayRectangle.Left, DisplayRectangle.Top, DisplayRectangle.Width - 1, DisplayRectangle.Height - 1);
    }
}

关于c# - DoubleBuffered设置为true时覆盖OnPaint的问题,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/3255368/

10-13 09:13