状态栏是应用程序中一个重要的组成部分,它为用户提供了各种类型的反馈和信息。WTL(Windows Template Library)生成的应用程序通常定义了一个单面板状态栏,它能够显示基本的“就绪”状态,并在简单模式下显示菜单提示。然而,多面板状态栏则被划分为多个可以独立控制的部分。本文将介绍如何在WTL应用程序中使用CMultiPaneStatusBarCtrl类来创建和管理一个三面板状态栏,该状态栏能够显示状态消息和当前的日期及时间。
状态栏为用户在使用应用程序时提供了各种类型的反馈和信息。WTL生成的应用程序定义了一个单面板状态栏,它处理显示“就绪”等基本功能,并在简单模式下显示菜单提示。与此相反,多面板状态栏则被划分为多个独立的部分。
要定义和初始化应用程序中的多面板状态栏控件,需要遵循以下步骤:
以下是resource.h文件中与状态栏面板及其图标相关的资源定义。这些定义是由资源编辑器在导入图标时创建的,它们用于识别状态栏面板以及图标。如果没有导入或为应用程序创建状态栏图标,则需要手动输入类似的值。
#define IDR_DEFAULT 201
#define IDR_DATE 202
#define IDR_TIME 203
此外,WTL定义了一个默认面板标识符ID_DEFAULT_PANE,它用作显示“就绪”等状态消息的可变宽度面板。
以下是mainframe.h文件中的OnCreate()方法。注意,传递给SetPaneWidths()方法的数组中默认面板的宽度设置为0。
LRESULT OnCreate(UINT, WPARAM, LPARAM, BOOL&) {
CreateSimpleStatusBar();
// subclass the status bar as multipane
m_status.SubclassWindow(m_hWndStatusBar);
// set status bar panes. ID_DEFAULT_PANE is defined by WTL
int arrPanes[] = { ID_DEFAULT_PANE, IDR_DATE, IDR_TIME };
m_status.SetPanes(arrPanes, sizeof(arrPanes) / sizeof(int), false);
// set status bar pane widths using local workaround
int arrWidths[] = { 0, 90, 60 };
SetPaneWidths(arrWidths, sizeof(arrWidths) / sizeof(int));
// set the status bar pane icons
m_status.SetPaneIcon(ID_DEFAULT_PANE, AtlLoadIconImage(IDR_DEFAULT, LR_DEFAULTCOLOR));
m_status.SetPaneIcon(IDR_DATE, AtlLoadIconImage(IDR_DATE, LR_DEFAULTCOLOR));
m_status.SetPaneIcon(IDR_TIME, AtlLoadIconImage(IDR_TIME, LR_DEFAULTCOLOR));
// initialize date/time and start a 1 second timer
OnTimer(0, 0, 0, bHandled);
SetTimer(1, 1000);
return 0;
}
SetPaneWidths()是一个解决方法,它解决了CMultiPaneStatusBarCtrl::SetPanes()方法中的一个bug。这个bug限制了默认面板之后的所有面板的宽度总和为100像素。这个解决方法允许任意的面板宽度。
void SetPaneWidths(int * arrWidths, int nPanes) {
// find the size of the borders
int arrBorders[3];
m_status.GetBorders(arrBorders);
// calculate right edge of default pane (0)
arrWidths[0] += arrBorders[2];
for (int i = 1; i < nPanes; i++)
arrWidths[0] += arrWidths[i];
// calculate right edge of remaining panes (1 thru nPanes-1)
for (int j = 1; j < nPanes; j++)
arrWidths[j] += arrBorders[2] + arrWidths[j - 1];
// set the pane widths
m_status.SetParts(m_status.m_nPanes, arrWidths);
}
LRESULT OnTimer(UINT, WPARAM, LPARAM, BOOL&) {
// get the current date and time
SYSTEMTIME st;
::GetLocalTime(&st);
CString str;
// Pane 1: Display the date
str.Format("%i/%i/%i", st.wMonth, st.wDay, st.wYear);
m_status.SetPaneText(IDR_DATE, str);
// Pane 2: Display the time
str.Format("%i:%02i", st.wHour, st.wMinute);
m_status.SetPaneText(IDR_TIME, str);
return 0;
}