我目前正在做作业,必须使用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();
}

最佳答案

这是一个示例程序,显示了如何在O_NONBLOCK文件描述符上使用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!");
}

关于c - 在标准C中的时限内输入,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13551058/

10-11 23:03
查看更多