Spaces:
Configuration error
Configuration error
File size: 8,679 Bytes
0722e92 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 | #!/usr/bin/env node
// SPDX-FileCopyrightText: Copyright (c) 2026 NVIDIA CORPORATION & AFFILIATES. All rights reserved.
// SPDX-License-Identifier: Apache-2.0
/**
* Telegram bridge for ini_claw. bridge.
*
* Messages from Telegram are forwarded to the OpenClaw agent running
* inside the sandbox. When the agent needs external access, the
* OpenShell TUI lights up for approval. Responses go back to Telegram.
*
* Env:
* TELEGRAM_BOT_TOKEN β from @BotFather
* NVIDIA_API_KEY β for inference
* SANDBOX_NAME β sandbox name (default: ini_claw)
* ALLOWED_CHAT_IDS β comma-separated Telegram chat IDs to accept (optional, accepts all if unset)
*/
const https = require("https");
const { execSync, spawn } = require("child_process");
const TOKEN = process.env.TELEGRAM_BOT_TOKEN;
const API_KEY = process.env.NVIDIA_API_KEY;
const SANDBOX = process.env.SANDBOX_NAME || "ini_claw";
const ALLOWED_CHATS = process.env.ALLOWED_CHAT_IDS
? process.env.ALLOWED_CHAT_IDS.split(",").map((s) => s.trim())
: null;
if (!TOKEN) { console.error("TELEGRAM_BOT_TOKEN required"); process.exit(1); }
if (!API_KEY) { console.error("NVIDIA_API_KEY required"); process.exit(1); }
let offset = 0;
const activeSessions = new Map(); // chatId β message history
// ββ Telegram API helpers ββββββββββββββββββββββββββββββββββββββββββ
function tgApi(method, body) {
return new Promise((resolve, reject) => {
const data = JSON.stringify(body);
const req = https.request(
{
hostname: "api.telegram.org",
path: `/bot${TOKEN}/${method}`,
method: "POST",
headers: { "Content-Type": "application/json", "Content-Length": Buffer.byteLength(data) },
},
(res) => {
let buf = "";
res.on("data", (c) => (buf += c));
res.on("end", () => {
try { resolve(JSON.parse(buf)); } catch { resolve({ ok: false, error: buf }); }
});
},
);
req.on("error", reject);
req.write(data);
req.end();
});
}
async function sendMessage(chatId, text, replyTo) {
// Telegram max message length is 4096
const chunks = [];
for (let i = 0; i < text.length; i += 4000) {
chunks.push(text.slice(i, i + 4000));
}
for (const chunk of chunks) {
await tgApi("sendMessage", {
chat_id: chatId,
text: chunk,
reply_to_message_id: replyTo,
parse_mode: "Markdown",
}).catch(() =>
// Retry without markdown if it fails (unbalanced formatting)
tgApi("sendMessage", { chat_id: chatId, text: chunk, reply_to_message_id: replyTo }),
);
}
}
async function sendTyping(chatId) {
await tgApi("sendChatAction", { chat_id: chatId, action: "typing" }).catch(() => {});
}
// ββ Run agent inside sandbox ββββββββββββββββββββββββββββββββββββββ
function runAgentInSandbox(message, sessionId) {
return new Promise((resolve) => {
const sshConfig = execSync(`openshell sandbox ssh-config ${SANDBOX}`, { encoding: "utf-8" });
// Write temp ssh config
const confPath = `/tmp/iniclaw-tg-ssh-${sessionId}.conf`;
require("fs").writeFileSync(confPath, sshConfig);
const escaped = message.replace(/'/g, "'\\''");
const cmd = `export NVIDIA_API_KEY='${API_KEY}' && iniclaw-start openclaw agent --agent main --local -m '${escaped}' --session-id 'tg-${sessionId}'`;
const proc = spawn("ssh", ["-T", "-F", confPath, `openshell-${SANDBOX}`, cmd], {
timeout: 120000,
stdio: ["ignore", "pipe", "pipe"],
});
let stdout = "";
let stderr = "";
proc.stdout.on("data", (d) => (stdout += d.toString()));
proc.stderr.on("data", (d) => (stderr += d.toString()));
proc.on("close", (code) => {
try { require("fs").unlinkSync(confPath); } catch {}
// Extract the actual agent response β skip setup lines
const lines = stdout.split("\n");
const responseLines = lines.filter(
(l) =>
!l.startsWith("Setting up IniClaw") &&
!l.startsWith("[plugins]") &&
!l.startsWith("(node:") &&
!l.includes("IniClaw ready") &&
!l.includes("IniClaw registered") &&
!l.includes("openclaw agent") &&
!l.includes("ββ") &&
!l.includes("β ") &&
!l.includes("ββ") &&
l.trim() !== "",
);
const response = responseLines.join("\n").trim();
if (response) {
resolve(response);
} else if (code !== 0) {
resolve(`Agent exited with code ${code}. ${stderr.trim().slice(0, 500)}`);
} else {
resolve("(no response)");
}
});
proc.on("error", (err) => {
resolve(`Error: ${err.message}`);
});
});
}
// ββ Poll loop βββββββββββββββββββββββββββββββββββββββββββββββββββββ
async function poll() {
try {
const res = await tgApi("getUpdates", { offset, timeout: 30 });
if (res.ok && res.result?.length > 0) {
for (const update of res.result) {
offset = update.update_id + 1;
const msg = update.message;
if (!msg?.text) continue;
const chatId = String(msg.chat.id);
// Access control
if (ALLOWED_CHATS && !ALLOWED_CHATS.includes(chatId)) {
console.log(`[ignored] chat ${chatId} not in allowed list`);
continue;
}
const userName = msg.from?.first_name || "someone";
console.log(`[${chatId}] ${userName}: ${msg.text}`);
// Handle /start
if (msg.text === "/start") {
await sendMessage(
chatId,
"π¦ *IniClaw* β powered by Nemotron 3 Super 120B\n\n" +
"Send me a message and I'll run it through the OpenClaw agent " +
"inside an OpenShell sandbox.\n\n" +
"If the agent needs external access, the TUI will prompt for approval.",
msg.message_id,
);
continue;
}
// Handle /reset
if (msg.text === "/reset") {
activeSessions.delete(chatId);
await sendMessage(chatId, "Session reset.", msg.message_id);
continue;
}
// Send typing indicator
await sendTyping(chatId);
// Keep a typing indicator going while agent runs
const typingInterval = setInterval(() => sendTyping(chatId), 4000);
try {
const response = await runAgentInSandbox(msg.text, chatId);
clearInterval(typingInterval);
console.log(`[${chatId}] agent: ${response.slice(0, 100)}...`);
await sendMessage(chatId, response, msg.message_id);
} catch (err) {
clearInterval(typingInterval);
await sendMessage(chatId, `Error: ${err.message}`, msg.message_id);
}
}
}
} catch (err) {
console.error("Poll error:", err.message);
}
// Continue polling
setTimeout(poll, 100);
}
// ββ Main ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
async function main() {
const me = await tgApi("getMe", {});
if (!me.ok) {
console.error("Failed to connect to Telegram:", JSON.stringify(me));
process.exit(1);
}
console.log("");
console.log(" βββββββββββββββββββββββββββββββββββββββββββββββββββββββ");
console.log(" β IniClaw Telegram Bridge β");
console.log(" β β");
console.log(` β Bot: @${(me.result.username + " ").slice(0, 37)}β`);
console.log(" β Sandbox: " + (SANDBOX + " ").slice(0, 40) + "β");
console.log(" β Model: nvidia/nemotron-3-super-120b-a12b β");
console.log(" β β");
console.log(" β Messages are forwarded to the OpenClaw agent β");
console.log(" β inside the sandbox. Run 'openshell term' in β");
console.log(" β another terminal to monitor + approve egress. β");
console.log(" βββββββββββββββββββββββββββββββββββββββββββββββββββββββ");
console.log("");
poll();
}
main();
|