我想在C ++实现一个超时功能。
如果用户没有输入2秒内的值,则该程序必须显示超时声明,并再次要求输入
EX(输出屏幕):
Timer=0;
Please enter the input: //if input is not given within 2 seconds then
Time-out: 2 seconds
Timer again set to 0
Please enter the input: //if input is not given within 2 seconds then
Time-out: 2 seconds
Timer again set to 0
Please enter the input:22
Data accepted
Terminate the program`
码:
#include<iostream>
#include<time.h>
using namespace std;
int main()
{
clock_t endwait;
endwait = 2000 ;
cout<<endwait;
while (clock() < endwait)
{
cout<<"Please enter the input:";
}
return 0;
}
我已经在上面的代码工作。 但是,这仅仅发生在进入while循环。 如何将我做的方式,这样,我获得所需的输出。
#include <iostream>
#include <thread>
#include <chrono>
#include <mutex>
#include <condition_variable>
using namespace std;
condition_variable cv;
int value;
void read_value() {
cin >> value;
cv.notify_one();
}
int main()
{
cout << "Please enter the input: ";
thread th(read_value);
mutex mtx;
unique_lock<mutex> lck(mtx);
while (cv.wait_for(lck, chrono::seconds(2)) == cv_status::timeout)
{
cout << "\nTime-Out: 2 second:";
cout << "\nPlease enter the input:";
}
cout << "You entered: " << value << '\n';
th.join();
return 0;
}
输出:
Please enter the input:
Time-Out: 2 second:
Please enter the input:
Time-Out: 2 second:
Please enter the input:22
You entered: 22
恐怕,这是不可能在一个标准的方式,因为I / O操作将阻止在默认情况下,调用进程,直到它完成或遇到错误。
你可以通过创建一个线程,它检查输入是否已经完成,去睡觉,如果工作需要围绕它。 但是,这不是真的实用。
问题在于抽象iostream
/ FILE
小号给你:你没有访问底层源中,一个操作系统“理解”,以及因此能够给你的那种功能(即I / O轮询)。
一个单独的线程是不够的,因为控制台读取功能仍在运行出现超时后。
在POSIX您可以设置其产生的信号,并导致读取失败,定时器-EINTR
。
在Windows中可以实现低级别的控制台I / O与超时ReadConsoleInput
和WaitForSingleObject
......但那么你需要做自己的行缓冲。
另一个想法是使用ReadFile
在OVERLAPPED
模式,并等待一个超时完成事件,但这并不对游戏机工作,看到使用重叠的IO控制台输入?
最后,新的Windows版本(Vista和更高版本),您可以克服这个问题使用“阻塞读不超时被取消” CancelIoEx
。 如果你调用从一个单独的线程,它会触发ReadFile
提前返回; 你不会有实现行缓冲自己。
我用的kbhit()函数来解决你的问题。 代码如下: -
#include <conio.h>
#include <iostream>
#include <windows.h>
using namespace std;
int main()
{
int i;
DWORD start_time, check_time;
start_time=GetTickCount();
check_time=start_time+2000;
while(!kbhit())
{
cout<<"Please enter the input:"<<endl;
while((check_time>GetTickCount()))
{
if (kbhit())
{
i=getch();
cout<<"Data accepted"<<endl;
return 0;
}
}
cout<<"Time-out: 2 seconds"<<endl;
cout<<"Timer again set to 0"<<endl;
start_time=GetTickCount();
check_time=start_time+2000;
}
return 0;
}
我认为没有必要使用复杂的密码(多线程或互斥)用于这一目的。 请参见下面的代码:
#include <iostream>
#include <time.h>
#include <conio.h>
using namespace std;
int main()
{
int numInput;
clock_t start = clock();
cout << "Timer: 2 sec"<<endl;
cout << "Please enter the input: ";
while ( ! _kbhit() ) //Check for keyboard hit
{
//Check if 2 sec timer expired or not
if (((clock () - start)/ CLOCKS_PER_SEC ) >= 2)
{
cout << "\nTimeout 2 sec . . ." << endl;
cout << "Please enter the input: ";
start = clock(); //Set new timer
}
}
//Get the input here
cin >> numInput;
cout << "Data accepted: " << numInput << endl;
_getch();
return 0;
}