78

我无法在 Linux 中找到 conio.h 的等效头文件。

Linux中是否有getch()&功能的选项?getche()

我想制作一个开关盒基本菜单,用户只需按一个键就可以提供他的选项,并且应该向前移动进程。我不想让用户在按下他的选择后按下 ENTER。

4

6 回答 6

91
#include <termios.h>
#include <stdio.h>

static struct termios old, current;

/* Initialize new terminal i/o settings */
void initTermios(int echo) 
{
  tcgetattr(0, &old); /* grab old terminal i/o settings */
  current = old; /* make new settings same as old settings */
  current.c_lflag &= ~ICANON; /* disable buffered i/o */
  if (echo) {
      current.c_lflag |= ECHO; /* set echo mode */
  } else {
      current.c_lflag &= ~ECHO; /* set no echo mode */
  }
  tcsetattr(0, TCSANOW, &current); /* use these new terminal i/o settings now */
}

/* Restore old terminal i/o settings */
void resetTermios(void) 
{
  tcsetattr(0, TCSANOW, &old);
}

/* Read 1 character - echo defines echo mode */
char getch_(int echo) 
{
  char ch;
  initTermios(echo);
  ch = getchar();
  resetTermios();
  return ch;
}

/* Read 1 character without echo */
char getch(void) 
{
  return getch_(0);
}

/* Read 1 character with echo */
char getche(void) 
{
  return getch_(1);
}

/* Let's test it out */
int main(void) {
  char c;
  printf("(getche example) please type a letter: ");
  c = getche();
  printf("\nYou typed: %c\n", c);
  printf("(getch example) please type a letter...");
  c = getch();
  printf("\nYou typed: %c\n", c);
  return 0;
}

输出:

(getche example) please type a letter: g
You typed: g
(getch example) please type a letter...
You typed: g
于 2011-09-19T10:21:32.283 回答
40
#include <unistd.h>
#include <termios.h>

char getch(void)
{
    char buf = 0;
    struct termios old = {0};
    fflush(stdout);
    if(tcgetattr(0, &old) < 0)
        perror("tcsetattr()");
    old.c_lflag &= ~ICANON;
    old.c_lflag &= ~ECHO;
    old.c_cc[VMIN] = 1;
    old.c_cc[VTIME] = 0;
    if(tcsetattr(0, TCSANOW, &old) < 0)
        perror("tcsetattr ICANON");
    if(read(0, &buf, 1) < 0)
        perror("read()");
    old.c_lflag |= ICANON;
    old.c_lflag |= ECHO;
    if(tcsetattr(0, TCSADRAIN, &old) < 0)
        perror("tcsetattr ~ICANON");
    printf("%c\n", buf);
    return buf;
 }

printf如果您不希望显示字符,请删除最后一个。

于 2013-05-03T14:48:04.373 回答
7

我建议你使用 curses.h 或 ncurses.h 这些实现键盘管理例程,包括 getch()。您有几个选项可以更改 getch 的行为(即是否等待按键)。

于 2011-09-19T10:03:00.903 回答
4

ncurses 库中有一个 getch() 函数。您可以通过安装 ncurses-dev 软件包来获取它。

于 2011-09-19T10:01:59.457 回答
-1

您可以使用curses.h其他答案中提到的 linux 中的库。

您可以通过以下方式在 Ubuntu 中安装它:

sudo apt-get 更新

sudo apt-get install ncurses-dev

我从这里获取了安装部分。

于 2016-01-01T11:15:27.257 回答
-1

如上所述getch()是在ncurses图书馆。ncurses 必须被初始化,参见 ie getchar() 为此向上和向下箭头键返回相同的值 (27 )

于 2017-09-07T13:03:11.820 回答