2

我正在终端中制作一个简单的 2d 游戏,我一直想知道如何在不返回的情况下获得标准输入。因此,用户不必按 w\n (\n 表示返回),他们只需按“w”,它就会前进。scanf、gets 和 getchar 无法做到这一点,但我之前已经在 Vi 等程序中看到过。我将如何实现这一目标?

4

1 回答 1

2

您需要将终端设置为非规范模式。您可以使用 tcsetattr 和 tcgetattr 等函数来设置和获取终端属性。这是一个简单的例子:

int main(int argc, const char *argv[])
{
    struct termios old, new;
    if (tcgetattr(fileno(stdin), &old) != 0) // get terminal attributes
        return 1;

    new = old;
    new.c_lflag &= ~ICANON; // turn off canonical bit.
    if (tcsetattr(fileno(stdin), TCSAFLUSH, &new) != 0) // set terminal attributes
        return 1;

    // at this point, you can read terminal without user needing to
    // press return

    tcsetattr(fileno(stdin), TCSAFLUSH, &old); // restore terminal when you are done.

    return 0;
}

有关这些函数的更多信息,请参阅glibc 文档。尤其是这部分。

于 2012-04-14T09:25:47.167 回答