利用WPF创建含多种交互特性的无边框窗体

咳咳,标题一口气读下来确实有点累,让我先解释一下。另外文章底部有演示程序的下载。

本文介绍利用WPF创建一个含有以下特性的窗口:

有窗口阴影,比如QQ窗口外围只有几像素的阴影;

支持透明且无边框,为了自行美化窗口通常都会想到使用无边框窗口吧;

可正常最大化,WPF无边框窗口直接最大化会直接使窗口全屏即会将任务栏一并盖住;

窗口边缘改变窗口大小,可以拖动窗口边缘改变大小;

支持等同于标题栏的全窗口空白区拖动,这一特性可以参考QQ;

支持多显示器环境

上述针对无边框窗口的特性均可以独立实现,本文将把这些特性分开叙述。

若本文中代码段无法显示,请换一个浏览器试一下 T T

一、无边框窗口添加窗口阴影

实际上在WPF中添加无边框窗口的窗口阴影十分简单。

首先,设置WindowStyle="None"以及AllowsTransparency="True"使得窗口无边框。并对Window添加DropShadowEffect效果并设定相关参数,在这里我根据设计师的要求设置ShadowDepth="1" BlurRadius="6" Direction="270" Opacity="0.75" Color="#FF211613"。但仅仅设置这些参数是不够的,此时运行程序后无法在窗口边缘看到窗口阴影,为了让阴影显示出来,我们还需要设置BorderThickness,在这里我设置BorderThickness="7"以为阴影提供足够的空间。

[html] view plaincopyprint?

  1. <Window x:Class="WpfApplication1.MainWindow"
  2. xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3. xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4. Title="MainWindow" Height="350" Width="525" BorderThickness="7" AllowsTransparency="True" WindowStyle="None">
  5. <Window.Effect>
  6. <DropShadowEffect ShadowDepth="1" BlurRadius="6" Direction="270" Opacity="0.75" Color="#FF211613"/>
  7. </Window.Effect>
  8. <Grid>
  9. </Grid>
  10. </Window>

显示效果:

看起来还不错,不是吗?不过,可不要高兴太早了……对于有需要通过拖动窗口边缘改变窗口大小和最大化窗口功能的朋友来说,这可是一个大坑,有这两个需要的朋友请继续向下看。

二、使窗口可以正常最大化

对于无边框窗口的最大化,当然就需要我们自己实现最大化和恢复窗口状态的按钮,这些都十分好实现,本文使用一个Toggle按钮来切换窗口状态。

[html] view plaincopyprint?

  1. <Grid>
  2. <Button x:Name="ToggleMaximum" Content="Toggle" HorizontalAlignment="Left" Margin="383,39,0,0" VerticalAlignment="Top" Width="75" Click="ToggleMaximum_Click"/>
  3. </Grid>

事件处理:

[csharp] view plaincopyprint?

  1. private void ToggleMaximum_Click(object sender, RoutedEventArgs e)
  2. {
  3. if (this.WindowState == WindowState.Maximized)
  4. this.WindowState = WindowState.Normal;
  5. else
  6. this.WindowState = WindowState.Maximized;
  7. }

现在请运行程序并点击Toggle按钮试一下,相信眼睛尖的朋友马上就看出了问题(使用多屏工作的朋友请先切换至单屏显示)。首先,窗口最大化之后并不是我们普通窗口最大化时占满工作区(屏幕除任务栏的区域)的状态,而是占满整个屏幕的全屏状态,另外,窗口边缘的阴影也被算在了窗口内部,如下图所示(截图为屏幕右下角,为了看得更清楚我调大了阴影半径)。


于是现在瞬间就冒出了两个问题需要解决,解决问题的过程是曲折而艰辛的……而且就我这种文笔相信也没人能看得下去,所以我直接介绍我最后使用的处理方法。

首先我们来解决窗口最大化的问题。基本思路是用Win32API接管WM_GETMINMAXINFO消息的处理,为系统提供窗口的最大化参数。

WM_GETMINMAXINFO消息在窗口的位置或大小将要改变时被发送至窗口,消息的lParam指向了一个MINMAXINFO结构体,此结构体中的ptMaxSize和ptMaxPosition提供了窗口最大化时的大小以及位置参数,ptMinTrackSize提供了窗口的最小尺寸参数。

WM_GETMINMAXINFO的参考见:http://msdn.microsoft.com/en-us/library/windows/desktop/ms632626(v=vs.85).aspx

MINMAXINFO的参考见:http://msdn.microsoft.com/en-us/library/windows/desktop/ms632605(v=vs.85).aspx

接下来要做的事情就是要想办法计算窗口最大化时的大小参数。我们想要的最大化效果是填满工作区,因此我们需要寻找一种获取工作区大小的方法。

谷歌上有很多解决这个问题的方法,不过相当一部分都是通过SystemParameters.WorkArea属性来获取工作区的大小。不过如果我们在MSDN查看这个属性的参考就会发现,使用这种方式获取的工作区大小仅仅是主显示器的工作区大小(Gets the size of the work area on the primary display monitor)。很显然如果使用这种方式,如果窗口在多屏环境下的非主屏上最大化时,显然会得到一个错误的最大化效果。

简单的方法处理不了,我们就只能再次向Win32API求助。以下是涉及到的函数:

HMONITOR MonitorFromWindow(_In_  HWND hwnd, _In_  DWORD dwFlags);

此函数可以获取一个与指定的窗口相关的显示器句柄,通过第二个参数我们可以指定值为MONITOR_DEFAULTTONEAREST来获取距离窗口最近的显示器的句柄。

参考:http://msdn.microsoft.com/en-us/library/windows/desktop/dd145064(v=vs.85).aspx

BOOL GetMonitorInfo(_In_   HMONITOR hMonitor, _Out_  LPMONITORINFO lpmi);

此函数可以获取制定显示器的相关信息,接受信息的为MONITORINFOEX结构体。MONITORINFOEX结构体中的rcWork提供了该显示器上工作区的矩形。

参考:http://msdn.microsoft.com/en-us/library/windows/desktop/dd144901(v=vs.85).aspx

http://msdn.microsoft.com/en-us/library/windows/desktop/dd145066(v=vs.85).aspx

有了这两个函数,好像我们已经能够正确的在多屏环境下获取工作区大小了。不过其实这里还有一个潜在的问题,假如用户设置过系统的DPI参数,通过这种方式获取到的工作区大小与使用DPI换算过后的工作区尺寸并不相同,这就会导致最大化时再次出现错误。为了解决这个问题,我们还得引入一些方法使得这个尺寸DPI无关。

HwndTarget.TransformFromDevice属性提供了一个矩阵,通过这个矩阵可以将设备坐标变换为渲染坐标。

HwndTarget可以通过HwndSource.CompositionTarget属性获取。

将我们获取到的显示器工作区大小用获取到的矩阵进行变换,我们就可以得到一个DPI无关的工作区大小。

至此,我们解决第一个问题的思路就已经走通了,下面是实现代码。

由于涉及到的Win32函数略多,因此我们将所涉及到的Win32API内容放到一个独立的Win32类中。

Win32.cs

