有没有办法覆盖或合并Drawing.Bitmap和DrawingImage

时间:2011-08-05 12:25:32

标签: c# winforms

Windows窗体应用程序中,我输入了Drawing.Bitmap和DrawingImage。我需要覆盖它们并在Controls.Image中放置输出。我怎么能这样做?

2 个答案:

答案 0 :(得分:4)

使用Image对象或Bitmap对象无关紧要,Drawing.Image是抽象类,Drawing.Bitmap是从它继承的。至  在图像上绘制图像,从基本图像中获取图形对象,然后使用接受Image类型参数的Graphics.DrawImage

所以这里有两张图片,一张应该在另一张图片上“叠加”:

System.Drawing.Image primaryImage = Image.FromFile(@"Your file path");//or resource..

using (Graphics graphics = Graphics.FromImage(primaryImage))//get the underlying graphics object from the image.
{
    using (Bitmap overlayImage = new Bitmap(primaryImage.Width, primaryImage.Hieght,
         System.Drawing.Imaging.PixelFormat.Format32bppArgb)//or your overlay image from file or resource...
    {
        graphics.DrawImage(overlayImage, new Point(0, 0));//this will draw the overlay image over the base image at (0, 0) coordination.
    }
}

Control.Image = primaryImage;

如果叠加图像没有透明,并且其大小等于或大于基本图像,则不会完全重叠另一个图像,因此叠加图像必须具有一些不透明度。

答案 1 :(得分:2)

我意识到它已经有一段时间了,但这里的答案并非相当为我工作。稍微调整一下,虽然让它们工作正常。对于它的价值,这是我的最终版本。

<强> SCENARIO

  • 背景图片是RGB 24
  • 叠加图片是ARGB 32,已正确设置了Alpha通道。
  • 从内存流中创建的图像

<强>问题

  • 从内存流创建叠加图像假设我的意思是:Format32bppRgb
  • 但所需要的是Format32bppArgb,因为透明度已经到位......

<强>解

  • pictureBox1.Image = MergeImages( backgroundImage, overlayImage);

    using System.Drawing;
    using System.Drawing.Imaging;
    // ...
    private Image MergeImages(Image backgroundImage,
                              Image overlayImage)
    {
        Image theResult = backgroundImage;
        if (null != overlayImage)
        {
            Image theOverlay = overlayImage;
            if (PixelFormat.Format32bppArgb != overlayImage.PixelFormat)
            {
                theOverlay = new Bitmap(overlayImage.Width,
                                        overlayImage.Height,
                                        PixelFormat.Format32bppArgb);
                using (Graphics graphics = Graphics.FromImage(theOverlay))
                {
                    graphics.DrawImage(overlayImage,
                                       new Rectangle(0, 0, theOverlay.Width, theOverlay.Height),
                                       new Rectangle(0, 0, overlayImage.Width, overlayImage.Height),
                                       GraphicsUnit.Pixel);
                }
                ((Bitmap)theOverlay).MakeTransparent();
            }
    
            using (Graphics graphics = Graphics.FromImage(theResult))
            {
                graphics.DrawImage(theOverlay,
                                   new Rectangle(0, 0, theResult.Width, theResult.Height),
                                   new Rectangle(0, 0, theOverlay.Width, theOverlay.Height),
                                   GraphicsUnit.Pixel);
            }
        }
    
        return theResult;
    }