10

在我的 C# 程序中,我有一个 Picturebox,我想在其中显示视频流(连续帧)。我收到原始数据,然后将其转换为位图或图像。我可以一次显示一张图像而不会出现问题(重现视频流)。

现在我的问题是我想合并 2 个或多个具有相同大小和 alpha 值(ARGB)的位图(如图层)并将其显示在图片框上

我已经阅读了很多关于 SO 的网站和帖子,但很多都使用 Graphics 类,我只是无法在我的应用程序上绘制它(很可能是因为我是 C# 的新手!并且已经有了我的程序设置,所以我不想改变结构)。

我需要(知道):

  1. 如何用 alpha 值覆盖两个或多个位图;
  2. 请不要进行像素操作,负担不起性能成本。

非常感谢您!

注意:我认为这个问题不应该被标记(或关闭)为重复,因为我在 SO 中找到的所有内容都是通过像素操作或通过 Graphics 类完成的。(但我可能错了!)

编辑:可能的解决方法(不是问题的解决方案
A PictureBox Problem中,第 4 个答案(来自用户 comecme)告诉我有 2 个图片框,一个在另一个之上。为了使它与这种方法一起工作,我必须做的唯一(额外)事情是:

private void Form1_Load(object sender, EventArgs e)
{
    pictureBox2.Parent = pictureBox1;
}

其中pictureBox2 将是最上面的。

我不会认为这是对这个问题的答案,因为我认为这是一种解决方法(特别是因为拥有 10 个以上的图片框似乎并不理想!哈哈)。这就是为什么我会留下这个问题,等待我的问题得到真正的答案。

编辑:解决!检查我的答案。

4

1 回答 1

12

这是我问题的真正答案。
1) 使用 aList<Bitmap>存储所有要混合的图像;
2)创建一个新的Bitmap来保存最终的图像;3)使用语句
在最终图像的顶部绘制每个图像。graphicsusing

编码:

List<Bitmap> images = new List<Bitmap>();  
Bitmap finalImage = new Bitmap(640, 480);

...

//For each layer, I transform the data into a Bitmap (doesn't matter what kind of
//data, in this question) and add it to the images list
for (int i = 0; i < nLayers; ++i)
{
    Bitmap bitmap = new Bitmap(layerBitmapData[i]));
    images.Add(bitmap);
}

using (Graphics g = Graphics.FromImage(finalImage))
{
    //set background color
    g.Clear(Color.Black);

    //go through each image and draw it on the final image (Notice the offset; since I want to overlay the images i won't have any offset between the images in the finalImage)
    int offset = 0;
    foreach (Bitmap image in images)
    {
        g.DrawImage(image, new Rectangle(offset, 0, image.Width, image.Height));
    }   
}
//Draw the final image in the pictureBox
this.layersBox.Image = finalImage;
//In my case I clear the List because i run this in a cycle and the number of layers is not fixed 
images.Clear();

此 tech.pro 网页中的积分转到Brandon Cannaday

于 2013-02-04T16:53:00.183 回答