[csharp] view plaincopyprint?

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5. using System.Runtime.InteropServices;
  6. namespace WpfApplication1
  7. {
  8. class Win32
  9. {
  10. // Sent to a window when the size or position of the window is about to change
  11. public const int WM_GETMINMAXINFO = 0x0024;
  12. // Retrieves a handle to the display monitor that is nearest to the window
  13. public const int MONITOR_DEFAULTTONEAREST = 2;
  14. // Retrieves a handle to the display monitor
  15. [DllImport("user32.dll")]
  16. public static extern IntPtr MonitorFromWindow(IntPtr hwnd, int dwFlags);
  17. // RECT structure, Rectangle used by MONITORINFOEX
  18. [StructLayout(LayoutKind.Sequential)]
  19. public struct RECT
  20. {
  21. public int Left;
  22. public int Top;
  23. public int Right;
  24. public int Bottom;
  25. }
  26. // MONITORINFOEX structure, Monitor information used by GetMonitorInfo function
  27. [StructLayout(LayoutKind.Sequential)]
  28. public class MONITORINFOEX
  29. {
  30. public int cbSize;
  31. public RECT rcMonitor; // The display monitor rectangle
  32. public RECT rcWork; // The working area rectangle
  33. public int dwFlags;
  34. [MarshalAs(UnmanagedType.ByValArray, SizeConst = 0x20)]
  35. public char[] szDevice;
  36. }
  37. // Point structure, Point information used by MINMAXINFO structure
  38. [StructLayout(LayoutKind.Sequential)]
  39. public struct POINT
  40. {
  41. public int x;
  42. public int y;
  43. public POINT(int x, int y)
  44. {
  45. this.x = x;
  46. this.y = y;
  47. }
  48. }
  49. // MINMAXINFO structure, Window‘s maximum size and position information
  50. [StructLayout(LayoutKind.Sequential)]
  51. public struct MINMAXINFO
  52. {
  53. public POINT ptReserved;
  54. public POINT ptMaxSize; // The maximized size of the window
  55. public POINT ptMaxPosition; // The position of the maximized window
  56. public POINT ptMinTrackSize;
  57. public POINT ptMaxTrackSize;
  58. }
  59. // Get the working area of the specified monitor
  60. [DllImport("user32.dll")]
  61. public static extern bool GetMonitorInfo(HandleRef hmonitor, [In, Out] MONITORINFOEX monitorInfo);
  62. }
  63. }

在窗口的构造器中对SourceInitialized事件增加一个新的处理程序MainWindow_SourceInitialized。并添加后续相关函数,代码见下方,步骤解释请见注释。

[csharp] view plaincopyprint?

  1. public MainWindow()
  2. {
  3. InitializeComponent();
  4. this.SourceInitialized += MainWindow_SourceInitialized;
  5. }
  6. void MainWindow_SourceInitialized(object sender, EventArgs e)
  7. {
  8. HwndSource source = HwndSource.FromHwnd(new WindowInteropHelper(this).Handle);
  9. if (source == null)
  10. // Should never be null
  11. throw new Exception("Cannot get HwndSource instance.");
  12. source.AddHook(new HwndSourceHook(this.WndProc));
  13. }
  14. private IntPtr WndProc(IntPtr hwnd, int msg, IntPtr wParam, IntPtr lParam, ref bool handled)
  15. {
  16. switch (msg)
  17. {
  18. case Win32.WM_GETMINMAXINFO: // WM_GETMINMAXINFO message
  19. WmGetMinMaxInfo(hwnd, lParam);
  20. handled = true;
  21. break;
  22. }
  23. return IntPtr.Zero;
  24. }
  25. private void WmGetMinMaxInfo(IntPtr hwnd, IntPtr lParam)
  26. {
  27. // MINMAXINFO structure
  28. Win32.MINMAXINFO mmi = (Win32.MINMAXINFO)Marshal.PtrToStructure(lParam, typeof(Win32.MINMAXINFO));
  29. // Get handle for nearest monitor to this window
  30. WindowInteropHelper wih = new WindowInteropHelper(this);
  31. IntPtr hMonitor = Win32.MonitorFromWindow(wih.Handle, Win32.MONITOR_DEFAULTTONEAREST);
  32. // Get monitor info
  33. Win32.MONITORINFOEX monitorInfo = new Win32.MONITORINFOEX();
  34. monitorInfo.cbSize = Marshal.SizeOf(monitorInfo);
  35. Win32.GetMonitorInfo(new HandleRef(this, hMonitor), monitorInfo);
  36. // Get HwndSource
  37. HwndSource source = HwndSource.FromHwnd(wih.Handle);
  38. if (source == null)
  39. // Should never be null
  40. throw new Exception("Cannot get HwndSource instance.");
  41. if (source.CompositionTarget == null)
  42. // Should never be null
  43. throw new Exception("Cannot get HwndTarget instance.");
  44. // Get transformation matrix
  45. Matrix matrix = source.CompositionTarget.TransformFromDevice;
  46. // Convert working area
  47. Win32.RECT workingArea = monitorInfo.rcWork;
  48. Point dpiIndependentSize =
  49. matrix.Transform(new Point(
  50. workingArea.Right - workingArea.Left,
  51. workingArea.Bottom - workingArea.Top
  52. ));
  53. // Convert minimum size
  54. Point dpiIndenpendentTrackingSize = matrix.Transform(new Point(
  55. this.MinWidth,
  56. this.MinHeight
  57. ));
  58. // Set the maximized size of the window
  59. mmi.ptMaxSize.x = (int)dpiIndependentSize.X;
  60. mmi.ptMaxSize.y = (int)dpiIndependentSize.Y;
  61. // Set the position of the maximized window
  62. mmi.ptMaxPosition.x = 0;
  63. mmi.ptMaxPosition.y = 0;
  64. // Set the minimum tracking size
  65. mmi.ptMinTrackSize.x = (int)dpiIndenpendentTrackingSize.X;
  66. mmi.ptMinTrackSize.y = (int)dpiIndenpendentTrackingSize.Y;
  67. Marshal.StructureToPtr(mmi, lParam, true);
  68. }

