每次调用时Connect()
,您都在创建一个新连接,TIdTCPServer
并将启动一个新线程来处理该连接(除非您启用线程池)。那是你真正想要的吗?让客户端将连接保持打开一段时间并尽可能重用现有连接会更有效。仅在您确实不再需要时才断开连接,例如空闲一段时间。建立新连接在两端都是一项昂贵的操作,因此您应该尽可能减少这种开销。
在客户端,当您调用 时Write(data)
,它会发送整个TIdBytes
,但您不会将其长度发送TIdBytes
到服务器,因此它知道需要多少字节。 TIdIOHandler.Write(TIdBytes)
不会为您执行此操作,您必须手动执行此操作。
在服务器端,您告诉ReadBytes()
一次只能读取 4 个字节。在每个 4 字节块之后,您将退出OnExecute
事件处理程序并等待再次调用它以读取下一个 4 字节块。除非客户端源的长度TIdBytes
是 4 的偶数倍,ReadBytes()
否则在尝试读取客户端的最后一个小于 4 字节的块时会引发异常(导致服务器断开连接),因此您的服务器代码将无法接收那个街区。
试试这个:
procedure SendData(var data: TIdBytes) ;
begin
FormMain.IdTCPClient.Connect;
try
FormMain.IdTCPClient.IOHandler.Write(Longint(Length(data)));
FormMain.IdTCPClient.IOHandler.Write(data);
finally
FormMain.IdTCPClient.Disconnect;
end;
end;
procedure TFormMain.IdTCPServerMainExecute(AContext: TIdContext);
var
data: TIdBytes;
begin
with AContext.Connection.IOHandler do
ReadBytes(data, ReadLongint, false);
// process data
end;
话虽如此,如果出于某种原因更改客户端代码以发送TIdBytes
长度不是一个选项,那么请改用此服务器代码:
procedure TFormMain.IdTCPServerMainExecute(AContext: TIdContext);
var
LBytes: Integer;
data: TIdBytes;
begin
// read until disconnected. returns -1 on timeout, 0 on disconnect
repeat until AContext.Connection.IOHandler.ReadFromSource(False, 250, False) = 0;
AContext.Connection.IOHandler.InputBuffer.ExtractToBytes(data);
// process data
end;
或者:
procedure TFormMain.IdTCPServerMainExecute(AContext: TIdContext);
var
strm: TMemoryStream;
data: TIdBytes;
begin
strm := TMemoryStream.Create;
try
// read until disconnected
AContext.Connection.IOHandler.ReadStream(strm, -1, True);
strm.Position := 0;
ReadTIdBytesFromStream(strm, data, strm.Size);
finally
strm.Free;
end;
// process data
end;
或者:
procedure TFormMain.IdTCPServerMainExecute(AContext: TIdContext);
var
strm: TMemoryStream;
begin
strm := TMemoryStream.Create;
try
// read until disconnected
AContext.Connection.IOHandler.ReadStream(strm, -1, True);
// process strm.Memory up to strm.Size bytes
finally
strm.Free;
end;
end;