Как сделать систему.Рисунок.Изображение полупрозрачное?
System.Drawing.Graphics.DrawImage
вставляет одно изображение на другое. Но я не смог найти вариант прозрачности.
Я уже нарисовал все, что хочу на изображении, я только хочу сделать его полупрозрачным (Альфа-прозрачность)
3 ответов
нет опции "прозрачность", потому что то, что вы пытаетесь сделать, называется Альфа-смешиванием.
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;
}