此时运行程序,最大化时便会像普通窗口一样最大化,同时使用MainWindow的MinWidth和MinHeight指定了窗口的最小尺寸,即便是在多显示器环境和修改了DPI设定的情况下依旧可以正常工作。

接下来要解决的问题就是最大化时将窗口边缘阴影也算在了窗口大小内,这个问题的解决其实十分简单。基本思路是在全屏时设置BorderThickness为0,当窗口恢复时再将其设置回去。

在窗口类中增加了一个customBorderThickness用来保存我们定义的BorderThickness值。在构造器中创建对StateChanged事件的处理程序,并在其中判断当前窗口状态。代码如下:

[csharp] view plaincopyprint?

  1. /// <summary>
  2. /// Border thickness in pixel
  3. /// </summary>
  4. private readonly int customBorderThickness = 7;
  5. public MainWindow()
  6. {
  7. InitializeComponent();
  8. this.SourceInitialized += MainWindow_SourceInitialized;
  9. this.StateChanged += MainWindow_StateChanged;
  10. }
  11. void MainWindow_StateChanged(object sender, EventArgs e)
  12. {
  13. if (WindowState == WindowState.Maximized)
  14. {
  15. this.BorderThickness = new System.Windows.Thickness(0);
  16. }
  17. else
  18. {
  19. this.BorderThickness = new System.Windows.Thickness(customBorderThickness);
  20. }
  21. }

这样,我们使窗口可以正常最大化的目标就完全达成了~

三、使窗口可以拖动边缘改变大小

无边框窗口没有边框,即便是设置了ResizeMode="CanResize"也是无法通过拖动边缘来改变窗口大小的。至于如何解决这个问题……咳咳,还得请出Win32API……

这次我们想处理的消息是WM_NCHITTEST,这个消息发送至窗口以让窗口决定鼠标当前所在的位置,消息的lParam的低位标记了鼠标的X坐标,高位标记了Y坐标。通过一系列返回值来表示判断结果。

有一点需要注意的是,如果使用简单的掩盖高低位来获取X和Y坐标的话,在多屏环境下会发生错误,因为在多屏环境下的X和Y可能是负数,因此需要GET_X_LPARAM和GET_Y_LPARAM宏来解决问题,下面的代码中直接将这两个宏展开。

首先,在刚才我们创建的Win32类中添加以下代码(感谢MikeMattera写的HitTest枚举):

