5

私は現在自分の任務を遂行しており、C-Free 5.0 を使用することが義務付けられています。このパズルのピースを解くには、あなたの助けが必要です。ユーザーが期限切れになる前に回答を入力するための時間制限を実装したいと考えています。このコードを試してみましたが、scanf() 関数でブロックされました。入力のブロック解除などの他の方法はありますか。' ' を実装しようとしまし#include <sys/select.h>たが、このプログラムにはそのライブラリがありません。

#include <stdio.h> 
#include <string.h>
#include <time.h>
#include <stdlib.h>

int main()
{
    char st[10];
    printf ("Please enter a line of text : ");
    time_t end = time(0) + 5; //5 seconds time limit.
    while(time(0) < end)
    {
        scanf("%s", &st);
        if(st != NULL)
        {
            printf ("Thank you, you entered >%s<\n", st);
            exit(0);
        }
    }
    main();
}
4

2 に答える 2

1

ファイル記述子O_NONBLOCKで flag を使用する方法を示すプログラム例を次に示します。stdin

#include <stdio.h>
#include <time.h>
#include <stdlib.h>
#include <unistd.h>
#include <fcntl.h>

#define INPUT_LEN 10

int main()
{
    printf ("Please enter a line of text : ");
    fflush(stdout);
    time_t end = time(0) + 5; //5 seconds time limit.

    int flags = fcntl(STDIN_FILENO, F_GETFL, 0);
    fcntl(STDIN_FILENO, F_SETFL, flags | O_NONBLOCK);

    char answer[INPUT_LEN];
    int pos = 0;
    while(time(0) < end)
    {
        int c = getchar();

        /* 10 is new line */
        if (c != EOF && c != 10 && pos < INPUT_LEN - 1)
            answer[pos++] = c;

        /* if new line entered we are ready */
        if (c == 10)
            break;
    }

    answer[pos] = '\0';

    if(pos > 0)
        printf("%s\n", answer);
    else
        puts("\nSorry, I got tired waiting for your input. Good bye!");
}
于 2012-11-25T13:43:21.627 に答える
0

fcntl.h標準入力をノンブロッキングに設定しようとしたので。きれいではありませんが (アクティブな待機)、持っていない場合はselect、これが最も簡単な方法です。

#include <stdio.h> 
#include <string.h>
#include <time.h>
#include <stdlib.h>
#include <fcntl.h>
#include <errno.h>

int main()
{
    // get stdin flags
    int flags = fcntl(0, F_GETFL, 0);
    if (flags == -1) {
        // fcntl unsupported
        perror("fcntl");
        return -1;
    }

    // set stdin to non-blocking
    flags |= O_NONBLOCK;
    if(fcntl(0, F_SETFL, flags) == -1) {
        // fcntl unsupported
        perror("fcntl");
        return -1;
    }

    char st[1024] = {0}; // initialize the first character in the buffer, this is generally good practice
    printf ("Please enter a line of text : ");
    time_t end = time(0) + 5; //5 seconds time limit.

    // while
    while(time(0) < end  // not timed out
        && scanf("%s", st) < 1 // not read a word
        && errno == EAGAIN); // no error, but would block

    if (st[0]) // if the buffer contains something
        printf ("Thank you, you entered >%s<\n", st);

    return 0;
}

コードへのコメント:はスタック ポインターであるif (st != NULL)ため、常に満たされます。st

于 2012-11-25T13:41:08.167 に答える