在 Tcp 通信期间使用 StreamReader
using StreamReader during Tcp communication
我正在尝试学习如何在 C# 中实现 TCP 通信,但我对 StreamReader 如何知道发送方何时不再发送数据感到有点困惑。
private async void TakeCareOfTCPClient(TcpClient paramClient)
{
NetworkStream stream = null;
StreamReader reader = null;
try
{
stream = paramClient.GetStream();
reader = new StreamReader(stream);
char[] buff = new char[64];
while (KeepRunning)
{
Debug.WriteLine("*** Ready to read");
int nRet = await reader.ReadAsync(buff, 0, buff.Length);
System.Diagnostics.Debug.WriteLine("Returned: " + nRet);
if (nRet == 0)
{
RemoveClient(paramClient); //This removes the client from a list containing
// all connected clients to the server.
System.Diagnostics.Debug.WriteLine("Socket disconnected");
break;
}
string receivedText = new string(buff);
System.Diagnostics.Debug.WriteLine("*** RECEIVED: " + receivedText);
Array.Clear(buff, 0, buff.Length);
}
}
catch (Exception excp)
{
RemoveClient(paramClient);
System.Diagnostics.Debug.WriteLine(excp.ToString());
}
}
假设客户端发送了一条长度正好为 64 个字符的消息。但是,客户端不会断开与服务器的连接,并且可以稍后发送另一条消息(假设消息之间经过了大量时间)。调用此方法的服务器是否会立即尝试另一次读取并将客户端从其连接列表中删除,因为客户端尚未发送另一条消息(即已读取 0 个字符)?假设它没有,导致服务器等待另一条消息而不是 return 0 的流(可能是它包含的特殊字符或它具有的隐藏状态)是什么?
所以代码在 reader.ReadAsync
returns 0
时停止。
关于 Stream.Read
的文档的备注部分掌握了何时发生这种情况的关键:
Read returns 0 only when there is no more data in the stream and no more is expected (such as a closed socket or end of file).
因此,由于底层流是 TCP 连接,当 TCP 连接时,ReadAsync
将 return 0
(而 TakeCareOfTCPClient
将 return)已关闭。连接的任何一方都可以关闭连接。
我正在尝试学习如何在 C# 中实现 TCP 通信,但我对 StreamReader 如何知道发送方何时不再发送数据感到有点困惑。
private async void TakeCareOfTCPClient(TcpClient paramClient)
{
NetworkStream stream = null;
StreamReader reader = null;
try
{
stream = paramClient.GetStream();
reader = new StreamReader(stream);
char[] buff = new char[64];
while (KeepRunning)
{
Debug.WriteLine("*** Ready to read");
int nRet = await reader.ReadAsync(buff, 0, buff.Length);
System.Diagnostics.Debug.WriteLine("Returned: " + nRet);
if (nRet == 0)
{
RemoveClient(paramClient); //This removes the client from a list containing
// all connected clients to the server.
System.Diagnostics.Debug.WriteLine("Socket disconnected");
break;
}
string receivedText = new string(buff);
System.Diagnostics.Debug.WriteLine("*** RECEIVED: " + receivedText);
Array.Clear(buff, 0, buff.Length);
}
}
catch (Exception excp)
{
RemoveClient(paramClient);
System.Diagnostics.Debug.WriteLine(excp.ToString());
}
}
假设客户端发送了一条长度正好为 64 个字符的消息。但是,客户端不会断开与服务器的连接,并且可以稍后发送另一条消息(假设消息之间经过了大量时间)。调用此方法的服务器是否会立即尝试另一次读取并将客户端从其连接列表中删除,因为客户端尚未发送另一条消息(即已读取 0 个字符)?假设它没有,导致服务器等待另一条消息而不是 return 0 的流(可能是它包含的特殊字符或它具有的隐藏状态)是什么?
所以代码在 reader.ReadAsync
returns 0
时停止。
关于 Stream.Read
的文档的备注部分掌握了何时发生这种情况的关键:
Read returns 0 only when there is no more data in the stream and no more is expected (such as a closed socket or end of file).
因此,由于底层流是 TCP 连接,当 TCP 连接时,ReadAsync
将 return 0
(而 TakeCareOfTCPClient
将 return)已关闭。连接的任何一方都可以关闭连接。