10

如何在不使用第三方库的情况下检测 C 语言中的键盘事件?我应该使用信号处理吗?

4

4 回答 4

10

没有标准的方法,但是这些应该可以帮助您入门。

视窗:

getch();

Unix:

使用 W. Richard Stevens 的 Unix Programming 一书中的代码将终端设置为原始模式,然后使用 read()。

static struct termios   save_termios;
static int              term_saved;

int tty_raw(int fd) {       /* RAW! mode */
    struct termios  buf;

    if (tcgetattr(fd, &save_termios) < 0) /* get the original state */
        return -1;

    buf = save_termios;

    buf.c_lflag &= ~(ECHO | ICANON | IEXTEN | ISIG);
                    /* echo off, canonical mode off, extended input
                       processing off, signal chars off */

    buf.c_iflag &= ~(BRKINT | ICRNL | ISTRIP | IXON);
                    /* no SIGINT on BREAK, CR-toNL off, input parity
                       check off, don't strip the 8th bit on input,
                       ouput flow control off */

    buf.c_cflag &= ~(CSIZE | PARENB);
                    /* clear size bits, parity checking off */

    buf.c_cflag |= CS8;
                    /* set 8 bits/char */

    buf.c_oflag &= ~(OPOST);
                    /* output processing off */

    buf.c_cc[VMIN] = 1;  /* 1 byte at a time */
    buf.c_cc[VTIME] = 0; /* no timer on input */

    if (tcsetattr(fd, TCSAFLUSH, &buf) < 0)
        return -1;

    term_saved = 1;

    return 0;
}


int tty_reset(int fd) { /* set it to normal! */
    if (term_saved)
        if (tcsetattr(fd, TCSAFLUSH, &save_termios) < 0)
            return -1;

    return 0;
}
于 2008-10-21T05:42:45.463 回答
4

What about good old kbhit ? If I understand the question correctly this will work. Here is the kbhit implementation on Linux.

于 2008-10-21T07:41:44.163 回答
3

不幸的是,标准 C 没有任何检测键盘事件的工具。您必须依赖特定于平台的扩展。信号处理不会帮助你。

于 2008-10-21T05:04:24.213 回答
3

你真的应该使用第三方库。在 ANSI C 中绝对没有独立于平台的方法。信号处理不是方法。

于 2008-10-21T05:05:19.703 回答