Configuração do Bot do Telegram OpenClaw: Comandos, Roteamento e Sessões Multi-Agente

Olá, construtores de automação — se você está conectando o OpenClaw ao Telegram e se perguntando como o roteamento realmente funciona quando as mensagens começam a chegar de DMs, grupos e tópicos, continue por aqui.

Passei as últimas duas semanas executando o OpenClaw através do Telegram em três configurações diferentes: DMs pessoais, grupos de equipe e tópicos de fórum. Não são cenários de demonstração. Testes reais de roteamento onde eu quebrei deliberadamente o isolamento de sessão, sobrecarreguei com solicitações simultâneas e observei como o Gateway lidava com configurações de várias contas.

A pergunta que continuei fazendo: Isso realmente pode manter limites de sessão limpos quando você está lidando com vários chats, ou tudo se transforma em um único fio de conversa confuso?

Aqui está o que descobri, além dos padrões de configuração exatos que sobreviveram.

Para contexto, OpenClaw (anteriormente Moltbot e Clawdbot) ganhou mais de 100.000 estrelas no GitHub no início de 2026 como um assistente de IA autônomo de código aberto. Criado por Peter Steinberger, ele conecta plataformas de mensagens como o Telegram a agentes de IA que rodam localmente ou em servidores privados.


Crie um Bot do Telegram (BotFather)

Every OpenClaw Telegram setup starts with @BotFather, Telegram's official bot creation interface. This hasn't changed since Telegram launched bots — it's still the only way to generate API tokens.

What you'll need:

  • Active Telegram account (phone verification required)
  • 3 minutes for initial setup
  • Bot token stored somewhere secure (I use a password manager)

Step-by-step bot creation

  1. Open Telegram and search for @BotFather
    1. Verified account has a blue checkmark
    2. Send /start to see available commands
  2. Create new bot with /newbot
    1. Bot name: What users see in conversations (can include spaces)
    2. Username: Must end with bot (e.g., YourProjectBot)
    3. Username must be globally unique across Telegram
  3. Save your API token immediately
    1. Format: 123456789:ABCdefGHIjklMNOpqrsTUVwxyz
    2. Treat this like a password — anyone with this token controls your bot
    3. If compromised, use /revoke in BotFather to generate a new one

Critical BotFather settings (optional but recommended):

/setjoingroups  → Allow/deny adding bot to groups
/setprivacy     → OFF = bot sees all group messages
                  ON = bot only sees mentions and commands

I learned this the hard way: if you set privacy to ON and wonder why your bot ignores group messages, that's why. OpenClaw's routing expects full message access by default.


Connect Token + Verify Updates

Getting the token into OpenClaw is where most setup guides stop — but that's where real testing should start.

Basic connection config

OpenClaw supports two token input methods:

Environment variable (quick testing):

export TELEGRAM_BOT_TOKEN="your_token_here"
openclaw gateway

Config file (production approach):

{
  "channels": {
    "telegram": {
      "enabled": true,
      "botToken": "123456789:ABCdefGHIjklMNOpqrsTUVwxyz",
      "dmPolicy": "pairing"
    }
  }
}

Verification test sequence

Here's the sequence I run every time to confirm the Gateway actually sees Telegram updates:

  1. Start Gateway with logging:
openclaw gateway --log-level debug
  1. Send /start to your bot in Telegram
    1. Should trigger pairing flow if dmPolicy: "pairing"
    2. Check terminal for incoming update logs
  2. Monitor update stream:
openclaw logs --follow

Common failure point: Bot token typo. If you see 401 Unauthorized in logs, regenerate the token in BotFather and update your config. Don't waste an hour troubleshooting like I did.

Nota de segurança: Para implantações em produção, considere usar a imagem OpenClaw reforçada da DigitalOcean que inclui regras de firewall, isolamento de contêineres e execução sem privilégios de root por padrão.


Design de Comandos que Escalam

O sistema de comandos do OpenClaw é onde a lógica de roteamento começa a fazer diferença. O Gateway reconhece comandos de barra em todos os canais, mas o Telegram adiciona sua própria camada de autocompletar comandos.

O repositório oficial do OpenClaw documenta todo o conjunto de comandos, mas após testes no mundo real, apenas alguns se mostram essenciais.

Padrões de comandos principais

Estes são os comandos que realmente uso em configurações de produção (não a lista completa — apenas o que sobrevive ao uso real):

