ShowCursor(FALSE) 不在控制台应用程序上隐藏光标

ShowCursor(FALSE) does not hide cursor on console application

我知道这听起来像是一个重复的问题,但请相信我,这不是。

我已经提到了这个 question,但没有太大帮助,因为我正在尝试使用 console application 并且回答者自己告诉他不知道 ShowCursor(FALSE) 不这样做的原因为控制台应用程序工作。

这个thread对我也没有帮助。

以下是我尝试过的方法:

使用 ShowCursor():

while(ShowCursor(false)>=0); //did not work

我首先怀疑是因为 msdn 中的这个语句: When Windows starts up, it checks if you have a mouse. If so, then the cursor show count is initialized to zero; otherwise, it is initialized to negative one.

我想也许在最新的 windows 中,它无法将连接的鼠标或触控板识别为已安装的鼠标,也许这就是它不起作用的原因。以下代码显示并非如此:

void UsingShowCursor()
{
    CURSORINFO info;
    info.cbSize = sizeof(CURSORINFO);
    cout << ShowCursor(FALSE);
    cout << ShowCursor(FALSE);
    cout << ShowCursor(FALSE);
    GetCursorInfo( &info ); //info.flags is CURSOR_SHOWING
}

因为我得到-1、-2、-3。这意味着初始显示光标计数显然为 0,它确实识别已安装的鼠标。

另外要注意的是 GetCursorInfo() 也表示光标正在显示。

使用 SetCursor()

void UsingSetCursor()
{
    HCURSOR prev = SetCursor(NULL);
    int i = 0;
    while(i++<10)
    {
        cout<<i<<endl;
        Sleep(1000);
    }
    if( SetCursor(prev) == NULL ) //check if the previos cursor was NULL
        cout<<"cursor was hidden and shown after 10 secs\n";
}

也不行。 这也不起作用:

SetCursor(LoadCursor(NULL, NULL));

编辑:

使用 LoadImage

也没用。

void UsingLoadImage()
{
    // Save a copy of the default cursor
    HANDLE arrowHandle = LoadImage(NULL, MAKEINTRESOURCE(IDC_ARROW), IMAGE_CURSOR, 0, 0, LR_SHARED);
    HCURSOR hcArrow = CopyCursor(arrowHandle);

    HCURSOR noCursorHandle = (HCURSOR)LoadImage(NULL, IDC_ARROW, IMAGE_CURSOR,1,1,LR_SHARED); //a single pixel thick cursor so that it wont be visible

    HCURSOR noCursor = CopyCursor(noCursorHandle);
    SetSystemCursor(noCursor, OCR_NORMAL);
    int i =0 ;
    while(i++<10)
    {
        cout<<i<<endl;
        Sleep(1000);
    }
    //revert to previous cursor
    SetSystemCursor(hcArrow, OCR_NORMAL);
    DestroyCursor(hcArrow);
}

可能是什么错误?我们如何隐藏控制台应用程序的鼠标?

您可以使用 LoadImage() 来实现您想要的效果。这是您在问题中引用的函数 UsingLoadImage() 的修改后的工作版本。您必须在 visual studio 项目中包含一个游标资源文件。从 here 下载游标或创建您自己的游标。

Resource Files->Add->Existng Item 并浏览到 nocursor.cur 文件。

void UsingLoadImage()
{
    // Save a copy of the default cursor
    HANDLE arrowHandle = LoadImage(NULL, MAKEINTRESOURCE(IDC_ARROW), IMAGE_CURSOR, 0, 0, LR_SHARED);
    HCURSOR hcArrow = CopyCursor(arrowHandle);

    // Set the cursor to a transparent one to emulate no cursor
    HANDLE noCursorHandle = LoadImage(GetModuleHandle(NULL), L"nocursor.cur", IMAGE_CURSOR, 0, 0, LR_LOADFROMFILE); //worked
    //HANDLE noCursorHandle = LoadCursorFromFile(L"nocursor.cur"); //this also worked

    HCURSOR noCursor = CopyCursor(noCursorHandle);
    SetSystemCursor(noCursor, OCR_NORMAL);
    int i =0 ;
    while(i++<10)
    {
        cout<<i<<endl;
        Sleep(1000);
    }
    SetSystemCursor(hcArrow, OCR_NORMAL);
    DestroyCursor(hcArrow);
}

这会将普通箭头光标替换为透明箭头光标。如果你想隐藏所有其他光标,如文本、加载、手形光标等,你必须单独隐藏它们。如果您不希望出现这种情况,那么您应该像许多评论者指出的那样选择退出控制台应用程序。

希望对您有所帮助。