正如已經說要做到這一點的方法是疊加在現有形式的頂部的另一個控制/窗體,並將它呈現的這之上灰度版本,你既可以做到這一點使用精確的位於另一種形式在原始表單上,或者使用位於所有其他控件頂部的類似Panel
的東西。
這裏是放置另一種形式恰好在第一的客戶區時,你會如何做這個工作的例子。如何使用它
using (Grayscale(this))
{
MessageBox.Show("Test");
}
實施
public static Form Grayscale(Form tocover)
{
var frm = new Form
{
FormBorderStyle = FormBorderStyle.None,
ControlBox = false,
ShowInTaskbar = false,
StartPosition = FormStartPosition.Manual,
AutoScaleMode = AutoScaleMode.None,
Location = tocover.PointToScreen(tocover.ClientRectangle.Location),
Size = tocover.ClientSize
};
frm.Paint += (sender, args) =>
{
var bmp = GetFormImageWithoutBorders(tocover);
bmp = ConvertToGrayscale(bmp);
args.Graphics.DrawImage(bmp, args.ClipRectangle.Location);
};
frm.Show(tocover);
return frm;
}
private static Bitmap ConvertToGrayscale(Bitmap source)
{
var bm = new Bitmap(source.Width, source.Height);
for (int y = 0; y < bm.Height; y++)
{
for (int x = 0; x < bm.Width; x++)
{
Color c = source.GetPixel(x, y);
var luma = (int)(c.R * 0.3 + c.G * 0.59 + c.B * 0.11);
bm.SetPixel(x, y, Color.FromArgb(luma, luma, luma));
}
}
return bm;
}
private static Bitmap GetControlImage(Control ctl)
{
var bm = new Bitmap(ctl.Width, ctl.Height);
ctl.DrawToBitmap(bm, new Rectangle(0, 0, ctl.Width, ctl.Height));
return bm;
}
private static Bitmap GetFormImageWithoutBorders(Form frm)
{
// Get the form's whole image.
using (Bitmap wholeForm = GetControlImage(frm))
{
// See how far the form's upper left corner is
// from the upper left corner of its client area.
Point origin = frm.PointToScreen(new Point(0, 0));
int dx = origin.X - frm.Left;
int dy = origin.Y - frm.Top;
// Copy the client area into a new Bitmap.
int wid = frm.ClientSize.Width;
int hgt = frm.ClientSize.Height;
var bm = new Bitmap(wid, hgt);
using (Graphics gr = Graphics.FromImage(bm))
{
gr.DrawImage(wholeForm, 0, 0,
new Rectangle(dx, dy, wid, hgt),
GraphicsUnit.Pixel);
}
return bm;
}
}
需要注意的是:
如果我找到時間,我會嘗試解決其中的一些問題,但上面至少給出了您的一般想法。
注意,在WPF這將是一個容易得多。
來源:
一個快速和骯髒的把戲,我使用,使灰色顯示的形式是一個額外的控件添加到窗體。該控件將對其父圖像('Form.DrawToBitmap()')進行處理,對其進行處理,將其用作背景並將最大化以填充完整的表單。 – Bobby
灰度,而不是灰度 – Indy9000
@Indeera無論是正確的。 http://en.wikipedia.org/wiki/Grayscale – Keplah