我正在编写一个简单的程序,该程序记录单击位置和单击之间的间隔。在设置过程中,用户按下“ ENTER”将一个新位置添加到列表中,并在完成位置输入后按“ ESC”。
我得到的一些奇怪的行为是其他按键导致else if (GetAsyncKeyState(VK_RETURN))
的评估不正确。我的猜测是终止std::cin
的'ENTER'在缓冲区中徘徊并导致该错误,但是我认为std::cin.get()
和std::cin.ignore
可以解决该问题。
为什么除“ ENTER”键以外的其他键导致(GetAsyncKeyState(VK_RETURN))
评估为true?
void initialSetup() {
int temp = 0;
char input;
std::cout << "Unique sleep times? (y/n): ";
std::cin >> input;
std::cin.get();
std::cin.ignore(100, '\n'); // discards the input buffer
// Ask the user for a sleep each time, or use the same
if (input == 'y') {
uniqueSleepBetweenClicks = true;
}
else {
// Sleep times are constant after each click
std::cout << "Constant sleep time between clicks in ms: ";
std::cin >> constSleepBetweenClicks;
std::cin.get();
std::cin.ignore(100, '\n'); // discards the input buffer
}
std::cout << endl;
std::cout << "***********************************" << endl;
std::cout << "* 'ENTER' to set new position *" << endl;
std::cout << "* 'ESC' when done *" << endl;
std::cout << "***********************************" << endl << endl;
// Add new clicks to the sequence
while (_getch()){
Click click;
if (GetAsyncKeyState(VK_ESCAPE)) {
// Escape keypress ends adding new clicks
break;
}
else if (GetAsyncKeyState(VK_RETURN)) {
// Set the click position
GetCursorPos(&click.point);
std::cout << "Position set to (" << click.point.x << "," << click.point.y << ") " << endl;
if (uniqueSleepBetweenClicks) {
std::cout << "Sleep time in ms: ";
std::cin >> click.sleep;
std::cin.get();
std::cin.ignore(100, '\n'); // discards the input buffer
}
else {
click.sleep = constSleepBetweenClicks;
}
// Add to the list
clickList.push_back(click);
}
}
return;
}
编辑1:用
VK_RETURN
替换VK_SPACE
使程序完美运行。问题似乎只与ENTER键有关。 最佳答案
您没有正确检查返回值,它不会返回BOOL! GetAsyncKeyState(VK_RETURN) < 0
或GetAsyncKeyState(VK_RETURN) > 0
取决于要检查的内容。无论哪种方式,GetAsyncKeyState
都不是控制台应用程序的正确方法。
使用ReadConsoleInput
到handle input in a console。
如果即使在用户正在使用另一个应用程序时也要捕获输入,则应使用hooks捕获鼠标和键盘事件。
关于c++ - GetAsyncKeyState(VK_RETURN)错误地评估为true,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/56624243/