我有一个长时间运行的方法,我想在其中添加超时。这样做是否可行?类似的东西:
AbortWaitSeconds(20)
{
this.LongRunningMethod();
}
当它达到20秒时,该方法将被中止。该方法没有循环,我没有该方法的控制/代码。
答案 0 :(得分:2)
试试这个
class Program
{
static void Main(string[] args)
{
if (RunWithTimeout(LongRunningOperation, TimeSpan.FromMilliseconds(3000)))
{
Console.WriteLine("Worker thread finished.");
}
else
{
Console.WriteLine("Worker thread was aborted.");
}
}
static bool RunWithTimeout(ThreadStart threadStart, TimeSpan timeout)
{
Thread workerThread = new Thread(threadStart);
workerThread.Start();
bool finished = workerThread.Join(timeout);
if (!finished)
workerThread.Abort();
return finished;
}
static void LongRunningOperation()
{
Thread.Sleep(5000);
}
}
您可以看到it
答案 1 :(得分:2)
有关通用解决方案,请参阅my answer to this question。
答案 2 :(得分:1)
在后台线程中进行计算并等待线程完成。要中止计算,请使用Thread.Abort()
,这会在计算线程中抛出ThreadAbortException
。
答案 3 :(得分:1)
如果您有一个引入检查和退出的代码点,则只能从同一个线程中止长时间运行的进程。这是因为 - 显然 - 线程正忙,所以它不能处理检查以中止自己。因此,只能包含对“LongRunningMethod”的一次调用的示例无法从同一个线程中止。您需要显示更多代码才能获得方向。
作为一般规则,长时间运行的任务最好发送到不同的线程(例如,通过BackgroundWorker或新线程),以便可以中止。
这是一种简单的方法;
private void StartThread()
{
Thread t = new Thread(LongRunningMethod);
t.Start();
if (!t.Join(10000)) // give the operation 10s to complete
{
// the thread did not complete on its own, so we will abort it now
t.Abort();
}
}
private void LongRunningMethod()
{
// do something that'll take awhile
}
答案 4 :(得分:1)
由于您无法控制该代码,我相信正确的方法是使用WaitHandles和ThreadPool运行该代码:
WaitHandle waitHandle = new AutoResetEvent(false);
ThreadPool.QueueUserWorkItem(new WaitCallback(<long running task delegate>), waitHandle);
WaitHandle.WaitAll(new[]{ waitHandle }, <timeout>);
Here您可以找到有关WaitHandle如何工作的更多信息。