0

这个想法是使用 C# 在 Visual Studio 2010 中构建一个 Windows 窗体应用程序。

当用户点击一个按钮时,程序将运行一系列操作。

是否可以使用图像来显示进度而不是使用进度条?

所以想法是图像将开始不可见,随着程序的进展,图像变得越来越可见。

0% - invisible
50% - half transparent
100% - visible

我知道您可以将 PictureBox 切换为可见或不可见(PictureBox.Visible = true 或 false;),但有没有办法让它介于两者之间?

任何想法都值得赞赏。

4

2 回答 2

0

您可以随时调整图像的 alpha 分量:

void SetImageProgress(float percent, Bitmap img)
{
   int alpha = (int)(percent / 100.0f * 255.0f);
   alpha &= 0xff;
   for(int x = 0; x < img.Width; x++)
   {
      for(int y = 0; y < img.Height; y++)
      {
         Color c = img.GetPixel(x, y);
         c = Color.FromArgb(alpha, c.R, c.G, c.B);
         img.SetPixel(x, y, c);
      }
   }
}
于 2013-09-23T20:17:08.887 回答
0

在 winforms 中处理图像很慢,所以尽可能少地这样做:

public Bitmap ImageFade( Bitmap sourceBitmap, byte Transparency)
    {
        BitmapData sourceData = sourceBitmap.LockBits(new Rectangle(0, 0,
                                    sourceBitmap.Width, sourceBitmap.Height),
                                    ImageLockMode.ReadOnly, PixelFormat.Format32bppArgb);

        byte[] pixelBuffer = new byte[sourceData.Stride * sourceData.Height];
        byte[] resultBuffer = new byte[sourceData.Stride * sourceData.Height];

        Marshal.Copy(sourceData.Scan0, pixelBuffer, 0, pixelBuffer.Length);

        sourceBitmap.UnlockBits(sourceData);

        byte blue = 0;
        byte green = 0;
        byte red = 0;
        byte a = 0;

        int byteOffset = 0;

        for (int offsetY = 0; offsetY <
             sourceBitmap.Height; offsetY++)
        {
            for (int offsetX = 0; offsetX <
                 sourceBitmap.Width; offsetX++)
            {
                blue = 0;
                green = 0;
                red = 0;
                a = 0;

                byteOffset = offsetY *
                                sourceData.Stride +
                                offsetX * 4;

                blue += pixelBuffer[byteOffset];
                green += pixelBuffer[byteOffset + 1];
                red += pixelBuffer[byteOffset + 2];
                a += Transparency;//pixelBuffer[byteOffset + 3];

                resultBuffer[byteOffset] = blue;
                resultBuffer[byteOffset + 1] = green;
                resultBuffer[byteOffset + 2] = red;
                resultBuffer[byteOffset + 3] = a;
            }
        }

        Bitmap resultBitmap = new Bitmap(sourceBitmap.Width, sourceBitmap.Height);

        BitmapData resultData = resultBitmap.LockBits(new Rectangle(0, 0,
                                resultBitmap.Width, resultBitmap.Height),
                                ImageLockMode.WriteOnly, PixelFormat.Format32bppArgb);

        Marshal.Copy(resultBuffer, 0, resultData.Scan0, resultBuffer.Length);
        resultBitmap.UnlockBits(resultData);

        return resultBitmap;
    }

我注意到另一个答案使用 SetPixel。如果可能,请避免使用该功能。编辑底层字节流要快得多,但它仍然很慢,因为它不是硬件加速的,但它是几个不太好的选项中最好的

此功能可能会进一步优化,但我将其作为练习留给读者

于 2013-09-23T20:28:58.963 回答