Comando
Finalidade
Escopo da Sessão
/new
Forçar nova sessão (limpa o contexto)
Por chat
/status
Mostrar sessão + modelo + uso de token
Sessão atual
/activation
Alternar entre mencionar apenas ou sempre responder
Apenas sessão*
/help
Listar comandos disponíveis
N/A

Important: /activation always only affects the current session. To persist it, add it to your config's requireMention settings.

Setting up custom commands in BotFather

This is what makes your bot feel native in Telegram:

  1. In BotFather: /mybots → Select your bot → Edit Commands
  2. Send command list (one per line):
new - Start fresh sessionstatus - Check session statehelp - Show all commands
  1. These appear in Telegram's / autocomplete menu

Reality check: I initially set up 15 commands. After two weeks, I only use 4. Start minimal.

For deeper understanding of Telegram's bot architecture, see the official Telegram Bot tutorial which covers the Bot API fundamentals.


Routing by Chat/User/Topic

This is where OpenClaw's session architecture either makes sense or falls apart. Session keys determine whether conversations stay isolated or bleed together.

Session key structure

OpenClaw generates session keys using this pattern:

agent:<agentId>:telegram:<chatType>:<chatId>[:topic:<topicId>]

Breakdown:

  • DMs: All messages from one user → shared main session
  • Groups: Each group → isolated session (telegram:group:<chatId>)
  • Forum topics: Each topic → separate session (:topic:<threadId> suffix)

Multi-account routing config

Here's a real config I ran for testing three separate Telegram bots routing to different agents:

{
  "channels": {
    "telegram": {
      "accounts": [
        {
          "name": "personal",
          "botToken": "token1...",
          "routing": { "agent": "main" }
        },
        {
          "name": "work",
          "botToken": "token2...",
          "routing": { "agent": "work-agent" }
        },
        {
          "name": "testing",
          "botToken": "token3...",
          "routing": { "agent": "sandbox" }
        }
      ]
    }
  }
}

Each account routes to a separate agent workspace with independent memory and tools. No cross-contamination.

Group routing with mention controls

Default behavior: groups require @mention to trigger responses. Override per-group:

{
  "channels": {
    "telegram": {
      "groups": {
        "*": { "requireMention": true },
        "-1001234567890": { 
          "requireMention": false 
        }
      }
    }
  }
}

Group ID discovery: Add bot to group, send a message, check openclaw logs --follow for the chat.id value (always negative for groups).

Forum topic isolation

Telegram forums add message_thread_id to messages. OpenClaw appends :topic:<threadId> to session keys automatically.

Critical edge case I hit: Topic ID 1 (general topic) requires special handling. OpenClaw omits message_thread_id when sending to topic 1 because Telegram rejects it.

Config example for per-topic system prompts:

{
  "telegram": {
    "groups": {
      "-1003595003457": {
        "requireMention": false,
        "topics": {
          "14": {
            "requireMention": false,
            "systemPrompt": "You are a coding assistant."
          },
          "27": {
            "systemPrompt": "You focus on deployment issues."
          }
        }
      }
    }
  }
}

Each topic maintains isolated conversation history.


Debugging Missed Messages

When messages disappear into the void, it's usually one of these three culprits.

Diagnostic checklist

  1. Check BotFather privacy settings
/mybots → Your Bot → Bot Settings → Group Privacy → OFF
  1. If ON, bot only sees mentions — not regular messages.
  2. Verify group whitelist
openclaw logs --follow | grep "skipping group message"
  1. If channels.telegram.groups is defined, unlisted groups are ignored.
  2. Confirm bot membership
    1. Bot must be added as a member (not just admin with no read access)
    2. Test: send a message, check if bot's "last seen" timestamp updates
  3. Review Gateway logs
openclaw logs --level debug --filter telegram

Common routing failures

Symptom
Likely Cause
Fix
Bot responds in DMs, silent in groups
Privacy mode ON
BotFather → Group Privacy → OFF
Some groups work, others don't
Groups whitelist active
Add "*": or specific IDs
Forum topics get mixed responses
Session key collision
Check :topic:<id> suffix in logs
No response at all
Wrong token or Gateway not running
openclaw status, verify token

Session hygiene checks

I run this sequence weekly to catch routing drift:

# List active sessions
openclaw sessions list
# Check specific session state
openclaw sessions show <sessionKey>
# Force session cleanup (last resort)
openclaw sessions prune --older-than 7d

When sessions leak: If you see context bleeding between chats, it's usually a config error where multiple chats map to the same session key. Review channels.telegram.accounts[].routing.agent settings.


What Actually Worked Long-Term

After two weeks of daily use across three different Telegram setups, here's what survived:

Stable config pattern

{
  "channels": {
    "telegram": {
      "enabled": true,
      "botToken": "env:TELEGRAM_BOT_TOKEN",
      "dmPolicy": "pairing",
      "groups": {
        "*": { "requireMention": true }
      }
    }
  }
}

Why this works:

  • DM pairing prevents unauthorized access
  • Wildcard group policy with mention requirement = safe defaults
  • Token from env var = easier rotation without touching config

What didn't scale

  • Custom commands beyond /new, /status, /help — Users forget them
  • Per-topic system prompts — Maintenance burden grows fast
  • Multiple accounts without clear routing rules — Session chaos

Boundary conditions

OpenClaw Telegram routing is solid for:

  • Personal DM automation (single user)
  • Small team groups (< 20 active members)
  • Forum topics with distinct purposes

It gets messy when:

  • You're managing 10+ groups without config discipline
  • Users expect instant responses (add queue monitoring)
  • Session state matters across Gateway restarts (implement persistence checks)

Security reminder: As noted in security analysis, OpenClaw stores session transcripts and credentials locally. Treat your ~/.openclaw directory as sensitive — use encrypted drives and restrict file permissions.


Se OpenClaw + Telegram levar você onde precisa, continue com isso. Apenas mantenha as chaves de sessão limpas e saiba quais grupos recebem qual agente.

Na Macaron, lidamos com os mesmos desafios de roteamento automaticamente — isolamento de sessão entre plataformas, sem necessidade de ajustes manuais ao adicionar canais. Se você deseja testar o roteamento multiplataforma sem reconstruir configurações sempre que escalar, experimente com um fluxo de trabalho real e veja como ele lida com sua configuração.

Perguntas Frequentes

P: Meu bot não está respondendo a mensagens de grupo. Onde devo verificar primeiro? Configurações de privacidade do BotFather. Se estiver ativado, o bot só vê menções diretas @ — tudo o mais é silenciosamente descartado. Vá para BotFather → /mybots → Configurações do Bot → Privacidade do Grupo → desative-o. Este é o motivo mais comum de "por que não está funcionando" para configurações de grupo.

P: Como encontro o ID de chat do meu grupo? Adicione o bot ao grupo, envie qualquer mensagem e, em seguida, execute openclaw logs --follow. O chat.id aparecerá na atualização recebida — será um número negativo para grupos. Esse é o valor que você coloca na configuração de lista branca.

P: Preciso de um token de bot separado para cada conta do Telegram que estou roteando? Sim. Cada entrada em channels.telegram.accounts[] precisa do seu próprio token do BotFather. Um token, uma identidade de bot. Se você estiver executando múltiplos bots e as coisas estiverem se misturando, a referência de configuração do gateway OpenClaw explica como o isolamento de roteamento em nível de conta realmente funciona.

Q: Forum topics — do I need to configure each one manually? Only if you want per-topic system prompts. OpenClaw handles the session key isolation automatically (:topic:<threadId> suffix), so conversations stay separate without any config. Manual setup is only needed when you want different agent behavior per topic.

Q: Sessions keep losing context after Gateway restarts. Is that expected? By default, yes — session state doesn't persist across restarts unless you've configured persistence. If that's a dealbreaker for your use case, check the OpenClaw quick start guide for the persistence options available at the Gateway level.

Q: I'm setting this up on a VPS. Anything Telegram-specific I should know? Make sure your server's outbound connections to api.telegram.org aren't blocked — some cheap VPS providers restrict this. Beyond that, the usual hardening applies: non-root execution, firewall rules, token in env vars not hardcoded. The OpenClaw VPS deployment guide covers the full setup if you're starting from scratch.

Q: I used to run Moltbot for Telegram. Is migration straightforward? Mostly yes, but the config structure changed. If you hit conflicts or unexpected behavior after switching, the Moltbot Telegram setup comparison is worth checking — it maps out what changed between the two.

Olá, sou o Hanks — um entusiasta de fluxos de trabalho e ferramentas de IA com mais de dez anos de experiência prática em automação, SaaS e criação de conteúdo. Passo meus dias testando ferramentas para que você não precise, simplificando processos complexos em etapas fáceis e acionáveis, e desvendando os números por trás do “que realmente funciona.”

Candidatar-se para se tornar Os primeiros amigos de Macaron