[csharp] view plaincopyprint?

  1. // Sent to a window in order to determine what part of the window corresponds to a particular screen coordinate
  2. public const int WM_NCHITTEST = 0x0084;
  3. /// <summary>
  4. /// Indicates the position of the cursor hot spot.
  5. /// </summary>
  6. public enum HitTest : int
  7. {
  8. /// <summary>
  9. /// On the screen background or on a dividing line between windows (same as HTNOWHERE, except that the DefWindowProc function produces a system beep to indicate an error).
  10. /// </summary>
  11. HTERROR = -2,
  12. /// <summary>
  13. /// In a window currently covered by another window in the same thread (the message will be sent to underlying windows in the same thread until one of them returns a code that is not HTTRANSPARENT).
  14. /// </summary>
  15. HTTRANSPARENT = -1,
  16. /// <summary>
  17. /// On the screen background or on a dividing line between windows.
  18. /// </summary>
  19. HTNOWHERE = 0,
  20. /// <summary>
  21. /// In a client area.
  22. /// </summary>
  23. HTCLIENT = 1,
  24. /// <summary>
  25. /// In a title bar.
  26. /// </summary>
  27. HTCAPTION = 2,
  28. /// <summary>
  29. /// In a window menu or in a Close button in a child window.
  30. /// </summary>
  31. HTSYSMENU = 3,
  32. /// <summary>
  33. /// In a size box (same as HTSIZE).
  34. /// </summary>
  35. HTGROWBOX = 4,
  36. /// <summary>
  37. /// In a size box (same as HTGROWBOX).
  38. /// </summary>
  39. HTSIZE = 4,
  40. /// <summary>
  41. /// In a menu.
  42. /// </summary>
  43. HTMENU = 5,
  44. /// <summary>
  45. /// In a horizontal scroll bar.
  46. /// </summary>
  47. HTHSCROLL = 6,
  48. /// <summary>
  49. /// In the vertical scroll bar.
  50. /// </summary>
  51. HTVSCROLL = 7,
  52. /// <summary>
  53. /// In a Minimize button.
  54. /// </summary>
  55. HTMINBUTTON = 8,
  56. /// <summary>
  57. /// In a Minimize button.
  58. /// </summary>
  59. HTREDUCE = 8,
  60. /// <summary>
  61. /// In a Maximize button.
  62. /// </summary>
  63. HTMAXBUTTON = 9,
  64. /// <summary>
  65. /// In a Maximize button.
  66. /// </summary>
  67. HTZOOM = 9,
  68. /// <summary>
  69. /// In the left border of a resizable window (the user can click the mouse to resize the window horizontally).
  70. /// </summary>
  71. HTLEFT = 10,
  72. /// <summary>
  73. /// In the right border of a resizable window (the user can click the mouse to resize the window horizontally).
  74. /// </summary>
  75. HTRIGHT = 11,
  76. /// <summary>
  77. /// In the upper-horizontal border of a window.
  78. /// </summary>
  79. HTTOP = 12,
  80. /// <summary>
  81. /// In the upper-left corner of a window border.
  82. /// </summary>
  83. HTTOPLEFT = 13,
  84. /// <summary>
  85. /// In the upper-right corner of a window border.
  86. /// </summary>
  87. HTTOPRIGHT = 14,
  88. /// <summary>
  89. /// In the lower-horizontal border of a resizable window (the user can click the mouse to resize the window vertically).
  90. /// </summary>
  91. HTBOTTOM = 15,
  92. /// <summary>
  93. /// In the lower-left corner of a border of a resizable window (the user can click the mouse to resize the window diagonally).
  94. /// </summary>
  95. HTBOTTOMLEFT = 16,
  96. /// <summary>
  97. /// In the lower-right corner of a border of a resizable window (the user can click the mouse to resize the window diagonally).
  98. /// </summary>
  99. HTBOTTOMRIGHT = 17,
  100. /// <summary>
  101. /// In the border of a window that does not have a sizing border.
  102. /// </summary>
  103. HTBORDER = 18,
  104. /// <summary>
  105. /// In a Close button.
  106. /// </summary>
  107. HTCLOSE = 20,
  108. /// <summary>
  109. /// In a Help button.
  110. /// </summary>
  111. HTHELP = 21,
  112. };

