Spaces:
Running
Running
File size: 10,944 Bytes
9512030 bcc6655 9512030 bcc6655 9512030 bcc6655 9512030 bcc6655 ebfc885 bcc6655 ebfc885 b32e821 bcc6655 ebfc885 b32e821 bcc6655 9512030 1fc4864 99ce7b7 bcc6655 ebfc885 b32e821 9ea5d13 bcc6655 ebfc885 b32e821 ebfc885 b32e821 ebfc885 b32e821 ebfc885 87a2793 ebfc885 bcc6655 0b2ec75 bcc6655 0b2ec75 9512030 bcc6655 9512030 bcc6655 | 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 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 | /**
* token-redirect.cjs — Node.js preload script (enhanced)
*
* Loaded via NODE_OPTIONS --require before OpenClaw starts.
* Intercepts OpenClaw's HTTP server to:
* 1. Redirect GET / to /?token=GATEWAY_TOKEN (auto-fill token)
* 2. Proxy A2A requests (/.well-known/*, /a2a/*) to gateway port 18800
* 3. Serve /api/state and /agents for Office frontends
* 4. Fix iframe embedding (strip X-Frame-Options, fix CSP)
* 5. Serve Office frontend when OFFICE_MODE=1
*/
'use strict';
const http = require('http');
const url = require('url');
const fs = require('fs');
const path = require('path');
const GATEWAY_TOKEN = process.env.GATEWAY_TOKEN || 'huggingclaw';
const AGENT_NAME = process.env.AGENT_NAME || 'HuggingClaw';
const A2A_PORT = 18800;
const OFFICE_MODE = process.env.OFFICE_MODE === '1';
// Frontend directory for Office mode
const FRONTEND_DIR = fs.existsSync('/home/node/frontend')
? '/home/node/frontend'
: path.join(__dirname, '..', 'frontend');
const MIME_TYPES = {
'.html': 'text/html; charset=utf-8',
'.js': 'application/javascript',
'.css': 'text/css',
'.json': 'application/json',
'.png': 'image/png',
'.jpg': 'image/jpeg',
'.jpeg': 'image/jpeg',
'.webp': 'image/webp',
'.gif': 'image/gif',
'.svg': 'image/svg+xml',
'.woff2': 'font/woff2',
'.woff': 'font/woff',
'.ttf': 'font/ttf',
'.ico': 'image/x-icon',
'.mp3': 'audio/mpeg',
'.ogg': 'audio/ogg',
'.md': 'text/markdown; charset=utf-8',
};
function serveStaticFile(res, filePath) {
const resolved = path.resolve(filePath);
if (!resolved.startsWith(path.resolve(FRONTEND_DIR))) {
res.writeHead(403);
return res.end('Forbidden');
}
fs.readFile(resolved, (err, data) => {
if (err) {
res.writeHead(404, { 'Content-Type': 'text/plain' });
return res.end('Not Found');
}
const ext = path.extname(resolved).toLowerCase();
const contentType = MIME_TYPES[ext] || 'application/octet-stream';
res.writeHead(200, {
'Content-Type': contentType,
'Cache-Control': (ext === '.html') ? 'no-cache' : 'public, max-age=86400',
'Access-Control-Allow-Origin': '*'
});
res.end(data);
});
}
// Remote agents polling
const REMOTE_AGENTS_RAW = process.env.REMOTE_AGENTS || '';
const remoteAgents = REMOTE_AGENTS_RAW
? REMOTE_AGENTS_RAW.split(',').map(entry => {
const [id, name, baseUrl] = entry.trim().split('|');
return { id, name, baseUrl };
}).filter(a => a.id && a.name && a.baseUrl)
: [];
const remoteAgentStates = new Map();
async function pollRemoteAgent(agent) {
try {
const controller = new AbortController();
const timeout = setTimeout(() => controller.abort(), 5000);
const resp = await fetch(`${agent.baseUrl}/api/state`, { signal: controller.signal });
clearTimeout(timeout);
if (resp.ok) {
const data = await resp.json();
const prev = remoteAgentStates.get(agent.id) || {};
remoteAgentStates.set(agent.id, {
agentId: agent.id, name: agent.name,
state: data.state || 'idle',
detail: data.detail || '',
area: (data.state === 'idle') ? 'breakroom' : (data.state === 'error') ? 'error' : 'writing',
authStatus: 'approved',
updated_at: data.updated_at,
bubbleText: data.bubbleText || prev.bubbleText || '',
bubbleTextZh: data.bubbleTextZh || prev.bubbleTextZh || ''
});
}
} catch (_) {
if (!remoteAgentStates.has(agent.id)) {
remoteAgentStates.set(agent.id, {
agentId: agent.id, name: agent.name,
state: 'syncing', detail: `${agent.name} is starting...`,
area: 'door', authStatus: 'approved'
});
}
}
}
if (remoteAgents.length > 0) {
setInterval(() => remoteAgents.forEach(a => pollRemoteAgent(a)), 5000);
remoteAgents.forEach(a => pollRemoteAgent(a));
console.log(`[token-redirect] Monitoring ${remoteAgents.length} remote agent(s)`);
}
// State tracking
let currentState = {
state: 'syncing', detail: `${AGENT_NAME} is starting...`,
progress: 0, updated_at: new Date().toISOString()
};
let currentBubbleText = '';
let currentBubbleTextZh = '';
let chatLog = []; // {speaker, text, text_zh, time}
// Once OpenClaw starts listening, mark as idle
setTimeout(() => {
if (currentState.state === 'syncing') {
currentState = {
state: 'idle', detail: `${AGENT_NAME} is running`,
progress: 100, updated_at: new Date().toISOString()
};
}
}, 30000);
function proxyToA2A(req, res) {
const options = {
hostname: '127.0.0.1', port: A2A_PORT,
path: req.url, method: req.method,
headers: { ...req.headers, host: `127.0.0.1:${A2A_PORT}` }
};
const proxy = http.request(options, (proxyRes) => {
res.writeHead(proxyRes.statusCode, proxyRes.headers);
proxyRes.pipe(res, { end: true });
});
proxy.on('error', () => {
if (!res.headersSent) {
res.writeHead(502, { 'Content-Type': 'application/json' });
res.end(JSON.stringify({ error: 'A2A gateway unavailable' }));
}
});
req.pipe(proxy, { end: true });
}
const origEmit = http.Server.prototype.emit;
http.Server.prototype.emit = function (event, ...args) {
if (event === 'request') {
const [req, res] = args;
// Only intercept on the main OpenClaw server (port 7860), not A2A gateway (18800)
const serverPort = this.address && this.address() && this.address().port;
if (serverPort && serverPort !== 7860) {
return origEmit.apply(this, [event, ...args]);
}
// Fix iframe embedding — must be applied BEFORE any early returns
const origWriteHead = res.writeHead;
res.writeHead = function (statusCode, ...whArgs) {
if (res.getHeader) {
res.removeHeader('x-frame-options');
const csp = res.getHeader('content-security-policy');
if (csp && typeof csp === 'string') {
res.setHeader('content-security-policy',
csp.replace(/frame-ancestors\s+'none'/i,
"frame-ancestors 'self' https://huggingface.co https://*.hf.space"));
}
}
return origWriteHead.apply(this, [statusCode, ...whArgs]);
};
const parsed = url.parse(req.url, true);
const pathname = parsed.pathname;
// A2A routes → proxy to A2A gateway on 18800
if (pathname.startsWith('/.well-known/') || pathname.startsWith('/a2a/')) {
proxyToA2A(req, res);
return true;
}
// /api/state → return current state
if (pathname === '/api/state' || pathname === '/status') {
// Update state to idle once we're handling requests
if (currentState.state === 'syncing') {
currentState = {
state: 'idle', detail: `${AGENT_NAME} is running`,
progress: 100, updated_at: new Date().toISOString()
};
}
res.writeHead(200, {
'Content-Type': 'application/json',
'Access-Control-Allow-Origin': '*'
});
res.end(JSON.stringify({
...currentState,
bubbleText: currentBubbleText,
bubbleTextZh: currentBubbleTextZh,
officeName: `${AGENT_NAME}'s Home`
}));
return true;
}
// POST /api/bubble → set bubble text (used by conversation orchestrator)
if (pathname === '/api/bubble' && req.method === 'POST') {
let body = '';
req.on('data', chunk => body += chunk);
req.on('end', () => {
try {
const { text, text_zh } = JSON.parse(body);
currentBubbleText = text || '';
currentBubbleTextZh = text_zh || text || '';
// Auto-clear bubble after 8 seconds
const clearText = text;
setTimeout(() => { if (currentBubbleText === clearText) { currentBubbleText = ''; currentBubbleTextZh = ''; } }, 8000);
res.writeHead(200, { 'Content-Type': 'application/json', 'Access-Control-Allow-Origin': '*' });
res.end(JSON.stringify({ ok: true }));
} catch (e) {
res.writeHead(400, { 'Content-Type': 'application/json' });
res.end(JSON.stringify({ ok: false, error: e.message }));
}
});
return true;
}
// GET /api/chatlog → return conversation log
if (pathname === '/api/chatlog' && req.method === 'GET') {
res.writeHead(200, { 'Content-Type': 'application/json', 'Access-Control-Allow-Origin': '*' });
res.end(JSON.stringify({ messages: chatLog }));
return true;
}
// POST /api/chatlog → update conversation log (from orchestrator)
if (pathname === '/api/chatlog' && req.method === 'POST') {
let body = '';
req.on('data', chunk => body += chunk);
req.on('end', () => {
try {
const { messages } = JSON.parse(body);
if (Array.isArray(messages)) {
chatLog = messages.slice(-50); // keep last 50 messages
}
res.writeHead(200, { 'Content-Type': 'application/json', 'Access-Control-Allow-Origin': '*' });
res.end(JSON.stringify({ ok: true }));
} catch (e) {
res.writeHead(400, { 'Content-Type': 'application/json' });
res.end(JSON.stringify({ ok: false, error: e.message }));
}
});
return true;
}
// /agents → return remote agent list
if (pathname === '/agents' && req.method === 'GET') {
res.writeHead(200, {
'Content-Type': 'application/json',
'Access-Control-Allow-Origin': '*'
});
res.end(JSON.stringify([...remoteAgentStates.values()]));
return true;
}
// Office mode: serve frontend at /, static at /static/*, admin proxies to OpenClaw
if (OFFICE_MODE) {
if (pathname === '/' && req.method === 'GET' && !req.headers.upgrade) {
serveStaticFile(res, path.join(FRONTEND_DIR, 'index.html'));
return true;
}
if (pathname.startsWith('/static/')) {
serveStaticFile(res, path.join(FRONTEND_DIR, pathname.slice('/static/'.length).split('?')[0]));
return true;
}
if (pathname === '/admin' || pathname === '/admin/') {
// Rewrite to root with token and let OpenClaw handle it
req.url = GATEWAY_TOKEN ? `/?token=${GATEWAY_TOKEN}` : '/';
return origEmit.apply(this, [event, ...args]);
}
} else {
// Default mode: 302 redirect to inject token into browser URL
// (must be a redirect, not a rewrite, so frontend JS can read the token)
if (req.method === 'GET' && !req.headers.upgrade) {
if (pathname === '/' && !parsed.query.token) {
res.writeHead(302, { Location: `/?token=${GATEWAY_TOKEN}` });
res.end();
return true;
}
}
}
}
return origEmit.apply(this, [event, ...args]);
};
// Also handle WebSocket upgrades for A2A
const origServerEmit = http.Server.prototype.emit;
// Already patched above, A2A WS upgrades handled via 'upgrade' event in OpenClaw
console.log(`[token-redirect] Active: token=${GATEWAY_TOKEN}, agent=${AGENT_NAME}, office=${OFFICE_MODE}`);
|