如何从程序退出前5秒开始计数?

时间:2018-08-21 22:03:39

标签: c

我已经为此花了好几个小时了。基本上,我有一个程序要求用户输入密码(123),如果用户在 5秒内未输入任何内容,则该程序将退出(游戏结束)。我一直在尝试使用时间(NULL)和时钟(),但仍然没有运气。有人能指出我正确的方向吗?提前非常感谢!

这是我的代码:

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

 int main(){
   int password = 0;
   int num = 0;
   printf("%s\n", "Please enter your password");
   scanf("%d", &password);
   // Here I need to check if user didnt enter anything for 5 seconds,
   // and if he didnt enter anything then exit out of the program
   // I tried using time
   // time_t start = time(NULL);
   // time_t stop = time(NULL);
   //   if(((stop - start) * 1000) > 5000){
   //  printf("%s\n", "Game Over");
   //  break;          
  //  }

   printf("%s\n", "Thank you for entering your password, now enter any number");
   scanf("%d", &num);
   return 0;
 }

1 个答案:

答案 0 :(得分:3)

您面临的主要挑战是scanf()-以及getchar()和类似命令-阻塞。在用户实际输入任何输入之前,可能要经过一段未知的时间间隔-并且您的五秒钟可能已经到了该阶段。

select()-使用超时监视文件描述符

我认为最可行的选择之一是使用select()-监视某些文件描述符集上的活动。具体来说,您想监视stdin文件描述符上的活动。

以下内容可以满足您的需求。

#include <stdio.h>
#include <sys/select.h>
#include <termios.h>
#include <time.h>
#include <unistd.h>

int main(void) {
    char buf[16] = {'\0'};
    char *pass = buf;
    time_t time_update = 0, time_now = 0;
    struct timeval tm;
    int res = 0;
    struct termios term_attr, new_attr;
    fd_set rset;

    // Change terminal attributes (We don't want line-buffered mode.)
    tcgetattr(fileno(stdin), &term_attr);
    tcgetattr(fileno(stdin), &new_attr);
    new_attr.c_lflag &= ~(ICANON | ECHO);

    tcsetattr(fileno(stdin), TCSANOW, &new_attr);

    printf("Enter password: ");

    time_update = time(NULL);
    while (1) {
        tm.tv_sec = 0;
        tm.tv_usec = 50000;
        FD_ZERO(&rset);
        FD_SET(STDIN_FILENO, &rset);

        res = select(fileno(stdin) + 1, &rset, NULL, NULL, &tm);
        if (FD_ISSET(STDIN_FILENO, &rset)) {
            time_update = time(NULL);
            int c = getchar();
            if (c == '\n') {
                break;
            }
            *pass = c;
            pass++;
        }
        time_now = time(NULL);
        if (time_now - time_update >= 5) {
            puts("Timed out ...");
            break;
        }
    }

    pass = buf;

    printf("You entered: %s \n", pass);

    // Restore original terminal attributes
    tcsetattr(fileno(stdin), TCSANOW, &term_attr);

    return 0;
}

注释

  • select()的最后一个参数是struct timeval,它指定在指定文件描述符上等待活动的时间。在这种情况下,我指定了50毫秒的超时时间。
  • 需要将终端放置在字符缓冲区模式下,而不是在行缓冲模式下。 (否则,每次有新字符时,您都需要按Enter键。)

操作系统支持

select()是POSIX规范的一部分,但我不知道它是否在Windows上实现。也许有人可以澄清?

也...我也不知道是否可以在Windows上按预期设置终端属性。 (我只在Linux上进行过测试。)

我知道此解决方案可能比您希望的更长或更复杂-但我不知道有一种更简单的方法。