我创建了此类,它非常适合使WPF应用程序对鼠标事件透明。
using System.Runtime.InteropServices;
class Win32
{
public const int WS_EX_TRANSPARENT = 0x00000020;
public const int GWL_EXSTYLE = (-20);
[DllImport("user32.dll")]
public static extern int GetWindowLong(IntPtr hwnd, int index);
[DllImport("user32.dll")]
public static extern int SetWindowLong(IntPtr hwnd, int index, int newStyle);
public static void makeTransparent(IntPtr hwnd)
{
// Change the extended window style to include WS_EX_TRANSPARENT
int extendedStyle = GetWindowLong(hwnd, GWL_EXSTYLE);
Win32.SetWindowLong(hwnd, GWL_EXSTYLE, extendedStyle | WS_EX_TRANSPARENT);
}
public static void makeNormal(IntPtr hwnd)
{
//how back to normal what is the code ?
}
}
我运行此命令是为了使我的应用程序忽略鼠标事件,但是在执行代码之后,我希望该应用程序恢复正常并再次处理鼠标事件。那怎么办
IntPtr hwnd = new WindowInteropHelper(this).Handle;
Win32.makeTransparent(hwnd);
使应用程序恢复正常的代码是什么?
最佳答案
现有类中的以下代码获取现有的窗口样式(GetWindowLong
),并将WS_EX_TRANSPARENT
样式标志添加到那些现有的窗口样式中:
// Change the extended window style to include WS_EX_TRANSPARENT
int extendedStyle = GetWindowLong(hwnd, GWL_EXSTYLE);
Win32.SetWindowLong(hwnd, GWL_EXSTYLE, extendedStyle | WS_EX_TRANSPARENT);
要将其更改回正常行为时,需要删除从窗口样式中添加的
WS_EX_TRANSPARENT
标志。 您可以通过执行按位与非操作来完成此操作(与您执行的用于添加标志的“或”操作相反)。绝对不需要记住deltreme's answer所建议的先前检索到的扩展样式,因为您要做的只是清除WS_EX_TRANSPARENT
标志。代码看起来像这样:
public static void makeNormal(IntPtr hwnd)
{
//Remove the WS_EX_TRANSPARENT flag from the extended window style
int extendedStyle = GetWindowLong(hwnd, GWL_EXSTYLE);
Win32.SetWindowLong(hwnd, GWL_EXSTYLE, extendedStyle & ~WS_EX_TRANSPARENT);
}