我想在C ++中实现超时功能。
如果用户未在2秒内输入该值,则程序必须显示超时语句并再次询问输入
EX(OUTPUT SCREEN):
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循环时发生。我该怎样做才能获得所需的输出。
答案 0 :(得分:6)
#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
答案 1 :(得分:1)
我担心,这是不可能以标准方式进行的,因为默认情况下,I / O操作会阻止调用过程,直到它完成或遇到错误为止。
您可以通过创建一个线程来处理它,该线程检查输入是否已完成并在需要时进入休眠状态。但这并不实际。
问题在于抽象iostream
/ FILE
给你:你无法访问底层来源,操作系统&#34;理解&#34;同时也能够为您提供这种功能(即I / O轮询)。
答案 2 :(得分:1)
单独的线程是不够的,因为在超时发生后控制台读取功能仍在运行。
在POSIX上你可以设置一个产生信号的定时器,并使-EINTR
失败。
在Windows上,您可以使用ReadConsoleInput
和WaitForSingleObject
实现低级控制台I / O超时...但是您需要自己进行行缓冲。
另一个想法是在ReadFile
模式下使用OVERLAPPED
并在超时时等待完成事件,但这对于控制台不起作用,请参阅Using overlapped IO for console input?
最后,新的Windows版本(Vista及更高版本)允许您克服&#34;阻止读取未被超时取消&#34;使用CancelIoEx
的问题。如果你从一个单独的线程调用它,它将触发ReadFile
提前返回;你不必自己实现行缓冲。
答案 3 :(得分:1)
我用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;
}
答案 4 :(得分: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;
}