下面可能应该被视为有缺陷的操作系统行为的解决方法,因为除非启用主题,否则列表框控件的默认窗口过程可以很好地处理拇指跟踪。出于某种原因,启用主题时(此处测试显示 Vista 及更高版本),该控件似乎依赖于 Word 大小的滚动位置数据WM_VSCROLL
。
首先,一个复制问题的简单项目,下面是一个拥有lbVirtualOwnerDraw
大约 600,000 个项目的所有者绘制虚拟 ( ) 列表框(因为项目数据没有被缓存,所以不需要花一点时间来填充该框)。一个高大的列表框将有助于轻松跟踪行为:
type
TForm1 = class(TForm)
ListBox1: TListBox;
procedure ListBox1Data(Control: TWinControl; Index: Integer;
var Data: string);
procedure ListBox1DrawItem(Control: TWinControl; Index: Integer;
Rect: TRect; State: TOwnerDrawState);
procedure FormCreate(Sender: TObject);
end;
[...]
procedure TForm1.FormCreate(Sender: TObject);
begin
ListBox1.Count := 600000;
end;
procedure TForm1.ListBox1Data(Control: TWinControl; Index: Integer;
var Data: string);
begin
Data := IntToStr(Index) + ' listbox item number';
end;
procedure TForm1.ListBox1DrawItem(Control: TWinControl; Index: Integer;
Rect: TRect; State: TOwnerDrawState);
begin
// just simple drawing to be able to clearly see the items
if odSelected in State then begin
ListBox1.Canvas.Brush.Color := clHighlight;
ListBox1.Canvas.Font.Color := clHighlightText;
end;
ListBox1.Canvas.FillRect(Rect);
ListBox1.Canvas.TextOut(Rect.Left + 2, Rect.Top + 2, ListBox1.Items[Index]);
end;
要查看问题,只需用拇指跟踪滚动条,您会注意到项目是如何从头开始包装的,正如 Arnaud 在问题评论中所描述的那样。当你松开拇指时,它会吸附到顶部的一个项目上High(Word)
。
下面的解决方法在控件上截取WM_VSCROLL
并手动执行拇指和项目定位。为简单起见,该示例使用插入器类,但任何其他子类化方法都可以:
type
TListBox = class(stdctrls.TListBox)
private
procedure WMVScroll(var Msg: TWMVScroll); message WM_VSCROLL;
end;
[...]
procedure TListBox.WMVScroll(var Msg: TWMVScroll);
var
Info: TScrollInfo;
begin
// do not intervene when themes are disabled
if ThemeServices.ThemesEnabled then begin
Msg.Result := 0;
case Msg.ScrollCode of
SB_THUMBPOSITION: Exit; // Nothing to do, thumb is already tracked
SB_THUMBTRACK:
begin
ZeroMemory(@Info, SizeOf(Info));
Info.cbSize := SizeOf(Info);
Info.fMask := SIF_POS or SIF_TRACKPOS;
if GetScrollInfo(Handle, SB_VERT, Info) and
(Info.nTrackPos <> Info.nPos) then
TopIndex := TopIndex + Info.nTrackPos - Info.nPos;
end;
else
inherited;
end;
end else
inherited;
end;