Skip to content

Architecture Overview

Alita Robot is a modern Telegram group management bot built with Go and the gotgbot library. This document provides an overview of the architectural decisions, technology stack, and design principles that guide the codebase.

ComponentTechnologyPurpose
LanguageGo 1.25+Core application runtime
Telegram Librarygotgbot v2Telegram Bot API wrapper
Build SystemGoReleaserMulti-platform builds and releases

Dispatcher

Routes incoming Telegram updates to appropriate handlers. Configurable max goroutines (default: 200) with enhanced error handling and panic recovery.

Module System

Feature modules in alita/modules/ follow a consistent pattern: moduleStruct, handler methods, LoadModule registration. Help module loads last to collect all commands.

Cache Layer

Redis caching with singleflight stampede protection. Per-type TTLs, automatic invalidation on writes, and traced operations via OpenTelemetry.

Permission System

Centralized permission validation in alita/utils/chat_status/. Checks are cached to reduce Telegram API calls. Supports anonymous admin detection.

Monitoring

4-tier auto-remediation, activity tracking (per-chat and per-user DAU/WAU/MAU), background stats every 30s, and GC triggers on memory thresholds.

Graceful Shutdown

Central coordinator with LIFO handler execution. Each handler gets panic recovery. Total timeout: 60 seconds.

All database operations are organized by domain in alita/db/*_db.go files. Each file provides Get/Add/Update/Delete functions for its domain, with surrogate key pattern (auto-increment id as PK, external IDs as unique constraints):

// Example: Direct domain function calls
settings := db.GetChatSettings(chatId)
db.UpdateChatSettings(chatId, newSettings)

Middleware functionality is implemented through decorators in alita/utils/decorators/. Common cross-cutting concerns are handled uniformly:

  • Permission checking (admin, restrict, delete rights)
  • Error handling with panic recovery
  • Logging and metrics collection

Concurrent processing uses bounded worker pools with panic recovery:

  • Dispatcher: Limited to 200 max goroutines by default (configurable via DISPATCHER_MAX_ROUTINES)
  • Message Pipeline: Concurrent validation stages
  • Bulk Operations: Parallel batch processors with generic framework

Redis-based caching with stampede protection:

  • Distributed cache using Redis for persistence across restarts
  • Singleflight pattern prevents thundering herd on cache misses
  • Configurable TTLs per data type (30min - 1hr typically)
+------------------+
| Telegram |
| Bot API |
+--------+---------+
|
+------------------+------------------+
| |
Webhook Mode Polling Mode
| |
v v
+----------+----------+ +-----------+-----------+
| HTTP Server | | Updater |
| /webhook/{secret} | | GetUpdates loop |
+----------+----------+ +-----------+-----------+
| |
+------------------+------------------+
|
v
+----------+----------+
| Dispatcher |
| (configurable routines)|
+----------+----------+
|
+-------------------+-------------------+
| | |
v v v
+------+------+ +------+------+ +------+------+
| Handler | | Handler | | Handler |
| (Command) | | (Callback) | | (Message) |
+------+------+ +------+------+ +------+------+
| | |
+-------------------+-------------------+
|
+--------------+--------------+
| |
v v
+---------+----------+ +---------+----------+
| Redis Cache | | PostgreSQL |
| (cache lookup) | | (via GORM) |
+--------------------+ +--------------------+

The dispatcher routes incoming Telegram updates to appropriate handlers:

  • Configurable max goroutines (default: 200)
  • Enhanced error handler with structured logging
  • Recovery from panics in any handler
dispatcher := ext.NewDispatcher(&ext.DispatcherOpts{
Error: func(b *gotgbot.Bot, ctx *ext.Context, err error) ext.DispatcherAction {
// Error handling with structured logging
return ext.DispatcherActionNoop
},
MaxRoutines: config.AppConfig.DispatcherMaxRoutines,
})

Each feature module follows a consistent pattern:

  1. Define a moduleStruct with module name
  2. Implement handler functions as methods
  3. Register handlers in a LoadModule function
  4. Module loaded via alita/main.go in specific order

Redis caching with stampede protection:

  • Cache Keys: Prefixed with alita: for namespace isolation
  • Stampede Protection: Singleflight prevents concurrent cache rebuilds
  • TTL Management: Per-type expiration (settings: 30min, language: 1hr)

Comprehensive monitoring subsystems:

  • Resource Monitor: Tracks memory and goroutine usage every 5 minutes
  • Activity Monitor: Automatic group activity tracking with configurable thresholds
  • Background Stats: Performance metrics collection
  • Auto-Remediation: GC triggers when memory exceeds thresholds
// Dispatcher limits concurrent handler execution
MaxRoutines: 200 // Configurable via DISPATCHER_MAX_ROUTINES
// Worker pools use bounded parallelism
workerPool := NewWorkerPool(config.AppConfig.WorkerPoolSize)
// Prevents multiple goroutines from rebuilding same cache entry
var cacheGroup singleflight.Group
result, err, _ := cacheGroup.Do(cacheKey, func() (any, error) {
// Only one goroutine executes this
return loadFromDatabase()
})
// Shutdown manager coordinates cleanup in order
shutdownManager := shutdown.NewManager()
shutdownManager.RegisterHandler(func() error {
// Cleanup monitoring, database, cache
return nil
})

Alita uses a 4-layer error handling hierarchy:

Error: func(b *gotgbot.Bot, ctx *ext.Context, err error) ext.DispatcherAction {
defer error_handling.RecoverFromPanic("DispatcherErrorHandler", "Main")
// Log error with structured fields
return ext.DispatcherActionNoop
}

Worker pools implement panic recovery:

go func() {
defer func() {
if r := recover(); r != nil {
log.WithField("panic", r).Error("Panic in worker")
}
}()
// Worker logic
}()

Individual handlers use decorators for error handling:

// Permission checks return early on failure
if !chat_status.RequireUserAdmin(b, ctx, nil, user.Id, false) {
return ext.EndGroups
}

Command decorators provide permission validation and error context:

// Decorators wrap handlers with cross-cutting concerns
cmdDecorator.MultiCommand(dispatcher, []string{"cmd", "alias"}, handler)

The database uses a surrogate key pattern:

  • Primary Keys: Auto-incremented id field (internal identifier)
  • Business Keys: user_id and chat_id with unique constraints
  • Benefits:
    • Decouples internal schema from Telegram IDs
    • Stable identifiers if external systems change
    • Better performance for joins and indexing