我正在使用这个日志列表框,它恰好是一个所有者绘制的列表框。我注意到,当一次滚动多行时,例如使用鼠标滚轮或单击滚动条,它会以一种奇怪的方式进行。
通常,当您使用滚轮滚动时,您可以看到整个列表平滑地上升,例如 3 行和从底部开始的 3 行新行。我用这个控件看到的好像是一个新页面,从下面的 3 行开始,从顶部开始,这让用户感到非常困惑。
我也尝试过这个其他列表框,它显示了相同的行为,所以它似乎与所有者相关。
有想法该怎么解决这个吗?
我不知道你为什么被否决。这是一个真正的问题。这就是我为修复它所做的。我创建了自己的 CListBox 派生类。在那里,我为 WM_TIMER 和 WM_MOUSEWHEEL 事件创建了处理程序。
在鼠标滚轮的处理程序中,我指定了这个:
#define TIMER_SCROLLING 8
BOOL CMyListBox::OnMouseWheel(UINT nFlags, short zDelta, CPoint pt)
{
//return CListBox::OnMouseWheel(nFlags, zDelta, pt);
// It turns out that a Listbox control created with the LBS_OWNERDRAWVARIABLE style does not
// handle the mouse wheel correctly. The scroll effect is very jumpy; so bad in fact, that if
// you want to use that style, it is advisable to intercept WM_MOUSEWHEEL to either disable it
// or write your own handler.
// 'return TRUE' disables the scroll effect
#if 0
// This will scroll one item at a time.
// uncomment these lines if this is what you are after
if(zDelta > 0)
{
SetTopIndex(GetTopIndex()-1);
}
else
{
SetTopIndex(GetTopIndex()+1);
}
return TRUE;
#endif
// Will use timer to scroll the items smoothly.
// The scrolling is done in OnTimer event
KillTimer(TIMER_SCROLLING);
const int SCROLL_DELTA = 3;
if(zDelta > 0)
{
// scrolling up
m_nStep -= SCROLL_DELTA;
}
else
{
// scrolling down
m_nStep += SCROLL_DELTA;
}
SetTimer(TIMER_SCROLLING, 20, NULL);
return TRUE;
}
这就是我在 WM_TIMER 处理程序中编写的代码:
void CMyListBox::OnTimer(UINT_PTR nIDEvent)
{
if(nIDEvent == TIMER_SCROLLING)
{
if(m_nStep < 0)
{
// scrolling up
int nPos = GetTopIndex();
if(nPos == 0)
{
m_nStep = 0;
KillTimer(TIMER_SCROLLING);
}
else
{
SetTopIndex(nPos-1);
m_nStep++;
}
}
else if(m_nStep > 0)
{
// scrolling down
int nPos = GetTopIndex();
if(nPos == GetCount()-1)
{
m_nStep = 0;
KillTimer(TIMER_SCROLLING);
}
else
{
SetTopIndex(nPos+1);
m_nStep--;
}
}
else
KillTimer(TIMER_SCROLLING);
}
else
CListBox::OnTimer(nIDEvent);
}
希望,这将对您和其他人有所帮助。我可能需要考虑把它放在 Codeproject
更新: m_nStep
被定义为int
CMyListBox 类的私有成员。在类构造函数中初始化为零;