I have a console app in which I want to give the user x seconds to respond to the prompt. If no input is made after a certain period of time, program logic should continue. We assume a timeout means empty response.
What is the most straightforward way of approaching this?
EDIT: fixed the problem by having the actual work be done in a separate process and killing that process if it times out. See below for details. Whew!
Just gave this a run and it seemed to work nicely. My coworker had a version which used a Thread object, but I find the BeginInvoke() method of delegate types to be a bit more elegant.
The ReadLine.exe project is a very simple one which has one class which looks like so:
Note that if you go down the "Console.ReadKey" route, you lose some of the cool features of ReadLine, namely:
To add a timeout, alter the while loop to suit.
Ended up here because a duplicate question was asked. I came up with the following solution which looks straightforward. I am sure it has some drawbacks I missed.
Calling Console.ReadLine() in the delegate is bad because if the user doesn't hit 'enter' then that call will never return. The thread executing the delegate will be blocked until the user hits 'enter', with no way to cancel it.
Issuing a sequence of these calls will not behave as you would expect. Consider the following (using the example Console class from above):
The user lets the timeout expire for the first prompt, then enters a value for the second prompt. Both firstName and lastName will contain the default values. When the user hits 'enter', the first ReadLine call will complete, but the code has abandonded that call and essentially discarded the result. The second ReadLine call will continue to block, the timeout will eventually expire and the value returned will again be the default.
BTW- There is a bug in the code above. By calling waitHandle.Close() you close the event out from under the worker thread. If the user hits 'enter' after the timeout expires, the worker thread will attempt to signal the event which throws an ObjectDisposedException. The exception is thrown from the worker thread, and if you haven't setup an unhandled exception handler your process will terminate.
Another cheap way to get a 2nd thread is to wrap it in a delegate.
I struggled with this problem for 5 months before I found an solution that works perfectly in an enterprise setting.
The problem with most of the solutions so far is that they rely on something other than Console.ReadLine(), and Console.ReadLine() has a lot of advantages:
My solution is as follows:
Sample code:
More information on this technique, including the correct technique to abort a thread that uses Console.ReadLine:
.NET call to send [enter] keystroke into the current process, which is a console app?
How to abort another thread in .NET, when said thread is executing Console.ReadLine?