2

当我在运行时将 BS_AUTO3STATE 样式添加到对话框窗口上的默认样式复选框时;

this->Style |= BS_AUTO3STATE; // wrapper of Get/SetWindowLongPtr, ignore the specifics

..它变成了一个组框,而不是一个三态复选框。我究竟做错了什么?

我有错误的控制方式吗?

4

1 回答 1

7

这个问题是由于这些BS_Xxx值实际上没有在标头中定义为位标志。相反,它们的值只是线性增加:

#define BS_PUSHBUTTON       0x00000000L
#define BS_DEFPUSHBUTTON    0x00000001L
#define BS_CHECKBOX         0x00000002L
#define BS_AUTOCHECKBOX     0x00000003L
#define BS_RADIOBUTTON      0x00000004L
#define BS_3STATE           0x00000005L
#define BS_AUTO3STATE       0x00000006L
#define BS_GROUPBOX         0x00000007L
#define BS_USERBUTTON       0x00000008L
#define BS_AUTORADIOBUTTON  0x00000009L
// ... and so on

请注意,BS_GROUPBOX(这是您得到但不想要的样式)等于0x7. 您的控件最终设置了该样式标志,因为您设置的标志组合具有0x7. 不幸的是,您不能只是OR将标志放在一起并获得您想要的结果。

相反,您必须使用BS_TYPEMASK标志清除当前按钮样式,然后设置所需的单个BS_Xxx标志。对于普通的复选框,可能是BS_AUTOCHECKBOX; 对于三态复选框,即BS_AUTO3STATE.

工作示例代码:

void ToggleCheckboxCtrl(HWND hwndCheckBox)
{
    // Retrieve the control's current styles.
    LONG_PTR styles = GetWindowLongPtr(hwndCheckBox, GWL_STYLE);

    // Remove any button styles that may be set so they don't interfere
    // (but maintain any general window styles that are also set).
    styles &= ~BS_TYPEMASK;

    // Just for example purposes, we're maintain our last state as a static var.
    // In the real code, you probably have a better way of determining this!
    static bool isRegularCheckBox = true;
    if (isRegularCheckBox)
    {
        // If we're a regular checkbox, toggle us to a 3-state checkbox.
        styles |= BS_AUTO3STATE;
    }
    else
    {
        // Otherwise, we want to go back to being a regular checkbox.
        styles |= BS_AUTOCHECKBOX;
    }
    isSet = !isSet;

    // Update the control's styles.
    // (You'll also need to force a repaint to see your changes.)
    SetWindowLongPtr(hwndCheckBox, GWL_STYLE, styles);
}

Spy++ 实用程序(与 Visual Studio 捆绑在一起)是一个不可或缺的小实用程序,用于找出切换窗口样式时出现的问题。运行您的应用程序,并使用 Spy++ 定位窗口并枚举其当前样式。然后更改样式,用 Spy++ 转储新样式,看看哪里出了问题。

于 2013-03-14T00:07:45.840 回答