0

我正在尝试用 c# 为我的大学项目制作一个类似 photoshop 的应用程序到目前为止,我已经创建了一个名为 canvas 的自定义面板并重载了paint方法来绘制 canvasBuffer。该项目被称为油漆锐利。我有一个类 PaintSharpFile 存储图像的各个层。在 Canvas 控件上,我将选中的透明背景绘制到 canvasBuffer 上,然后将绘图文件中的图层绘制到 canvasBuffer 上。我终于画了这个缓冲区(双缓冲)。

现在,我正在编写画笔工具的代码。我记录了前一个点和当前点,然后在 canvasBuffer 本身上使用 Bresenham 的线算法在这两个点之间绘制一系列圆圈。这似乎工作得又快又好。

现在,由于画笔工具将在选定的活动图层上工作,我尝试将点绘制到图层的缓冲区。然后绘制所有图层的缓冲区canvasBuffer。这样做会使绘图变得非常缓慢。

这是代码

    public void PSF_Painted(PSF_PaintEvent e) 
    {
        Graphics g = null;
        Bitmap layerBuffer = psf.Layers[0].LayerBuffer;//Get selected layer here
        g = Graphics.FromImage(layerBuffer);
        Brush blackBrush = new SolidBrush(Color.Black);
        Pen blackPen = new Pen(blackBrush);
        blackPen.Width = 2;

        List<Point> recordedPoints = e.RecordedPoints;
        Point currentPoint = new Point(0,0);
        Point previousPoint = new Point(0, 0); ;
        if(recordedPoints.Count > 0)
        {
            currentPoint = recordedPoints[recordedPoints.Count - 1];
            if(recordedPoints.Count == 1)
            {
                previousPoint = recordedPoints[0];
            }
            else
            {
                previousPoint = recordedPoints[recordedPoints.Count - 2];
            }
        }

        if (e.PaintEventType == PSF_PaintEvent.Painting)
        {
            List<Point> points = Global.GetPointsOnLine(previousPoint.X, previousPoint.Y, currentPoint.X, currentPoint.Y);
            for (int i = 0; i < points.Count ; i++)
            {
                g.FillEllipse(blackBrush, new Rectangle(points[i].X, points[i].Y, (int)blackPen.Width, (int)blackPen.Width));
            }
        }
        Global.drawToBuffer(canvasBuffer, layerBuffer);//Replaced with redraw the full picture from the List of layer to the canvasBuffer
        g.Dispose();
        this.Invalidate();
    }

这是我的 onPaint 代码

    protected override void OnPaint(PaintEventArgs e) 
    {
        if (canvasBuffer != null)
        {
            Graphics g = e.Graphics;
            g.DrawImage(canvasBuffer, e.ClipRectangle, e.ClipRectangle, GraphicsUnit.Pixel);
            g.Dispose();
        }
    }

这是将图片绘制到缓冲区

public static void drawToBuffer(Bitmap buffer, Bitmap image)
    {
        if (image != null && buffer != null)
        {
            Graphics g = Graphics.FromImage(buffer);
            g.DrawImage(image, new Rectangle(0, 0, buffer.Width, buffer.Height));
            g.Dispose();
        }
    }

请告诉我如何阻止油漆滞后。

我尝试制作几个画布,每个画布都有一个图层图像。但由于它不是双缓冲的,因此会导致闪烁。

4

1 回答 1

0

让我大吃一惊的是,您在每次更新时都复制了整个图层。尝试将复制限制在受影响的区域。

与性能无关,您直接在 Graphics 对象上调用 Dispose,但不处理您创建的 Brush 和 Pen 对象。块有什么问题using

于 2012-04-03T05:56:45.553 回答