Как отследить количество клиентов с Indy TIdTCPServer
Я хочу знать количество текущих клиентских подключений к Indy 9 TIdTCPServer (на Delphi 2007)
Я не могу найти свойство, которое дает это.
Я попытался увеличить / уменьшить счетчик на событиях OnConnect/OnDisconnect на сервере, но кажется, что число никогда не уменьшается при отключении клиента.
Какие-либо предложения?
4 ответа
Активные клиенты хранятся на сервере Threads
свойство, которое является TThreadList
, Просто заблокируйте список, прочитайте его Count
свойство, а затем разблокировать список:
procedure TForm1.Button1Click(Sender: TObject);
var
NumClients: Integer;
begin
with IdTCPServer1.Threads.LockList do try
NumClients := Count;
finally
IdTCPServer1.Threads.UnlockList;
end;
ShowMessage('There are currently ' + IntToStr(NumClients) + ' client(s) connected');
end;
В Индии 10 Threads
собственность была заменена на Contexts
имущество:
procedure TForm1.Button1Click(Sender: TObject);
var
NumClients: Integer;
begin
with IdTCPServer1.Contexts.LockList do try
NumClients := Count;
finally
IdTCPServer1.Contexts.UnlockList;
end;
ShowMessage('There are currently ' + IntToStr(NumClients) + ' client(s) connected');
end;
Не уверен, почему использование OnConnect и OnDisconnect не будет работать для вас, но мы создали потомка TIdCustomTCPServer; переопределить его методы DoConnect и DoDisconnect и создать и использовать наш собственный потомок TIdServerContext (потомок потока, который будет "обслуживать" соединение).
Вы информируете TIdCustomTCPServer о своем собственном классе TIdServerContext следующим образом:
(Редактировать Добавлено условное определение, чтобы показать, как заставить его работать на Indy9)
type
// Conditional defines so that we can use the same ancestors as in Indy10 and we
// can use the same method signatures for DoConnect and DoDisconnect regardless
// of the Indy version. Add other conditional defines as needed.
// Note: for INDY9 to be defined, you need to include the appropriate includes
// from Indy, or define it in your own include file.
{$IFDEF INDY9}
TIdContext = TIdPeerThread;
TIdServerContext = TIdContext;
TIdCustomTCPServer = TIdTCPServer;
{$ENDIF}
TOurContext = class(TIdServerContext)
private
FConnectionId: cardinal;
public
property ConnectionId: cardinal ...;
end;
...
constructor TOurServer.Create(aOwner: TComponent);
begin
inherited Create(aOwner);
...
{$IFDEF INDY10_UP}
ContextClass := TOurContext;
{$ELSE}
ThreadClass := TOurContext;
{$ENDIF}
...
end;
В переопределении DoConnect нашего потомка TIdCustomTCPServer мы устанавливаем уникальное значение ConnectionID нашего контекстного класса:
procedure TOurServer.DoConnect(AContext: TIdContext);
var
OurContext: TOurContextabsolute AContext;
begin
Assert(AContext is TOurContext);
HandleGetNewConnectionID(OurContext, OurContext.FConnectionID);
inherited DoConnect(AContext);
...
end;
Наше переопределение DoDisconnect очищает ConnectionID:
procedure TOurServer.DoDisconnect(AContext: TIdContext);
var
OurContext: TOurContextabsolute AContext;
begin
Assert(AContext is TOurContext);
OurContext.FConnectionID := 0;
...
inherited DoDisconnect(AContext);
end;
Теперь можно получить количество текущих подключений в любое время:
function TOurServer.GetConnectionCount: Integer;
var
i: Integer;
CurrentContext: TOurContext;
ContextsList: TList;
begin
MyLock.BeginRead;
try
Result := 0;
if not Assigned(Contexts) then
Exit;
ContextsList := Contexts.LockList;
try
for i := 0 to ContextsList.Count - 1 do
begin
CurrentContext := ContextsList[i] as TOurContext;
if CurrentContext.ConnectionID > 0 then
Inc(Result);
end;
finally
Contexts.UnLockList;
end;
finally
MyLock.EndRead;
end;
end;
Как насчет увеличения / уменьшения счетчика от OnExecute
(или же DoExecute
если вы переопределите это)? Это не может пойти не так!
Если вы используете InterlockedIncrement
а также InterlockedDecrement
вам даже не нужен критический раздел для защиты счетчика.
Это должно работать на Indy 9, но в настоящее время оно устарело, и, возможно, что-то не так в вашей версии, попробуйте обновить до последней доступной Indy 9.
Я сделал простой тест с использованием Indy 10, который очень хорошо работает с простыми блокированными Increment/Decrement в обработчиках событий OnConnect/OnDisconnect. Это мой код:
//closes and opens the server, which listens at port 1025, default values for all properties
procedure TForm2.Button1Click(Sender: TObject);
begin
IdTCPServer1.Active := not IdTCPServer1.Active;
UpdateUI;
end;
procedure TForm2.FormCreate(Sender: TObject);
begin
UpdateUI;
end;
//Just increment the count and update the UI
procedure TForm2.IdTCPServer1Connect(AContext: TIdContext);
begin
InterlockedIncrement(FClientCount);
TThread.Synchronize(nil, UpdateUI);
end;
//Just decrement the count and update the UI
procedure TForm2.IdTCPServer1Disconnect(AContext: TIdContext);
begin
InterlockedDecrement(FClientCount);
TThread.Synchronize(nil, UpdateUI);
end;
//Simple 'X' reply to any character, A is the "command" to exit
procedure TForm2.IdTCPServer1Execute(AContext: TIdContext);
begin
AContext.Connection.IOHandler.Writeln('Write anything, but A to exit');
while AContext.Connection.IOHandler.ReadByte <> 65 do
AContext.Connection.IOHandler.Write('X');
AContext.Connection.IOHandler.Writeln('');
AContext.Connection.IOHandler.Writeln('Good Bye');
AContext.Connection.Disconnect;
end;
//Label update with server status and count of connected clients
procedure TForm2.UpdateUI;
begin
Label1.Caption := Format('Server is %s, %d clients connected', [
IfThen(IdTCPServer1.Active, 'Open', 'Closed'), FClientCount]);
end;
затем, открыв пару клиентов с помощью telnet:
затем закрытие одного клиента
Вот и все.
INDY 10 доступна для Delphi 2007, мой главный совет - все равно обновить.