문제

System.Drawing.Graphics.DrawImage 다른 이미지에 한 이미지가 붙어 있습니다. 그러나 투명성 옵션을 찾을 수 없었습니다.

나는 이미 이미지에서 원하는 모든 것을 그렸습니다. 반투명하게 만들고 싶습니다 (alpha-transparency)

도움이 되었습니까?

해결책

"투명성"옵션은 없습니다.하려고하는 것은 알파 블렌딩이라고합니다.

public static class BitmapExtensions
{
    public static Image SetOpacity(this Image image, float opacity)
    {
        var colorMatrix = new ColorMatrix();
        colorMatrix.Matrix33 = opacity;
        var imageAttributes = new ImageAttributes();
        imageAttributes.SetColorMatrix(
            colorMatrix,
            ColorMatrixFlag.Default,
            ColorAdjustType.Bitmap);
        var output = new Bitmap(image.Width, image.Height);
        using (var gfx = Graphics.FromImage(output))
        {
            gfx.SmoothingMode = SmoothingMode.AntiAlias;
            gfx.DrawImage(
                image,
                new Rectangle(0, 0, image.Width, image.Height),
                0,
                0,
                image.Width,
                image.Height,
                GraphicsUnit.Pixel,
                imageAttributes);
        }
        return output;
    }
}

알파 블렌딩

다른 팁

private Image GetTransparentImage(Image image, int alpha)
{
    Bitmap output = new Bitmap(image);

    for (int x = 0; x < output.Width; x++)
    {
        for (int y = 0; y < output.Height; y++)
        {
            Color color = output.GetPixel(x, y);
            output.SetPixel(x, y, Color.FromArgb(alpha, color.R, color.G, color.B));
        }
    }

    return output;
}

나는 나에게 효과가 있다고 생각한다면 Mitch 링크에서 답을 복사했다.

public static Bitmap SetOpacity(this Bitmap bitmap, int alpha)
{
    var output = new Bitmap(bitmap.Width, bitmap.Height);
    foreach (var i in Enumerable.Range(0, output.Palette.Entries.Length))
    {
        var color = output.Palette.Entries[i];
        output.Palette.Entries[i] =
            Color.FromArgb(alpha, color.R, color.G, color.B);
    }
    BitmapData src = bitmap.LockBits(
        new Rectangle(0, 0, bitmap.Width, bitmap.Height),
        ImageLockMode.ReadOnly,
        bitmap.PixelFormat);
    BitmapData dst = output.LockBits(
        new Rectangle(0, 0, bitmap.Width, bitmap.Height),
        ImageLockMode.WriteOnly,
        output.PixelFormat);
    bitmap.UnlockBits(src);
    output.UnlockBits(dst);
    return output;
}
라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top