这是我用C#编写的代码:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
namespace xyz
{
class Program
{
Thread t1, t2;
static void Main(string[] args)
{
Program go = new Program();
go.actual();
}
public void actual()
{
t1 = new Thread(timer);
t2 = new Thread(inputting);
t1.Start();
t2.Start();
}
public void timer()
{
Thread.Sleep(5000);
t2.Abort();
Console.WriteLine("5 seconds passed!");
}
public void inputting()
{
Console.WriteLine("Please wait 5 seconds...");
Console.ReadKey();
}
}
}
现在,问题是,当控制台说“5秒钟过去了!” (在中止t2
线程后),它不会立即退出。此文本在此处停留几秒钟,然后控制台退出。
问题是,如果我在线程中止之前按下一个键(ReadKey
方法),它会显示“5秒钟过去了!”文本,然后它立即退出。
如果我没有点击任何键,并且ReadKey
方法没有发生,它只会显示文本几秒钟。
为什么?这是一个错误吗?我能解决它吗?
答案 0 :(得分:0)
您看到的结果对我来说似乎是合理的,调用Thread.Abort
不会以某种方式取消阻止控制台,因此它仍将等待输入。无论如何,您应该避免调用Thread.Abort
,因为无法保证它会按预期工作。这是在线程中构建取消支持的更好方法,有多种方法可以做到这一点。
或者,只需使用已经内置的Task Parallel Library。
答案 1 :(得分:0)
根据您的评论,我发现您基本上希望在一段时间后暂停Console.ReadKey
来电。不幸的是,ReadKey
没有超时参数。好的,可以。我们可以将它包装在一个方法中。您不需要使用任何异步机制来完成此任务。只需在同步轮询循环中使用Console.KeyAvailable
。
public static class ConsoleEx
{
public static bool TryReadKey(TimeSpan timeout, out ConsoleKeyInfo keyinfo)
{
var cts = new CancellationTokenSource();
return TryReadKey(timeout, cts.Token, out keyinfo);
}
public static bool TryReadKey(TimeSpan timeout, CancellationToken cancellation, out ConsoleKeyInfo keyinfo)
{
keyinfo = new ConsoleKeyInfo();
DateTime latest = DateTime.UtcNow.Add(timeout);
do
{
cancellation.ThrowIfCancellationRequested();
if (Console.KeyAvailable)
{
keyinfo = Console.ReadKey();
return true;
}
Thread.Sleep(1);
}
while (DateTime.UtcNow < latest);
return false;
}
}
然后你会像这样使用它。
public static void Main()
{
ConsoleKeyInfo cki;
if (ConsoleEx.TryReadKey(TimeSpan.FromSeconds(5), out cki))
{
Console.WriteLine("ReadKey returned a value.");
}
else
{
Console.WriteLine("ReadKey timed out.
}
}