2

我们有一个应用程序,它使用 Delphi 2007 附带的 Indy 10.1.1 组件侦听传入的 TCP 请求。

有时我们会收到不是来自客户端应用程序的传入连接。通常,会发生以下两种情况之一:1)客户端在接收到任何数据之前终止连接,或 2)接收到我们不期望的数据并且我们手动终止连接。

但是,我们收到了没有接收到数据的连接,并且似乎一直存在,直到客户端从其端终止连接。

如果在指定的时间后没有收到数据,有没有办法终止与服务器的这种连接?

4

4 回答 4

3

在您的 OnExecute 事件处理程序中,跟踪从客户端接收到最后一个良好数据的时间。使用连接的 ReadTimeout 属性,您可以定期使挂起的读取操作超时,以便检查客户端是否有一段时间没有发送数据,如果是,则断开连接。

于 2010-03-04T02:52:39.140 回答
1

将其保存为 killthread.pas

unit killthread;

interface

uses
  Classes, IdTCPServer, IdTCPClient, IdContext, Types, SyncObjs;

type
  TKillThread = class(TThread)
  private
    FContext: TIdContext;
    FInterval: DWORD;
    FEvent: TEvent;
  protected
    procedure Execute; override;
  public
    constructor Create(AContext: TIdContext; AInterval: DWORD); overload;
    destructor Destroy; override;
    procedure Reset;
    procedure Stop;
  end;

implementation

{ TKillThread }

constructor TKillThread.Create(AContext: TIdContext; AInterval: DWORD);
begin
  FContext := AContext;
  FInterval := AInterval;
  FEvent := TEvent.Create(nil, False, False, '');
  inherited Create(False);
end;

destructor TKillThread.Destroy;
begin
  FEvent.Free;
  inherited Destroy;
end;

procedure TKillThread.Reset;
begin
  FEvent.SetEvent;
end;

procedure TKillThread.Stop;
begin
  Terminate;
  FEvent.SetEvent;
  WaitFor;
end;

procedure TKillThread.Execute;
begin
  while not Terminated do
  begin
    if FEvent.WaitFor(FInterval) = wrTimeout then
    begin
      FContext.Connection.Disconnect;
      Exit;
    end;
  end;
end;

end.

然后在服务器端执行此操作:

procedure TYourTCPServer.OnConnect(AContext: TIdContext);
begin
  AContext.Data := TKillThread.Create(AContext, 120000);
end;

procedure TYourTCPServer.OnDisconnect(AContext: TIdContext);
begin
  TKillThread(AContext.Data).Stop;
end;

procedure TYourTCPServer.OnExecute(AContext: TIdContext);
begin
  if AContext.Connection.Connected then
  begin
    TKillThread(AContext.Data).Reset;
    // your code here
  end;
end;
于 2010-03-04T17:49:44.917 回答
1

我有类似的问题,我用的是delphi7+Indy9。

和我的解决方案:在 TIdTCPServer 事件 onConnect 中,我确实喜欢这样

procedure Tf_main.ServerHostConnect(AThread: TIdPeerThread);
begin
  //code something

  //mean AThread will do Disconnected  if Client no activity ( send receive ) on interval...) 
  AThread.Connection.ReadTimeout := 300000;  //5 minutes..

  //code something
end;

也许在 Indy10 你可以做类似的事情

于 2010-05-08T16:27:27.790 回答
0

你应该可以打电话(TIdTCPConnection).Disconnect

于 2010-03-04T02:12:19.790 回答