2

我有一个在套接字上监听的服务器。此服务器是 Windows 服务。

我的问题是:当我断开客户端连接时socket.Disconnect(false);,服务如此关闭,其他客户端被强制关闭或新连接被拒绝。我认为当服务杀死这个客户端线程时,服务不会回到主线程。

粘贴我用于服务的代码(服务器功能)。对线程的管理是否正确?

我运行服务器

this.tcpListener = new TcpListener(ipEnd);
this.listenThread = new Thread(new ThreadStart(ListenForClients));
this.listenThread.Start();

private void ListenForClients()
{
  this.tcpListener.Start();

  while (true)
  {
    //blocks until a client has connected to the server
    TcpClient client = this.tcpListener.AcceptTcpClient();

    //create a thread to handle communication
    //with connected client
    Thread clientThread = new Thread(new ParameterizedThreadStart(HandleClientComm));
    clientThread.Start(client);
  }
}

private void HandleClientComm(object client)
{
  TcpClient tcpClient = (TcpClient)client;
  NetworkStream clientStream = tcpClient.GetStream();

  byte[] message = new byte[4096];
  int bytesRead;

  while (true)
  {
    bytesRead = 0;

    try
    {
      //blocks until a client sends a message
      bytesRead = clientStream.Read(message, 0, 4096);
    }
    catch
    {
      //a socket error has occured
      break;
    }

    if (bytesRead == 0)
    {
      //the client has disconnected from the server
      break;
    }

    //message has successfully been received
    ASCIIEncoding encoder = new ASCIIEncoding();
    System.Diagnostics.Debug.WriteLine(encoder.GetString(message, 0, bytesRead));
  }

  tcpClient.Close();
}

抱歉我的英语不好,感谢您的任何建议

4

1 回答 1

0

您提供的代码似乎几乎是正确的。您的应用程序崩溃的唯一原因是该行

NetworkStream clientStream = tcpClient.GetStream();

如果您查看的文档GetStream(),您会发现如果客户端未连接,它可能会抛出 InvalidOperationException。因此,在客户端连接并立即断开连接的情况下,这可能是一个问题。因此,只需使用 try-catch 保护此代码。

此外,有时您可能不会得到明确的异常报告,但在多线程应用程序中会崩溃。要处理此类异常,请订阅 AppDomain.CurrentDomain.UnhandledException 事件。

于 2012-06-29T10:42:56.797 回答