所有者绘制的本机“选项卡控件”的选项卡(TPageControl
在 VCL 中,虽然它的上层被恰当地命名TCustomTabControl
了 - 任何人都猜到为什么创意命名..),预计在处理WM_DRAWITEM
消息时由其父控件绘制,如此处所述.
VCL 通过将消息变为CN_DRAWITEM
消息并将其发送到控件本身来承担父级的负担。在这个过程中,VCL 没有进一步的干预。如果它是由用户代码分配的,它只是调用OnDrawTab
消息处理程序,并传递适当的参数。
因此,不是 VCL 在选项卡周围绘制边框,而是操作系统本身。此外,显然,它不会在处理WM_DRAWITEM
消息期间执行此操作,而是在稍后的绘制过程中执行此操作。WM_DRAWITEM
您可以通过在页面控件的父级上放置一个空处理程序来验证这一点。结果是,无论我们在事件处理程序中绘制什么,它稍后都会被操作系统获取边界。
我们可能会尝试阻止操作系统绘制的内容生效,毕竟我们拥有设备上下文(如 Canvas.Handle)。不幸的是,这条路线也是一条死胡同,因为在事件处理程序返回后,VCL 会恢复设备上下文的状态。
那么,我们唯一的方法就是完全放弃处理OnDrawTab
事件,并根据CN_DRAWITEM
消息采取行动。下面的示例代码使用了一个 interposer 类,但您可以以任何您喜欢的方式对控件进行子类化。确保OwnerDrawn
已设置。
type
TPageControl = class(comctrls.TPageControl)
protected
procedure CNDrawitem(var Message: TWMDrawItem); message CN_DRAWITEM;
end;
TForm1 = class(TForm)
..
..
procedure TPageControl.CNDrawitem(var Message: TWMDrawItem);
var
Color: TColor;
Rect: TRect;
Rgn: HRGN;
begin
Color := 0;
// draw in different colors so we see where we've drawn
case Message.DrawItemStruct.itemID of
0: Color := $D0C0BF;
1: Color := $D0C0DF;
2: Color := $D0C0FF;
end;
SetDCBrushColor(Message.DrawItemStruct.hDC, Color);
// we don't want to get clipped in the passed rectangle
SelectClipRgn(Message.DrawItemStruct.hDC, 0);
// magic numbers corresponding to where the OS draw the borders
Rect := Message.DrawItemStruct.rcItem;
if Bool(Message.DrawItemStruct.itemState and ODS_SELECTED) then begin
Inc(Rect.Left, 2);
// Inc(Rect.Top, 1);
Dec(Rect.Right, 2);
Dec(Rect.Bottom, 3);
end else begin
Dec(Rect.Left, 2);
Dec(Rect.Top, 2);
Inc(Rect.Right, 2);
Inc(Rect.Bottom);
end;
FillRect(Message.DrawItemStruct.hDC, Rect,
GetStockObject(DC_BRUSH));
// just some indication for the active tab
SetROP2(Message.DrawItemStruct.hDC, R2_NOTXORPEN);
if Bool(Message.DrawItemStruct.itemState and ODS_SELECTED) then
Ellipse(Message.DrawItemStruct.hDC, Rect.Left + 4, Rect.Top + 4,
Rect.Left + 12, Rect.Top + 12);
// we want to clip the DC so that the borders to be drawn are out of region
Rgn := CreateRectRgn(0, 0, 0, 0);
SelectClipRgn(Message.DrawItemStruct.hDC, Rgn);
DeleteObject(Rgn);
Message.Result := 1;
inherited;
end;
这是上面的样子: