6

我正在编写一个直接从用户输入读取数据的程序,并且想知道在按下键盘上的 ESC 按钮之前如何读取所有数据。我发现只有这样的东西:

std::string line;
while (std::getline(std::cin, line))
{
    std::cout << line << std::endl;
}

但需要添加一种可移植的方式(Linux/Windows)来捕捉按下的 ESC 按钮,然后中断一个 while 循环。这该怎么做?

编辑:

我写了这个,但即使我按下键盘上的 ESC 按钮仍然可以工作:

#include <iostream>
#include <string>
using namespace std;

int main()
{
    const int ESC=27;
    std::string line;
    bool moveOn = true;

    while (std::getline(std::cin, line) && moveOn)
    {
        std::cout << line << "\n";
        for(unsigned int i = 0; i < line.length(); i++)
        {
            if(line.at(i) == ESC)
            { 
                moveOn = false;
                break;

            }
        }
    }
    return 0;
}

编辑2:

伙计们,这个解决方案也不起作用,它吃掉了我线路中的第一个字符!

#include <iostream>
#include <string>
using namespace std;

int main()
{
    const int ESC=27;
    char c;
    std::string line;
    bool moveOn = true;

    while (std::getline(std::cin, line) && moveOn)
    {
        std::cout << line << "\n";
        c = cin.get();
        if(c == ESC)
            break;

    }
    return 0;
}
4

5 回答 5

7
int main() {
  string str = "";
  char ch;
  while ((ch = std::cin.get()) != 27) {
    str += ch;
  }

 cout << str;

return 0;
}

这会将输入输入到您的字符串中,直到遇到转义字符

于 2013-01-08T12:56:32.517 回答
1

在你读完这行之后,检查你刚刚读到的所有字符并寻找转义 ASCII 值(十进制 27)。


这就是我的意思:

while (std::getline(std::cin, line) && moveOn)
{
    std::cout << line << "\n";

    // Do whatever processing you need

    // Check for ESC
    bool got_esc = false;
    for (const auto c : line)
    {
        if (c == 27)
        {
            got_esc = true;
            break;
        }
    }

    if (got_esc)
        break;
}
于 2013-01-08T12:23:41.927 回答
1

我发现这适用于获取转义键的输入,您还可以在 while 函数中定义和列出其他值。

#include "stdafx.h"
#include <iostream>
#include <conio.h> 

#define ESCAPE 27

int main()
{
    while (1)
    {
        int c = 0;

        switch ((c = _getch()))
        {
        case ESCAPE:
            //insert action you what
            break;
        }
    }
    return 0;
}
于 2015-07-10T12:32:58.410 回答
0
#include <iostream>
#include <conio.h>

using namespace std;

int main()
{
    int number;
    char ch;

    bool loop=false;
    while(loop==false)
    {  cin>>number;
       cout<<number;
       cout<<"press enter to continue, escape to end"<<endl;
       ch=getch();
       if(ch==27)
       loop=true;
    }
    cout<<"loop terminated"<<endl;
    return 0;
}
于 2015-10-11T17:22:28.037 回答
0

我建议不仅对于 C++ 中的 ESC 字符,而且对于任何语言的键盘的任何其他字符,读取您输入到整数变量中的字符,然后将它们打印为整数。

或者在线搜索 ASCII 字符列表。

这将为您提供密钥的 ASCII 值,然后就很简单了

if(foo==ASCIIval)
   break;

对于 ESC 字符,ASCII 值为 27。

于 2016-12-09T04:08:02.537 回答