然后在窗口类的WndProc中添加一个Win32.WM_NCHITTEST的case,并在其中调用判断函数。此外因为HitTest调用频繁,所以我们在类中增加一个保存鼠标坐标的域。还有一点要说明的就是cornerWidth的值,这个值用于四个角的拉伸检测,建议设置为比customBorderThickness略大(比如+1),可以根据体验测试此值。具体代码如下:

[csharp] view plaincopyprint?

  1. /// <summary>
  2. /// Corner width used in HitTest
  3. /// </summary>
  4. private readonly int cornerWidth = 8;
  5. /// <summary>
  6. /// Mouse point used by HitTest
  7. /// </summary>
  8. private Point mousePoint = new Point();
  9. private IntPtr WndProc(IntPtr hwnd, int msg, IntPtr wParam, IntPtr lParam, ref bool handled)
  10. {
  11. switch (msg)
  12. {
  13. case Win32.WM_GETMINMAXINFO: // WM_GETMINMAXINFO message
  14. WmGetMinMaxInfo(hwnd, lParam);
  15. handled = true;
  16. break;
  17. case Win32.WM_NCHITTEST: // WM_NCHITTEST message
  18. return WmNCHitTest(lParam, ref handled);
  19. }
  20. return IntPtr.Zero;
  21. }
  22. private IntPtr WmNCHitTest(IntPtr lParam, ref bool handled)
  23. {
  24. // Update cursor point
  25. // The low-order word specifies the x-coordinate of the cursor.
  26. // #define GET_X_LPARAM(lp) ((int)(short)LOWORD(lp))
  27. this.mousePoint.X = (int)(short)(lParam.ToInt32() & 0xFFFF);
  28. // The high-order word specifies the y-coordinate of the cursor.
  29. // #define GET_Y_LPARAM(lp) ((int)(short)HIWORD(lp))
  30. this.mousePoint.Y = (int)(short)(lParam.ToInt32() >> 16);
  31. // Do hit test
  32. handled = true;
  33. if (Math.Abs(this.mousePoint.Y - this.Top) <= this.cornerWidth
  34. && Math.Abs(this.mousePoint.X - this.Left) <= this.cornerWidth)
  35. { // Top-Left
  36. return new IntPtr((int)Win32.HitTest.HTTOPLEFT);
  37. }
  38. else if (Math.Abs(this.ActualHeight + this.Top - this.mousePoint.Y) <= this.cornerWidth
  39. && Math.Abs(this.mousePoint.X - this.Left) <= this.cornerWidth)
  40. { // Bottom-Left
  41. return new IntPtr((int)Win32.HitTest.HTBOTTOMLEFT);
  42. }
  43. else if (Math.Abs(this.mousePoint.Y - this.Top) <= this.cornerWidth
  44. && Math.Abs(this.ActualWidth + this.Left - this.mousePoint.X) <= this.cornerWidth)
  45. { // Top-Right
  46. return new IntPtr((int)Win32.HitTest.HTTOPRIGHT);
  47. }
  48. else if (Math.Abs(this.ActualWidth + this.Left - this.mousePoint.X) <= this.cornerWidth
  49. && Math.Abs(this.ActualHeight + this.Top - this.mousePoint.Y) <= this.cornerWidth)
  50. { // Bottom-Right
  51. return new IntPtr((int)Win32.HitTest.HTBOTTOMRIGHT);
  52. }
  53. else if (Math.Abs(this.mousePoint.X - this.Left) <= this.customBorderThickness)
  54. { // Left
  55. return new IntPtr((int)Win32.HitTest.HTLEFT);
  56. }
  57. else if (Math.Abs(this.ActualWidth + this.Left - this.mousePoint.X) <= this.customBorderThickness)
  58. { // Right
  59. return new IntPtr((int)Win32.HitTest.HTRIGHT);
  60. }
  61. else if (Math.Abs(this.mousePoint.Y - this.Top) <= this.customBorderThickness)
  62. { // Top
  63. return new IntPtr((int)Win32.HitTest.HTTOP);
  64. }
  65. else if (Math.Abs(this.ActualHeight + this.Top - this.mousePoint.Y) <= this.customBorderThickness)
  66. { // Bottom
  67. return new IntPtr((int)Win32.HitTest.HTBOTTOM);
  68. }
  69. else
  70. {
  71. handled = false;
  72. return IntPtr.Zero;
  73. }
  74. }

