如何将绘图图形保存到位图?

时间:2018-08-28 15:29:37

标签: c# winforms graphics picturebox

我想将对图形所做的更改保存到位图文件中。我在pictureBox中有来自相机的图像,当我单击鼠标时,我添加了网格并指向图像(据我所知,在图像的前面),在此之后,我想从相机中保存带有img的图形,但我只img,不绘制网格和点。我该怎么办? 我创建这样的图形:

 g = Graphics.FromHwnd(postureImg.Handle);
 SolidBrush brush_Grey = new SolidBrush(Color.Black);
 SolidBrush brush_Gold = new SolidBrush(Color.Gold);                   
 Rectangle rect = new Rectangle(dPoint1, new Size(10, 10));
 g.FillEllipse(brush_Gold, rect);                   

 points[i] = new Point(e.X, e.Y);
       i++;
       if (i >= 2)
       {
        Pen myPen = new Pen(Color.Red);
        myPen.Width = 1;
        g.DrawLine(myPen, points[0].X, points[0].Y, points[1].X, points[1].Y);
        }
        g.Dispose();

下次,我制作g.DrawLine和g.FillEllipse并显示如下图像:enter image description here 我怎样才能把这张图片变成位图?谢谢!

1 个答案:

答案 0 :(得分:1)

好的,关于您在做什么的快速教程。

首先,Graphics对象?它所做的就是修改您指向的原始图像/位图。在这种情况下,您要修改您的poseImg中包含的原始图像/位图。这就是为什么您不必将图片“重新导入”到该PictureBox中的原因-因为图形就地对其进行了修改。

这意味着,之后,您要做的就是将原始图像/位图保存到文件中-因此,您真正要问的是:“如何保存位图中的位图? PictureBox到文件?”

在这种情况下,答案很简单:

postureImg.Image.Save(@"C:\someplace.jpg", ImageFormat.Jpeg);

编辑:啊,我忘了VS使用PicBoxes做一些奇怪的事情-它具有“实际”图像和“显示”图像。您一直在编辑的是“显示的”图像,它不是永久性的(如果刷新表格,它将消失。)

老实说,如果您从不直接离开图片框中的图像,可能会更好。例如,下面的代码无效不起作用:

Graphics g = Graphics.FromHwnd(pictureBox1.Handle);
SolidBrush brush_Grey = new SolidBrush(Color.Green);
SolidBrush brush_Gold = new SolidBrush(Color.Red);
Rectangle rect = new Rectangle(new Point(100, 100), new Size(10, 10));
g.FillEllipse(brush_Gold, rect);
g.Dispose();
pictureBox1.Image.Save(@"C:\tmpSO1.jpg", System.Drawing.Imaging.ImageFormat.Jpeg);

...一个行不通的好线索是,如果您在表单加载时执行此操作,则不会显示红色圆圈;并且如果由于剪切等原因必须刷新表格,红色圆圈将消失。

无论如何,下面的代码可以正常工作:

Bitmap bmp = new Bitmap(pictureBox1.Image);
Graphics g = Graphics.FromImage(bmp);
SolidBrush brush_Grey = new SolidBrush(Color.Green);
SolidBrush brush_Gold = new SolidBrush(Color.Red);
Rectangle rect = new Rectangle(new Point(100, 100), new Size(10, 10));
g.FillEllipse(brush_Gold, rect);
g.Dispose();
pictureBox1.Image = bmp;
pictureBox1.Image.Save(@"C:\tmpSO2.jpg", System.Drawing.Imaging.ImageFormat.Jpeg);

不是就地修改PictureBox,而是从其中加载了单独的BMP,然后又将其重新加载到其中。