作者:刘文博 转载请注明出处
我们在编程过程中,经常会碰到这样的问题,需要在某个时候利用动画的形式给用户展示一种状态,典型的应用比如正在下载文件,正在连接服务器等等。我们的解决方法之一是通过连续在界面上画出不同的静态图片,形成动画效果,通常在定时器中触发画图函数来实现。
以下是我见过的一种实现方法,利用一个全局变量(nDownloadCount)在定时器中控制四个位置重叠的窗口控件交替显示来实现,每一个控件实际上就是一副图片,下面是代码片段:
case WM_TIMER:
if(nDownloadTimerUsed && idEvent == timerDownloadID )
{
if(nDownloadCount == 0)
{
ShowWindow(hState[0], SW_SHOW);
ShowWindow(hState[1], SW_HIDE);
ShowWindow(hState[2], SW_HIDE);
ShowWindow(hState[3], SW_HIDE);
nDownloadCount = 1;
}
else if(nDownloadCount == 1)
{
ShowWindow(hState[0], SW_HIDE);
ShowWindow(hState[1], SW_SHOW);
ShowWindow(hState[2], SW_HIDE);
ShowWindow(hState[3], SW_HIDE);
nDownloadCount = 2;
}
else if(nDownloadCount == 2)
{
ShowWindow(hState[0], SW_HIDE);
ShowWindow(hState[1], SW_HIDE);
ShowWindow(hState[2], SW_SHOW);
ShowWindow(hState[3], SW_HIDE);
nDownloadCount = 3;
}
else if(nDownloadCount == 3)
{
ShowWindow(hState[0], SW_HIDE);
ShowWindow(hState[1], SW_HIDE);
ShowWindow(hState[2], SW_HIDE);
ShowWindow(hState[3], SW_SHOW);
nDownloadCount = 0;
}
}
break;
我的天,这么大的一段代码外加一个使耦合性很大的全局变量,仅仅是为了实现一个简单的动画显示,功能是实现了,但是总让人觉得别扭。
有没有什么更好的办法呢?我试着用下面的方法来实现:
case WM_TIMER:
if(nDownloadTimerUsed && idEvent == timerDownloadID )
{
static unsigned int nDownloadCount = 0;
ShowWindow(hState[nDownloadCount++%4], SW_HIDE);
ShowWindow(hState[nDownloadCoun], SW_SHOW);
}
break;
哈哈,效果很好。用一个静态局部变量再加上两行代码就完成了,不管你是几幅图片,都可以用这种模式解决,只要把求模运算的数字改动一下就行了。也许你说这样确实可以,但我的图片动的太快了,比如说只要现在一半的速度才行,怎么办?好说,改成如下:
static unsigned int nDownloadCount = 0;
static unsigned int nTimerPerCycle = 0;
if (nTimerPerCycle%2 == 0)
{
ShowWindow(hState[nDownloadCount++%4], SW_HIDE);
ShowWindow(hState[nDownloadCoun], SW_SHOW);
}
就是这样简单。不需要全局变量,使模块的耦合度比较低,内聚度比较高,并且实现起来非常简单,高效。你也许会担心让静态变量一直增加,会不会导致数据溢出,我的回答是不会,当它达到最大值再自加1时,就回到了0。