这样拖动窗口边缘改变窗口大小的功能也完成了~

四、全窗口空白区域拖动

其实这个拖动,大家通常的思路都是调用DragMove()方法,这个方法不但可以空白区域拖动窗口,还可以触发屏幕边缘的事件(比如拖到顶端最大化),但是它也有很蛋疼的一点,那就是在窗口最大化的时候无法通过拖动来恢复窗口大小(可以在QQ窗口上试验这个功能),因此只能我们自己来实现这个方法。

其实最大化时拖动来恢复这个功能是窗口的标题栏所具有的特性,所以我们的思路就沿着这个走。我们希望所有在空白区域的点击都判断为对标题栏的点击,至于怎么实现……我们再次祭出Win32API。

WM_NCLBUTTONDOWN事件是在鼠标不在Client区域时被Post到窗口的,其wParam为前面所提到的HitTest所测试到的值。

此外我们还需要用到SendMessage函数来发送消息:

LRESULT WINAPI SendMessage(_In_  HWND hWnd, _In_  UINT Msg, _In_  WPARAM wParam, _In_  LPARAM lParam);

参考:http://msdn.microsoft.com/en-us/library/windows/desktop/ms644950(v=vs.85).aspx

我们需要在Win32类中再添加一点东西:

[csharp] view plaincopyprint?

  1. // Posted when the user presses the left mouse button while the cursor is within the nonclient area of a window
  2. public const int WM_NCLBUTTONDOWN = 0x00A1;
  3. // Sends the specified message to a window or windows
  4. [DllImport("user32.dll", EntryPoint = "SendMessage")]
  5. public static extern int SendMessage(IntPtr hwnd, int wMsg, int wParam, int lParam);

在窗口类中为MouseLeftButtonDown事件添加一个处理程序,并实现相关代码。处理程序是通过判断事件源的类型来决定是否发送消息,如果你想让更多的元素可以拖动(比如Label),请在判断条件中添加判断内容。代码如下:

[csharp] view plaincopyprint?

  1. public MainWindow()
  2. {
  3. InitializeComponent();
  4. this.SourceInitialized += MainWindow_SourceInitialized;
  5. this.StateChanged += MainWindow_StateChanged;
  6. this.MouseLeftButtonDown += MainWindow_MouseLeftButtonDown;
  7. }
  8. void MainWindow_MouseLeftButtonDown(object sender, MouseButtonEventArgs e)
  9. {
  10. if (e.OriginalSource is Grid || e.OriginalSource is Border || e.OriginalSource is Window)
  11. {
  12. WindowInteropHelper wih = new WindowInteropHelper(this);
  13. Win32.SendMessage(wih.Handle, Win32.WM_NCLBUTTONDOWN, (int)Win32.HitTest.HTCAPTION, 0);
  14. return;
  15. }
  16. }

至此,我们所有的功能都已经实现。效果图由于不太好截取,暂时先不放啦~

个人水平有限,感谢您能读完我的文章,欢迎各位在此交流。

另附代码下载:http://pan.baidu.com/s/1zLn3R

演示程序(.NET 3.5):http://pan.baidu.com/s/1CC0XA

转自 http://blog.csdn.net/dlangu0393/article/details/12548731

时间: 2024-10-08 10:09:01

利用WPF创建含多种交互特性的无边框窗体的相关文章

01.WPF中制作无边框窗体

