本文实例讲述了VC创建圆角dialog的实现方法。分享给大家供大家参考,具体如下:
我们有时候需要圆角的对话框,要实现这样的效果,一般包括两步工作,第一步:将原有对话框的直角裁剪掉,第二步:为对话框画上圆角或者为对话框贴上一个圆角的图片。
第一步:我们在OnCreate函数中来实现,代码量也不多。
1
2
3
4
5
6
7
8
9
10
|
int CTestDialog::OnCreate(LPCREATESTRUCT lpCreateStruct)
{
if (CDialog::OnCreate(lpCreateStruct) == -1)
return -1;
HRGN hRgn;
RECT rect;
::GetWindowRect(hwnd, &rect);
hRgn = CreateRoundRectRgn(0, 0, rect.right - rect.left + 1, rect.bottom - rect.top + 1, 5,5);
::SetWindowRgn(hwnd, hRgn, TRUE);
}
|
如果对话框还支持Resize的话,那么需要在OnSize函数中拷贝一份上面的代码。
第二步:因为圆角部分的重绘属于对话框的非客户区,所以我们需要响应WM_NCPAINT消息,在消息响应函数中实现贴圆角图片的功能或者画上圆角线。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
|
Void CTestDialog::OnNcPaint()
{
CWindowDC dc( this );
CRect rcWindow;
CRect rcClient;
this ->GetClientRect(rcClient);
this ->ClientToScreen(rcClient);
this ->GetWindowRect(rcWindow);
CPoint point = rcWindow.TopLeft();
rcClient.OffsetRect(-point);
rcWindow.OffsetRect(-point);
int windowWidth = rcWindow.Width();
int windowHeight = rcWindow.Height();
HDC hMemDC = ::CreateCompatibleDC(dc.m_hDC);
HBITMAP hBmp = ::CreateCompatibleBitmap(dc.m_hDC, windowWidth, windowHeight);
::SelectObject(hMemDC, hBmp);
Graphics graphics(hMemDC);
graphics.Clear(Color(255, 255, 255, 255));
graphics.SetSmoothingMode(SmoothingModeHighQuality);
//TODO:使用GDI+的DrawImage函数来贴上圆角图片,或者使用RoundRect函数来为对话框画上圆角线
#if 0 /*使用DrawImage来绘制圆角图片*/
ImageAttributes ia;
ia.SetWrapMode( WrapModeTileFlipXY );
graphic.DrawImage(pImg_LTFrame,……….);
#endif
#if 0 /*使用RoundRect来绘制圆角线*/
RoundRect(hMemDC, rcWindow.left, rcWindow.top, rcWindow.right,rc.bottom, 5, 5 );
#endif
dc.IntersectClipRect(rcWindow);
dc.ExcludeClipRect(rcClient);
::BitBlt(dc.m_hDC, 0, 0, windowWidth, windowHeight, hMemDC, 0, 0, SRCCOPY);
::DeleteDC(hMemDC);
::DeleteObject(hBmp);
}
|
为了达到自己想要的效果,可能还要响应WM_NCACTIVE和WM_NOTIFY两个消息,在这两个消息响应函数中实现和OnNCPaint函数一样的功能。
还有一个重要的消息WM_NCCALCSIZE,在这个消息响应函数中,主要是重新计算对话框的非客户区的大小,这个函数中的LPNCCALCSIZE_PARAMS类型参数lpncsp的lpncsp->rgrc[0]设置的是客户区的大小,客户区的高度减小时,非客户区的高度就增加了,因为对话框的总高度是固定的。在创建圆角矩形后,可能会出现客户区区域大了或者小了,这时,就需要响应该消息,在这个消息响应函数中对非客户区的大小进行调整。
希望本文所述对大家VC程序设计有所帮助。