37

是否可以在不使用表单应用程序的情况下在屏幕上创建一个大的白色矩形?

如果可能,它应该覆盖整个屏幕。我知道我必须使用System.Drawing并尝试了几个步骤,但没有一个真正在我的屏幕上打印任何内容!

4

2 回答 2

70

方法一:调用Windows API

你需要System.DrawingSystem.Runtime.InteropServices。您可能需要向它们添加项目引用。

using System.Runtime.InteropServices;
using System.Drawing;

使用 P/Invoke 将方法添加到您的类

[DllImport("User32.dll")]
public static extern IntPtr GetDC(IntPtr hwnd);
[DllImport("User32.dll")]
public static extern void ReleaseDC(IntPtr hwnd, IntPtr dc);

获取Graphics整个屏幕的对象并用它绘制一个矩形:

IntPtr desktopPtr = GetDC(IntPtr.Zero);
Graphics g = Graphics.FromHdc(desktopPtr);

SolidBrush b = new SolidBrush(Color.White);
g.FillRectangle(b, new Rectangle(0, 0, 1920, 1080));

g.Dispose();
ReleaseDC(IntPtr.Zero, desktopPtr);

这种方法的问题是,如果屏幕完全刷新,矩形将被覆盖,这对于大多数实际应用程序来说毫无用处。

方法二:创建无边框表格

和以前一样,您需要一个项目参考。这次来System.Windows.Forms。您还需要System.Drawing

using System.Drawing;
using System.Windows.Forms;

制作新表单,删除它的边框,用它填满屏幕,然后把它放在任务栏的顶部:

Form f = new Form();
f.BackColor = Color.White;
f.FormBorderStyle = FormBorderStyle.None;
f.Bounds = Screen.PrimaryScreen.Bounds;
f.TopMost = true;

Application.EnableVisualStyles();
Application.Run(f);

一个可能的问题是用户可以在窗口之外使用 alt+tab。如果你想做更复杂的图形,你需要写一些像这样的绘图代码。要使表单背景透明,请将其设置TransparentKey为与其Backolor.

我刚刚在 .NET 4.5 和 Windows 7 中测试了这两个版本,因此早期版本可能会有所不同。更多信息在这里这里

于 2013-01-18T11:56:33.130 回答
6

是的,可以在屏幕上绘制,但使用最上面的无边框形式可能更容易。

如果必须,您也可以从控制台应用程序执行此操作,前提是您引用必要的程序集,但这将导致控制台窗口在应用程序的生命周期内保留在屏幕上。

this.TopMost = true;
this.FormBorderStyle = FormBorderStyle.None;

或者,我相信您可以创建一个实例Window并调用Show它。

This answer to a different question解释了如何使用 GDI+ 调用直接绘制到屏幕上。

于 2013-01-17T18:42:58.167 回答