我一直在研究并得出结论,使用StreamWriter.WriteLine
不是最好的主意。但是,使用StreamWriter.Write
并为实际消息字节大小添加前缀并将其从客户端发送到服务器,以便服务器知道从哪里开始阅读以及在哪里停止阅读。
这是我到目前为止的工作代码:
public void Send(string header, Dictionary<string, string> data)
{
new Thread(() =>
{
Thread.CurrentThread.IsBackground = true;
if (stream.CanRead)
{
socketReady = true;
}
if (!socketReady)
{
return;
}
JsonData SendData = new JsonData();
SendData.header = "1x" + header;
foreach (var item in data)
{
SendData.data.Add(item.Key.ToString(), item.Value.ToString());
}
SendData.connectionId = connectionId;
string json = JsonConvert.SerializeObject(SendData);
byte[] JsonToBytes = Encoding.ASCII.GetBytes(json);
byte[] lengthArray = BitConverter.ToInt32(JsonToBytes, 0);
stream.Write(lengthArray, 0, lengthArray.Length);
stream.Write(JsonToBytes, 0, JsonToBytes.Length);
stream.Flush();
Debug.Log("Client World:" + json);
}).Start();
}
这是我将数据发送到服务器的方式。如您所见,我使用writer.WriteLine(json);
我知道我需要先更改它,以字节为单位计算邮件大小并将其作为前缀发送。
以下是我在服务器上读取数据的方法:
//Console.WriteLine("Call");
if (!serverStarted)
{
return;
}
foreach (ServerClient c in clients.ToList())
{
// Is the client still connected?
if (!IsConnected(c.tcp))
{
c.tcp.Close();
disconnectList.Add(c);
Console.WriteLine(c.connectionId + " has disconnected.");
CharacterLogout(c.connectionId);
continue;
//Console.WriteLine("Check for connection?\n");
}
else
{
// Check for message from Client.
NetworkStream s = c.tcp.GetStream();
if (s.DataAvailable)
{
string data = c.streamReader.ReadLine();
if (data != null)
{
OnIncomingData(c, data);
}
}
//continue;
}
}
for (int i = 0; i < disconnectList.Count - 1; i++)
{
clients.Remove(disconnectList[i]);
disconnectList.RemoveAt(i);
}
如您所见,我正在使用c.streamReader.ReadLine();
来读取Line作为分隔符。我不想要那个。我需要更改它以检查消息大小(以字节为单位),读取它然后将其作为没有字节前缀的实际消息发送到OnIncomingData(c, data);
。
但是,我不知道如何计算客户端中的实际邮件大小,形成并发送它。我也不知道如何在服务器中阅读它。
请您查看我的代码并对我的代码进行编辑,以便它能以这种方式工作,我能理解它是如何工作的吗?