This is a follow on from this question
昨晚经过一番谷歌搜索后,我设法找到了一个很好的TCP教程,我可以通过这个教程来查找IP地址和端口号的连接,并显示正在发送的数据。
但是,我有一个问题,我的客户端连接一次,我发送消息并在调试日志中显示它,但当我停止应用程序并再次运行它时,Unity会冻结。我不知道为什么会发生这种情况。有人可以看看这段代码,看看它可能发生在哪里以及我可以做些什么来解决它?
我也会在收到消息时立即启动连接,为什么会这样?服务器可以重新连接,但我希望它能够在连接后保持连接。
public class TCP : MonoBehaviour
{
string ip_address = "127.0.0.1";
int port = 22;
Thread listen_thread;
TcpListener tcp_listener;
Thread clientThread;
TcpClient tcp_client;
bool isTrue = true;
// Use this for initialization
void Start ()
{
IPAddress ip_addy = IPAddress.Parse(ip_address);
tcp_listener = new TcpListener(ip_addy, port);
listen_thread = new Thread(new ThreadStart(ListenForClients));
listen_thread.Start();
Debug.Log("start thread");
}
private void ListenForClients()
{
this.tcp_listener.Start();
while(isTrue == true)
{
//blocks until a client has connected to the server
TcpClient client = this.tcp_listener.AcceptTcpClient();
//create a thread to handle communication
//with connected client
clientThread = new Thread(new ParameterizedThreadStart(HandleClientComm));
clientThread.Start(client);
Debug.Log("Got client " + client);
}
}
private void HandleClientComm(object client)
{
tcp_client = (TcpClient)client;
NetworkStream client_stream = tcp_client.GetStream();
byte[] message = new byte[4096];
int bytes_read;
while(isTrue == true)
{
bytes_read = 0;
try
{
//blocks until a client sends a message
bytes_read = client_stream.Read(message, 0, 4096);
//Debug.Log(message);
}
catch (Exception e)
{
//a socket error has occured
Debug.Log(e.Message);
break;
}
if(bytes_read == 0)
{
//client has disconnected
Debug.Log("Disconnected");
tcp_client.Close();
break;
}
ASCIIEncoding encoder = new ASCIIEncoding();
Debug.Log(encoder.GetString(message,0,bytes_read));
}
if(isTrue == false)
{
tcp_client.Close();
Debug.Log("closing tcp client");
}
}
void OnApplicationQuit()
{
try
{
tcp_client.Close();
isTrue = false;
}
catch(Exception e)
{
Debug.Log(e.Message);
}
}
}
以下是我的调试日志的屏幕截图,以显示发生的事情:
更新
更新了已解决客户端问题的代码。当我停止统一应用程序并重新启动它时,冻结问题仍然存在。
进一步更新 经过一番进一步的实验后,我发现我的项目实际上并没有结冰。当我第一次启动服务器(Unity)应用程序时,一切正常。但当我关闭它并尝试重新运行服务器时,它会冻结,直到我与客户端连接。此时服务器正常工作。
所以当我关闭服务器时,我认为我没有关闭打开的套接字。我怎么能这样做?
答案 0 :(得分:2)
您必须关闭正在侦听的TCP套接字。如果您是第一次启动应用程序,则TCP套接字将打开。停止应用程序时,TCP套接字仍然打开并在后台运行。
void OnApplicationQuit()
{
try
{
tcp_client.Close();
isTrue = false;
}
catch(Exception e)
{
Debug.Log(e.Message);
}
// You must close the tcp listener
try
{
tcp_listener.Stop();
isTrue = false;
}
catch(Exception e)
{
Debug.Log(e.Message);
}
}