我有一行代码:
bool stop = await Task<bool>.Factory.StartNew(Listen, (TcpClient) client);
以及相应的任务:
public static async Task<bool> Listen(object state)
{
TcpClient client = (TcpClient) state;
NetworkStream connectionStream = client.GetStream();
IPEndPoint endPoint = client.Client.RemoteEndPoint as IPEndPoint;
byte[] buffer = new byte[4096];
Encoding encoding = Encoding.UTF8;
Random randomizer = null;
// Are we still listening?
bool listening = true;
// Stop the server afterwards?
bool stop = false;
while (listening)
{
int bytesRead = await connectionStream.ReadAsync(buffer, 0, buffer.Length);
if (bytesRead > 0)
{
// Create a new byte array for recieved data and populate
// with data from buffer.
byte[] messageBytes = new byte[bytesRead];
Array.Copy(buffer, messageBytes, messageBytes.Length);
// Generate a message from message bytes.
string message = encoding.GetString(messageBytes);
switch (message)
{
/*
Message handling, where one can set stop to true.
*/
}
}
if (bytesRead == 0 || listening == false)
{
client.Client.Dispose();
break;
}
}
return stop;
}
我遗漏了代码中的主要部分,因为我认为它们不会影响问题的性质。
是的,在运行应用程序时,我收到错误:
76: <..>\Program.cs(63,63): Error CS0407: 'System.Threading.Tasks.Task<bool> SOQAsyncQuit.MainClass.Listen(object)' has the wrong return type (CS0407) (SOQAsyncQuit)
好吧,我试过await Task.Factory.StartNew(...)
,但后来我又遇到了一个不同的错误:
76: <..>\Program.cs(35,35): Error CS0121: The call is ambiguous between the following methods or properties: 'System.Threading.Tasks.TaskFactory.StartNew(System.Action<object>, object)' and 'System.Threading.Tasks.TaskFactory.StartNew<System.Threading.Tasks.Task<bool>>(System.Func<object,System.Threading.Tasks.Task<bool>>, object)' (CS0121) (SOQAsyncQuit)
76: <..>\Program.cs(57,57): Error CS0407: 'System.Threading.Tasks.Task<bool> SOQAsyncQuit.MainClass.Listen(object)' has the wrong return type (CS0407) (SOQAsyncQuit)
76: <..>\Program.cs(29,29): Error CS0029: Cannot implicitly convert type 'void' to 'bool' (CS0029) (SOQAsyncQuit)
我有void
个任务,就是这样,我期待着变成一个打字的结果。由于我对C#和.NET一般都很陌生,所以我在这里找不到线索。
我也一直在挖掘:http://msdn.microsoft.com/en-us/library/hh524395.aspx,http://msdn.microsoft.com/en-us/library/dd537613(v=vs.110).aspx,关于SO的一些问题,但是,他们都没有使用Task.Factory.StartNew
,我无法将它们链接在一起。
这里有什么问题?
答案 0 :(得分:2)
通常使用异步,最好使用Task.Run
代替StartNew
。如果您打算使用状态对象,则不能。在这种情况下,您需要将StartNew
用法“修复”为:
bool stop = await Task<Task<bool>>.Factory.StartNew(Listen, client).Unwrap();
Listen
的返回值为Task<bool>
而不是bool
,因此StartNew
的返回类型需要为Task<Task<bool>>
需要等待两次或使用Unwrap
。 Task.Run
的构建考虑了async
,因此它会为您完成所有这些。