web-dev-qa-db-ja.com

Linuxでのkbhit()およびgetch()の使用

Windowsでは、ループを中断せずに入力を探す次のコードがあります。

#include <conio.h>
#include <Windows.h>
#include <iostream>

int main()
{
    while (true)
    {
        if (_kbhit())
        {
            if (_getch() == 'g')
            {
                std::cout << "You pressed G" << std::endl;
            }
        }
        Sleep(500);
        std::cout << "Running" << std::endl;
    }
}

ただし、conio.hがないことを確認すると、Linuxでこれと同じことを達成する最も簡単な方法は何ですか?

9
Boxiom

上で引用したncurses howtoは役に立ちます。次に、conioの例のようにncursesを使用する方法を示す例を示します。

#include <ncurses.h>

int
main()
{
    initscr();
    cbreak();
    noecho();
    scrollok(stdscr, TRUE);
    nodelay(stdscr, TRUE);
    while (true) {
        if (getch() == 'g') {
            printw("You pressed G\n");
        }
        napms(500);
        printw("Running\n");
    }
}

Ncursesでは、iostreamヘッダーは使用されないことに注意してください。これは、stdioとncursesを混在させると予期しない結果が生じる可能性があるためです。

ちなみに、ncursesはTRUEFALSEを定義しています。正しく構成されたncursesは、ncursesの構成に使用されるC++コンパイラーと同じデータ型をncursesのboolに使用します。

7
Thomas Dickey

Linuxにkbhit()をサポートする_conio.h_がない場合は、 ここではMorgan Mattewsのコード と互換性のある方法でkbhit()機能を提供できますPOSIX準拠システム。

トリックはtermiosレベルでバッファリングを非アクティブ化するので、実証されているようにgetchar()の問題も解決するはずです here

12
Christophe

クリストフの答えに基づくコンパクトなソリューションは

#include <sys/ioctl.h>
#include <termios.h>

bool kbhit()
{
    termios term;
    tcgetattr(0, &term);

    termios term2 = term;
    term2.c_lflag &= ~ICANON;
    tcsetattr(0, TCSANOW, &term2);

    int byteswaiting;
    ioctl(0, FIONREAD, &byteswaiting);

    tcsetattr(0, TCSANOW, &term);

    return byteswaiting > 0;
}

その答えとは異なり、これはプログラムが終了した後、端末を奇妙な状態のままにしないでしょう。ただし、文字は入力バッファーに残ったままなので、押されたキーは次のプロンプト行に不快に表示されます。

この問題を修正する別のソリューションは

void enable_raw_mode()
{
    termios term;
    tcgetattr(0, &term);
    term.c_lflag &= ~(ICANON | ECHO); // Disable echo as well
    tcsetattr(0, TCSANOW, &term);
}

void disable_raw_mode()
{
    termios term;
    tcgetattr(0, &term);
    term.c_lflag |= ICANON | ECHO;
    tcsetattr(0, TCSANOW, &term);
}

bool kbhit()
{
    int byteswaiting;
    ioctl(0, FIONREAD, &byteswaiting);
    return byteswaiting > 0;
}

使い方は以下の通り

enable_raw_mode();
// ...
if (kbhit()) ...
// ...
disable_raw_mode();
tcflush(0, TCIFLUSH); // Clear stdin to prevent characters appearing on Prompt

現在、最初と最後の行の実行の間に入力された文字は、ターミナルに表示されません。ただし、Ctrl + Cで終了すると、端末isは奇妙な状態のままになります。 (はぁ)

6
PBS

Ncursesの使用は機能的にはTurbo Cの「conio.h」APIと同等ですが、より完全な解決策は、conio実装を使用することです ここにあります

Linuxでconioインターフェースを完全に実装するには、プログラムでダウンロードして使用します。 (またはOSX。)Ron Burkeyによって書かれました。

3
Prof. Falken