// worker-homeserve.js (Versión Definitiva PostgreSQL - MULTI-EMPRESA SAAS) import { chromium } from 'playwright'; import pg from 'pg'; const { Pool } = pg; // --- CONFIGURACIÓN --- const CONFIG = { DATABASE_URL: process.env.DATABASE_URL, LOGIN_URL: 'https://www.clientes.homeserve.es/cgi-bin/fccgi.exe?w3exec=PROF_PASS', BASE_CGI: 'https://www.clientes.homeserve.es/cgi-bin/fccgi.exe', NAV_TIMEOUT: 60000, POLL_INTERVAL_MS: 5000 }; if (!CONFIG.DATABASE_URL) { console.error("❌ ERROR FATAL: Falta la variable de entorno DATABASE_URL"); process.exit(1); } const pool = new Pool({ connectionString: CONFIG.DATABASE_URL, ssl: false }); // --- UTILS --- function checkWeekend(dateStr) { if (!dateStr) return; const parts = dateStr.split('/'); if (parts.length !== 3) return; const day = parseInt(parts[0], 10); const month = parseInt(parts[1], 10) - 1; const year = parseInt(parts[2], 10); const d = new Date(year, month, day); if (d.getDay() === 0 || d.getDay() === 6) { throw new Error(`⛔ ERROR: La fecha ${dateStr} es fin de semana (Sáb/Dom). No permitido por HomeServe.`); } } async function getHomeServeCreds(ownerId) { const q = await pool.query( "SELECT username, password_hash FROM provider_credentials WHERE provider = 'homeserve' AND status = 'active' AND owner_id = $1 LIMIT 1", [ownerId] ); if (q.rowCount === 0) throw new Error(`Sin credenciales para ID: ${ownerId}`); return { user: q.rows[0].username, pass: Buffer.from(q.rows[0].password_hash, 'base64').toString('utf-8') }; } async function withBrowser(fn) { const browser = await chromium.launch({ headless: true, args: ['--no-sandbox', '--disable-setuid-sandbox'] }); const context = await browser.newContext(); const page = await context.newPage(); try { return await fn(page); } finally { await browser.close().catch(() => {}); } } async function findLocatorInFrames(page, selector) { for (const fr of page.frames()) { const loc = fr.locator(selector); try { if (await loc.count()) return { frame: fr, locator: loc }; } catch (_) {} } return null; } async function clickFirstThatExists(page, selectors) { for (const sel of selectors) { const hit = await findLocatorInFrames(page, sel); if (hit) { await hit.locator.first().click(); return sel; } } return null; } async function fillFirstThatExists(page, selectors, value) { for (const sel of selectors) { const hit = await findLocatorInFrames(page, sel); if (hit) { await hit.locator.first().fill(String(value)); return sel; } } return null; } // --- INYECCIÓN EN HOMESERVE --- async function loginAndProcess(page, creds, jobData) { console.log(`>>> 1. Login en HomeServe con usuario: ${creds.user}`); if (jobData.appointment_date) checkWeekend(jobData.appointment_date); if (!jobData.observation || jobData.observation.trim().length === 0) { throw new Error('⛔ ERROR: El campo Observaciones es obligatorio.'); } // Auto-aceptar popups de HomeServe si saltan page.on('dialog', async dialog => await dialog.accept()); await page.goto(CONFIG.LOGIN_URL, { waitUntil: 'domcontentloaded', timeout: CONFIG.NAV_TIMEOUT }); await page.waitForTimeout(1000); await fillFirstThatExists(page, ['input[name="w3user"]', 'input[type="text"]'], creds.user); await fillFirstThatExists(page, ['input[name="w3clau"]', 'input[type="password"]'], creds.pass); await page.keyboard.press('Enter'); await page.waitForTimeout(3000); const loginFail = await findLocatorInFrames(page, 'input[type="password"]'); if (loginFail) throw new Error(`Login fallido en HomeServe.`); console.log(`>>> 2. Login OK. Navegando al expediente ${jobData.service_number}...`); const serviceUrl = `${CONFIG.BASE_CGI}?w3exec=ver_servicioencurso&Servicio=${jobData.service_number}&Pag=1`; await page.goto(serviceUrl, { waitUntil: 'domcontentloaded', timeout: CONFIG.NAV_TIMEOUT }); await page.waitForTimeout(1500); const changeBtn = await clickFirstThatExists(page, ['input[name="repaso"]']); if (!changeBtn) throw new Error(`No veo el botón 'repaso' en el siniestro.`); console.log('>>> 3. Accediendo al formulario. Rellenando datos...'); await page.waitForTimeout(1500); const HOMESERVE_MAP = { 'CITADO': '307', 'ESPERA': '303', 'TERMINADO': '345', 'ANULADO': '352' }; let targetCode = String(jobData.new_status).toUpperCase(); if (HOMESERVE_MAP[targetCode]) targetCode = HOMESERVE_MAP[targetCode]; // SELECCIÓN NATIVA DE PLAYWRIGHT (Mucho más fiable) const selectEstado = await findLocatorInFrames(page, 'select[name="ESTADO"]'); if (!selectEstado) throw new Error('No encontré el desplegable de estados.'); await selectEstado.locator.first().selectOption({ value: targetCode }).catch(() => { throw new Error(`El código de estado '${targetCode}' no existe en HomeServe.`); }); if (jobData.appointment_date) { await fillFirstThatExists(page, ['input[name="FECSIG"]'], jobData.appointment_date); } await fillFirstThatExists(page, ['textarea[name="Observaciones"]'], jobData.observation); if (jobData.inform_client) { const informCheck = await findLocatorInFrames(page, 'input[name="INFORMO"]'); if (informCheck && !(await informCheck.locator.first().isChecked())) { await informCheck.locator.first().check(); } } console.log('>>> 4. Ejecutando clic en Aceptar el Cambio...'); const saveBtnHit = await findLocatorInFrames(page, 'input[name="BTNCAMBIAESTADO"]'); if (!saveBtnHit) throw new Error('No encuentro el botón para guardar los cambios.'); // Hacemos el clic y esperamos a que la página reaccione await Promise.all([ page.waitForNavigation({ timeout: 10000 }).catch(() => {}), saveBtnHit.locator.first().click() ]); await page.waitForTimeout(2000); // LEEMOS SOLO LOS ERRORES ROJOS (Ignoramos etiquetas ) const resultText = await page.evaluate(() => { const errEl = document.querySelector('font[color="#FF0000"], .Estilo4'); return errEl ? errEl.innerText : ""; }); if (resultText && resultText.trim().length > 0) { throw new Error(`HomeServe devolvió un error rojo: ${resultText.trim()}`); } console.log('>>> 5. Formulario enviado sin errores aparentes.'); return { success: true }; } // --- BUCLE DE COLA --- async function pollQueue() { try { const res = await pool.query(` UPDATE robot_queue SET status = 'RUNNING', updated_at = NOW() WHERE id = (SELECT id FROM robot_queue WHERE status = 'PENDING' AND provider = 'homeserve' ORDER BY created_at ASC FOR UPDATE SKIP LOCKED LIMIT 1) RETURNING *; `); if (res.rowCount > 0) { const job = res.rows[0]; console.log(`\n========================================`); console.log(`🤖 TRABAJO #${job.id} | Empresa ID: ${job.owner_id}`); console.log(`📋 Siniestro: ${job.service_number} -> Cambiar a: ${job.new_status}`); console.log(`========================================`); try { const creds = await getHomeServeCreds(job.owner_id); await withBrowser(async (page) => { await loginAndProcess(page, creds, job); }); await pool.query("UPDATE robot_queue SET status = 'DONE', updated_at = NOW() WHERE id = $1", [job.id]); console.log(`✅ TRABAJO #${job.id} COMPLETADO CON ÉXITO.\n`); } catch (err) { console.error(`❌ ERROR EN TRABAJO #${job.id}:`, err.message); await pool.query("UPDATE robot_queue SET status = 'FAILED', error_msg = $1, updated_at = NOW() WHERE id = $2", [err.message, job.id]); } setTimeout(pollQueue, 1000); } else { setTimeout(pollQueue, CONFIG.POLL_INTERVAL_MS); } } catch (e) { console.error("Error crítico en el bucle del robot:", e.message); setTimeout(pollQueue, CONFIG.POLL_INTERVAL_MS); } } console.log("🚀 Robot HomeServe (Multi-Empresa SaaS) Iniciado."); console.log("📡 Conectado a PostgreSQL. Esperando peticiones en la cola..."); pollQueue();