如何在VC ++ Win32应用程序中打印鼠标光标位置的句子?

时间:2016-10-12 17:26:20

标签: c++ windows visual-c++ windows-console

我想在鼠标光标所在的位置打印一些东西,所以我使用POINT cursorPos; GetCursorPos(&cursorPos); 获取鼠标光标的位置。

然后我将控制台光标设置到该位置,然后打印鼠标坐标。但结果不正确。

以下是代码:

 #include<iostream>
 #include<Windows.h>
 #include <conio.h>
 #include <stdio.h>
 using namespace std;

 void gotoxy(int column, int line){
     COORD coord;
     coord.X = column;
     coord.Y = line;
     SetConsoleCursorPosition(
         GetStdHandle(STD_OUTPUT_HANDLE),
         coord
     );
 }

int main(){
   while (1){
       POINT cursorPos;
       GetCursorPos(&cursorPos);
       system("pause");
       gotoxy(cursorPos.x, cursorPos.y);
       cout << cursorPos.x << " " << cursorPos.y;
   }
}

谢谢你〜

1 个答案:

答案 0 :(得分:1)

使用GetConsoleScreenBufferInfo在控制台窗口中查找光标位置。见example

在控制台程序中跟踪鼠标位置可能没有用。如果您确实需要鼠标指针的位置,则必须从桌面坐标转换为控制台窗口坐标。

获取控制台窗口的句柄GetConsoleWindow() 使用ScreenToClient将鼠标指针位置从屏幕转换为客户端。将坐标映射到CONSOLE_SCREEN_BUFFER_INFO::srWindow

COORD getxy()
{
    POINT pt; 
    GetCursorPos(&pt);
    HWND hwnd = GetConsoleWindow();

    RECT rc;
    GetClientRect(hwnd, &rc);
    ScreenToClient(hwnd, &pt);

    HANDLE hout = GetStdHandle(STD_OUTPUT_HANDLE);
    CONSOLE_SCREEN_BUFFER_INFO inf;
    GetConsoleScreenBufferInfo(hout, &inf);

    COORD coord = { 0, 0 };
    coord.X = MulDiv(pt.x, inf.srWindow.Right, rc.right);
    coord.Y = MulDiv(pt.y, inf.srWindow.Bottom, rc.bottom);
    return coord;
}


int main() 
{
    HANDLE hout = GetStdHandle(STD_OUTPUT_HANDLE);
    while (1)
    {
        system("pause");
        COORD coord = getxy();
        SetConsoleCursorPosition(hout, coord);
        cout << "(" << coord.X << "," << coord.Y << ")";
    }
}