[引用:]http://blog.csdn.net/johnsuna/article/details/1893319 众所周知,在WinForm中,如果要制作一个无边框窗体,可以将窗体的FormBorderStyle属性设置为None来完成.如果要制作成异形窗体,则需要使用图片或者使用GDI+自定义绘制. 那么,在WPF中,我们怎样制作一个无边框窗体呢? 答案是将Window的WindowStyle属性设置为None,即WindowStyle="None" .如果是非矩形的异形窗体,则

无边框窗体、后台创建控件、简单通讯

一.无边框窗体 1.控制按钮如何制作: 就是放置可以点击的控件,不局限于使用按钮或是什么别的,只要可以点击能触发点击事件就可以了 (1)美化一下的话那就可以把鼠标移入,移出,按下三个事件让按钮改变样式 (2)如何获取图片的相对路径 //鼠标移入时显示的图片 private void pictureBox1_MouseEnter(object sender, EventArgs e) { pictureBox1.BackgroundImage = Image.FromFile(Applicatio

WPF 无边框窗体

第一步:去掉那些最大化最小化和关闭 代码如下: WindowStyle="None" 第二步:去掉那边框 代码如下: AllowsTransparency="True" 第三步:拖动窗体 方法:给窗体设置MouseLeftButtonDown事件 代码如下: (1)前台代码: MouseLeftButtonDown="Border_MouseLeftButtonDown_1" (2)后台代码: private void Border_MouseL

无边框窗体和后台创建控件

1.无边框窗体 最小化 最大化 关闭 按钮 不一定非要用按钮来做, 可以用图片 写事件,加上鼠标 移入移出 点击 来操作 MouseEnter-鼠标移入的时候发生的事件 private void pictureBox1_MouseEnter(object sender, EventArgs e) { pictureBox1.BackgroundImage = Image.FromFile(Application.StartupPath + "\\..\\..\\images\\btn_close

C# 创建无边框,任意样式窗体,无边框窗体的移动

界面布局如下: 窗体中添加一个PictureBox控件 有边框窗体 无边框窗体 代码实现: public partial class Form2 : Form { public Form2() { InitializeComponent(); } #region 创建无边框,任意样式窗体 private void Form2_Load(object sender, EventArgs e) { this.TransparencyKey = Color.White; //设置默认透明色 this.

使用WPF创建无边框窗体

一.无边框窗口添加窗口阴影 实际上在WPF中添加无边框窗口的窗口阴影十分简单. 首先,设置WindowStyle="None"以及AllowsTransparency="True"使得窗口无边框.并对Window添加DropShadowEffect效果并设定相关参数,在这里我根据设计师的要求设置ShadowDepth="1" BlurRadius="6" Direction="270" Opacity=&q

wpf 自定义 无边框 窗体 resize 实现

参数定义 1 class NativeMethods 2 { 3 public const int WM_NCHITTEST = 0x84; 4 public const int HTCAPTION = 2; 5 public const int HTLEFT = 10; 6 public const int HTRIGHT = 11; 7 public const int HTTOP = 12; 8 public const int HTTOPLEFT = 13; 9 public const

WPF一步步实现完全无边框自定义Window(附源码)

原文:WPF一步步实现完全无边框自定义Window(附源码) 在我们设计一个软件的时候,有很多时候我们需要按照美工的设计来重新设计整个版面,这当然包括主窗体,因为WPF为我们提供了强大的模板的特性,这就为我们自定义各种空间提供了可能性,这篇博客主要用来介绍如何自定义自己的Window,在介绍整个写作思路之前,我们来看看最终的效果. 图一 自定义窗体主界面 这里面的核心就是重写Window的Template,针对整个开发过程中出现的问题我们再来一步步去剖析,首先要看看我们定义好的样式 <Resou

WPF无边框可拖动窗体

下面主要记录下创建无边框窗体,并且可以拖动.这种窗体主要用于弹出小窗体时. <Window x:Class="WpfApplication1.MainWindow" xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:d="http