/* * script.js - Frontend logic for Dereth Tracker Single-Page Application. * Handles WebSocket communication, UI rendering of player lists, map display, * and user interactions (filtering, sorting, chat, stats windows). */ /** * script.js - Frontend controller for Dereth Tracker SPA * * Responsibilities: * - Establish WebSocket connections to receive live telemetry and chat data * - Fetch and render live player lists, trails, and map dots * - Handle user interactions: filtering, sorting, selecting players * - Manage dynamic UI components: chat windows, stats panels, tooltips * - Provide smooth pan/zoom of map overlay using CSS transforms * * Structure: * 1. DOM references and constant definitions * 2. Color palette and assignment logic * 3. Sorting and filtering setup * 4. Utility functions (coordinate mapping, color hashing) * 5. UI window creation (stats, chat) * 6. Rendering functions for list and map * 7. Event listeners for map interactions and WebSocket messages */ /* ---------- Debug configuration ---------------------------------- */ const DEBUG = false; function debugLog(...args) { if (DEBUG) console.log(...args); } /* ---------- DOM references --------------------------------------- */ const wrap = document.getElementById('mapContainer'); const group = document.getElementById('mapGroup'); const img = document.getElementById('map'); const dots = document.getElementById('dots'); const trailsContainer = document.getElementById('trails'); const list = document.getElementById('playerList'); const btnContainer = document.getElementById('sortButtons'); const tooltip = document.getElementById('tooltip'); const coordinates = document.getElementById('coordinates'); /* ---------- Element Pooling System for Performance ------------- */ // Pools for reusing DOM elements to eliminate recreation overhead const elementPools = { dots: [], listItems: [], activeDots: new Set(), activeListItems: new Set() }; // Performance tracking let performanceStats = { // Lifetime totals dotsCreated: 0, dotsReused: 0, listItemsCreated: 0, listItemsReused: 0, // Per-render stats (reset each render) renderDotsCreated: 0, renderDotsReused: 0, renderListItemsCreated: 0, renderListItemsReused: 0, lastRenderTime: 0, renderCount: 0 }; function createNewDot() { const dot = document.createElement('div'); dot.className = 'dot'; performanceStats.dotsCreated++; performanceStats.renderDotsCreated++; // Add event listeners once when creating dot.addEventListener('mouseenter', e => showTooltip(e, dot.playerData)); dot.addEventListener('mousemove', e => showTooltip(e, dot.playerData)); dot.addEventListener('mouseleave', hideTooltip); dot.addEventListener('click', () => { if (dot.playerData) { const { x, y } = worldToPx(dot.playerData.ew, dot.playerData.ns); selectPlayer(dot.playerData, x, y); } }); return dot; } function createNewListItem() { const li = document.createElement('li'); li.className = 'player-item'; performanceStats.listItemsCreated++; performanceStats.renderListItemsCreated++; // Create the grid content container const gridContent = document.createElement('div'); gridContent.className = 'grid-content'; li.appendChild(gridContent); // Create buttons once and keep them (no individual event listeners needed) const buttonsContainer = document.createElement('div'); buttonsContainer.className = 'buttons-container'; const chatBtn = document.createElement('button'); chatBtn.className = 'chat-btn'; chatBtn.textContent = 'Chat'; chatBtn.addEventListener('click', (e) => { debugLog('🔥 CHAT BUTTON CLICKED!', e.target, e.currentTarget); e.stopPropagation(); // Try button's own playerData first, fallback to DOM traversal const playerData = e.currentTarget.playerData || e.target.closest('li.player-item')?.playerData; debugLog('🔥 Player data found:', playerData); if (playerData) { debugLog('🔥 Opening chat for:', playerData.character_name); showChatWindow(playerData.character_name); } else { debugLog('🔥 No player data found!'); } }); const statsBtn = document.createElement('button'); statsBtn.className = 'stats-btn'; statsBtn.textContent = 'Stats'; statsBtn.addEventListener('click', (e) => { debugLog('📊 STATS BUTTON CLICKED!', e.target, e.currentTarget); e.stopPropagation(); // Try button's own playerData first, fallback to DOM traversal const playerData = e.currentTarget.playerData || e.target.closest('li.player-item')?.playerData; debugLog('📊 Player data found:', playerData); if (playerData) { debugLog('📊 Opening stats for:', playerData.character_name); showStatsWindow(playerData.character_name); } else { debugLog('📊 No player data found!'); } }); const inventoryBtn = document.createElement('button'); inventoryBtn.className = 'inventory-btn'; inventoryBtn.textContent = 'Inventory'; inventoryBtn.addEventListener('click', (e) => { debugLog('🎒 INVENTORY BUTTON CLICKED!', e.target, e.currentTarget); e.stopPropagation(); // Try button's own playerData first, fallback to DOM traversal const playerData = e.currentTarget.playerData || e.target.closest('li.player-item')?.playerData; debugLog('🎒 Player data found:', playerData); if (playerData) { debugLog('🎒 Opening inventory for:', playerData.character_name); showInventoryWindow(playerData.character_name); } else { debugLog('🎒 No player data found!'); } }); buttonsContainer.appendChild(chatBtn); buttonsContainer.appendChild(statsBtn); buttonsContainer.appendChild(inventoryBtn); li.appendChild(buttonsContainer); // Store references for easy access li.gridContent = gridContent; li.chatBtn = chatBtn; li.statsBtn = statsBtn; li.inventoryBtn = inventoryBtn; return li; } function returnToPool() { // Return unused dots to pool elementPools.activeDots.forEach(dot => { if (!dot.parentNode) { elementPools.dots.push(dot); elementPools.activeDots.delete(dot); } }); // Return unused list items to pool elementPools.activeListItems.forEach(li => { if (!li.parentNode) { elementPools.listItems.push(li); elementPools.activeListItems.delete(li); } }); } /* ---------- Event Delegation System ---------------------------- */ // Single event delegation handler for all player list interactions function setupEventDelegation() { list.addEventListener('click', e => { const li = e.target.closest('li.player-item'); if (!li || !li.playerData) return; const player = li.playerData; const { x, y } = worldToPx(player.ew, player.ns); // Handle player selection (clicking anywhere else on the item, not on buttons) // Button clicks are now handled by direct event listeners if (!e.target.closest('button')) { selectPlayer(player, x, y); } }); } // Initialize event delegation when DOM is ready document.addEventListener('DOMContentLoaded', setupEventDelegation); // Global drag system to prevent event listener accumulation let currentDragWindow = null; let dragStartX = 0, dragStartY = 0, dragStartLeft = 0, dragStartTop = 0; function makeDraggable(win, header) { if (!window.__chatZ) window.__chatZ = 10000; header.style.cursor = 'move'; const bringToFront = () => { window.__chatZ += 1; win.style.zIndex = window.__chatZ; }; header.addEventListener('mousedown', e => { if (e.target.closest('button')) return; e.preventDefault(); currentDragWindow = win; bringToFront(); dragStartX = e.clientX; dragStartY = e.clientY; dragStartLeft = win.offsetLeft; dragStartTop = win.offsetTop; document.body.classList.add('noselect'); }); // Touch support header.addEventListener('touchstart', e => { if (e.touches.length !== 1 || e.target.closest('button')) return; currentDragWindow = win; bringToFront(); const t = e.touches[0]; dragStartX = t.clientX; dragStartY = t.clientY; dragStartLeft = win.offsetLeft; dragStartTop = win.offsetTop; }); } // Global mouse handlers (only added once) window.addEventListener('mousemove', e => { if (!currentDragWindow) return; const dx = e.clientX - dragStartX; const dy = e.clientY - dragStartY; currentDragWindow.style.left = `${dragStartLeft + dx}px`; currentDragWindow.style.top = `${dragStartTop + dy}px`; }); window.addEventListener('mouseup', () => { if (currentDragWindow) { currentDragWindow = null; document.body.classList.remove('noselect'); } }); window.addEventListener('touchmove', e => { if (!currentDragWindow || e.touches.length !== 1) return; const t = e.touches[0]; const dx = t.clientX - dragStartX; const dy = t.clientY - dragStartY; currentDragWindow.style.left = `${dragStartLeft + dx}px`; currentDragWindow.style.top = `${dragStartTop + dy}px`; }); window.addEventListener('touchend', () => { currentDragWindow = null; }); // Filter input for player names (starts-with filter) let currentFilter = ''; const filterInput = document.getElementById('playerFilter'); if (filterInput) { filterInput.addEventListener('input', e => { currentFilter = e.target.value.toLowerCase().trim(); renderList(); }); } // WebSocket for chat and commands let socket; // Keep track of open chat windows: character_name -> DOM element const chatWindows = {}; // Keep track of open stats windows: character_name -> DOM element const statsWindows = {}; // Keep track of open inventory windows: character_name -> DOM element const inventoryWindows = {}; /** * ---------- Application Constants ----------------------------- * Defines key parameters for map rendering, data polling, and UI limits. * * MAX_Z: Maximum altitude difference considered (filter out outliers by Z) * FOCUS_ZOOM: Zoom level when focusing on a selected character * POLL_MS: Millisecond interval to fetch live player data and trails * MAP_BOUNDS: World coordinate bounds for the game map (used for projection) * API_BASE: Prefix for AJAX endpoints (set when behind a proxy) * MAX_CHAT_LINES: Max number of lines per chat window to cap memory usage * CHAT_COLOR_MAP: Color mapping for in-game chat channels by channel code */ /* ---------- constants ------------------------------------------- */ const MAX_Z = 20; const FOCUS_ZOOM = 3; // zoom level when you click a name const POLL_MS = 2000; const POLL_RARES_MS = 300000; // 5 minutes const POLL_KILLS_MS = 300000; // 5 minutes const POLL_HEALTH_MS = 30000; // 30 seconds const NOTIFICATION_DURATION_MS = 6000; // Rare notification display time const GLOW_DURATION_MS = 5000; // Player glow after rare find const MAX_HEATMAP_POINTS = 50000; const HEATMAP_HOURS = 24; // UtilityBelt's more accurate coordinate bounds const MAP_BOUNDS = { west: -102.1, east: 102.1, north: 102.1, south: -102.1 }; // Base path for tracker API endpoints; prefix API calls with '/api' when served behind a proxy // If serving APIs at root, leave empty const API_BASE = ''; // Maximum number of lines to retain in each chat window scrollback const MAX_CHAT_LINES = 1000; // Map numeric chat color codes to CSS hex colors const CHAT_COLOR_MAP = { 0: '#00FF00', // Broadcast 2: '#FFFFFF', // Speech 3: '#FFD700', // Tell 4: '#CCCC00', // OutgoingTell 5: '#FF00FF', // System 6: '#FF0000', // Combat 7: '#00CCFF', // Magic 8: '#DDDDDD', // Channel 9: '#FF9999', // ChannelSend 10: '#FFFF33', // Social 11: '#CCFF33', // SocialSend 12: '#FFFFFF', // Emote 13: '#00FFFF', // Advancement 14: '#66CCFF', // Abuse 15: '#FF0000', // Help 16: '#33FF00', // Appraisal 17: '#0099FF', // Spellcasting 18: '#FF6600', // Allegiance 19: '#CC66FF', // Fellowship 20: '#00FF00', // WorldBroadcast 21: '#FF0000', // CombatEnemy 22: '#FF33CC', // CombatSelf 23: '#00CC00', // Recall 24: '#00FF00', // Craft 25: '#00FF66', // Salvaging 27: '#FFFFFF', // General 28: '#33FF33', // Trade 29: '#CCCCCC', // LFG 30: '#CC00CC', // Roleplay 31: '#FFFF00' // AdminTell }; /* ---------- Heat Map Globals ---------- */ let heatmapCanvas, heatmapCtx; let heatmapEnabled = false; let heatmapData = null; let heatTimeout = null; const HEAT_PADDING = 50; // px beyond viewport to still draw const HEAT_THROTTLE = 16; // ~60 fps /* ---------- Portal Map Globals ---------- */ let portalEnabled = false; let portalData = null; let portalContainer = null; /** * ---------- Player Color Assignment ---------------------------- * Uses a predefined accessible color palette for player dots to ensure * high contrast and colorblind-friendly display. Once the palette * is exhausted, falls back to a deterministic hash-to-hue function. */ /* ---------- player/dot color assignment ------------------------- */ // A base palette of distinct, color-blind-friendly colors const PALETTE = [ // Original colorblind-friendly base palette '#1f77b4', '#ff7f0e', '#2ca02c', '#d62728', '#9467bd', '#8c564b', '#e377c2', '#7f7f7f', '#bcbd22', '#17becf', // Extended high-contrast colors '#ff4444', '#44ff44', '#4444ff', '#ffff44', '#ff44ff', '#44ffff', '#ff8844', '#88ff44', '#4488ff', '#ff4488', // Darker variants '#cc3333', '#33cc33', '#3333cc', '#cccc33', '#cc33cc', '#33cccc', '#cc6633', '#66cc33', '#3366cc', '#cc3366', // Brighter variants '#ff6666', '#66ff66', '#6666ff', '#ffff66', '#ff66ff', '#66ffff', '#ffaa66', '#aaff66', '#66aaff', '#ff66aa', // Additional distinct colors '#990099', '#009900', '#000099', '#990000', '#009999', '#999900', '#aa5500', '#55aa00', '#0055aa', '#aa0055', // Light pastels for contrast '#ffaaaa', '#aaffaa', '#aaaaff', '#ffffaa', '#ffaaff', '#aaffff', '#ffccaa', '#ccffaa', '#aaccff', '#ffaacc' ]; // Map from character name to assigned color const colorMap = {}; // Next index to pick from PALETTE let nextPaletteIndex = 0; /** * Assigns or returns a consistent color for a given name. * Uses a fixed palette first, then falls back to hue hashing. */ function getColorFor(name) { if (colorMap[name]) { return colorMap[name]; } let color; if (nextPaletteIndex < PALETTE.length) { color = PALETTE[nextPaletteIndex++]; } else { // Fallback: hash to HSL hue color = hue(name); } colorMap[name] = color; return color; } /* * ---------- Sort Configuration ------------------------------- * Defines available sort criteria for the active player list: * - name: alphabetical ascending * - kph: kills per hour descending * - kills: total kills descending * - rares: rare events found during current session descending * Each option includes a label for UI display and a comparator function. */ /* ---------- sort configuration ---------------------------------- */ const sortOptions = [ { value: "name", label: "Name", comparator: (a, b) => a.character_name.localeCompare(b.character_name) }, { value: "kph", label: "KPH", comparator: (a, b) => b.kills_per_hour - a.kills_per_hour }, { value: "kills", label: "S.Kills", comparator: (a, b) => b.kills - a.kills }, { value: "rares", label: "S.Rares", comparator: (a, b) => (b.session_rares || 0) - (a.session_rares || 0) }, { value: "total_kills", label: "T.Kills", comparator: (a, b) => (b.total_kills || 0) - (a.total_kills || 0) }, { value: "kpr", label: "KPR", comparator: (a, b) => { const aKpr = (a.total_rares || 0) > 0 ? (a.total_kills || 0) / (a.total_rares || 0) : Infinity; const bKpr = (b.total_rares || 0) > 0 ? (b.total_kills || 0) / (b.total_rares || 0) : Infinity; return aKpr - bKpr; // Ascending - lower KPR is better (more efficient rare finding) } } ]; let currentSort = sortOptions[0]; let currentPlayers = []; /* ---------- generate segmented buttons -------------------------- */ sortOptions.forEach(opt => { const btn = document.createElement('div'); btn.className = 'btn'; btn.textContent = opt.label; btn.dataset.value = opt.value; if (opt.value === currentSort.value) btn.classList.add('active'); btn.addEventListener('click', () => { btnContainer.querySelectorAll('.btn') .forEach(b => b.classList.remove('active')); btn.classList.add('active'); currentSort = opt; renderList(); }); btnContainer.appendChild(btn); }); /* ---------- map & state variables ------------------------------- */ let imgW = 0, imgH = 0; let scale = 1, offX = 0, offY = 0, minScale = 1; let dragging = false, sx = 0, sy = 0; let selected = ""; let pollID = null; /* ---------- utility functions ----------------------------------- */ const hue = name => { let h = 0; for (let c of name) h = c.charCodeAt(0) + ((h << 5) - h); return `hsl(${Math.abs(h) % 360},72%,50%)`; }; const loc = (ns, ew) => `${Math.abs(ns).toFixed(1)}${ns>=0?"N":"S"} ` + `${Math.abs(ew).toFixed(1)}${ew>=0?"E":"W"}`; function worldToPx(ew, ns) { const x = ((ew - MAP_BOUNDS.west) / (MAP_BOUNDS.east - MAP_BOUNDS.west)) * imgW; const y = ((MAP_BOUNDS.north - ns) / (MAP_BOUNDS.north - MAP_BOUNDS.south)) * imgH; return { x, y }; } function pxToWorld(x, y) { // Convert screen coordinates to map image coordinates const mapX = (x - offX) / scale; const mapY = (y - offY) / scale; // Convert map image coordinates to world coordinates const ew = MAP_BOUNDS.west + (mapX / imgW) * (MAP_BOUNDS.east - MAP_BOUNDS.west); const ns = MAP_BOUNDS.north - (mapY / imgH) * (MAP_BOUNDS.north - MAP_BOUNDS.south); return { ew, ns }; } /* ---------- Heat Map Functions ---------- */ function initHeatMap() { heatmapCanvas = document.getElementById('heatmapCanvas'); if (!heatmapCanvas) { console.error('Heat map canvas not found'); return; } heatmapCtx = heatmapCanvas.getContext('2d'); const toggle = document.getElementById('heatmapToggle'); if (toggle) { toggle.addEventListener('change', e => { heatmapEnabled = e.target.checked; if (heatmapEnabled) { fetchHeatmapData(); } else { clearHeatmap(); } }); } window.addEventListener('resize', debounce(() => { if (heatmapEnabled && heatmapData) { renderHeatmap(); } }, 250)); } async function fetchHeatmapData() { try { const response = await fetch(`${API_BASE}/spawns/heatmap?hours=${HEATMAP_HOURS}&limit=${MAX_HEATMAP_POINTS}`); if (!response.ok) { throw new Error(`Heat map API error: ${response.status}`); } const data = await response.json(); heatmapData = data.spawn_points; // [{ew, ns, intensity}] debugLog(`Loaded ${heatmapData.length} heat map points from last ${data.hours_window} hours`); renderHeatmap(); } catch (err) { console.error('Failed to fetch heat map data:', err); } } function renderHeatmap() { if (!heatmapEnabled || !heatmapData || !heatmapCanvas || !imgW || !imgH) { return; } // Set canvas size to match map dimensions (1:1 DPI) heatmapCanvas.width = imgW; heatmapCanvas.height = imgH; heatmapCtx.clearRect(0, 0, imgW, imgH); // Current visible map rect in px for viewport culling const vw = wrap.clientWidth; const vh = wrap.clientHeight; const viewL = -offX / scale; const viewT = -offY / scale; const viewR = viewL + vw / scale; const viewB = viewT + vh / scale; // Render heat map points with viewport culling for (const point of heatmapData) { const { x, y } = worldToPx(point.ew, point.ns); // Skip points outside visible area (with padding for smooth edges) if (x < viewL - HEAT_PADDING || x > viewR + HEAT_PADDING || y < viewT - HEAT_PADDING || y > viewB + HEAT_PADDING) { continue; } // Smaller, more precise spots to clearly show individual spawn locations const radius = Math.max(5, Math.min(12, 5 + Math.sqrt(point.intensity * 0.5))); // Sharp gradient with distinct boundaries between spawn points const gradient = heatmapCtx.createRadialGradient(x, y, 0, x, y, radius); gradient.addColorStop(0, `rgba(255, 0, 0, ${Math.min(0.9, point.intensity / 40)})`); // Bright red center gradient.addColorStop(0.6, `rgba(255, 100, 0, ${Math.min(0.4, point.intensity / 120)})`); // Quick fade to orange gradient.addColorStop(1, 'rgba(255, 150, 0, 0)'); heatmapCtx.fillStyle = gradient; heatmapCtx.fillRect(x - radius, y - radius, radius * 2, radius * 2); } } function clearHeatmap() { if (heatmapCtx && heatmapCanvas) { heatmapCtx.clearRect(0, 0, heatmapCanvas.width, heatmapCanvas.height); } } /* ---------- Portal Map Functions ---------- */ function initPortalMap() { portalContainer = document.getElementById('portals'); if (!portalContainer) { console.error('Portal container not found'); return; } const toggle = document.getElementById('portalToggle'); if (toggle) { toggle.addEventListener('change', e => { portalEnabled = e.target.checked; if (portalEnabled) { fetchPortalData(); } else { clearPortals(); } }); } } async function fetchPortalData() { try { const response = await fetch(`${API_BASE}/portals`); if (!response.ok) { throw new Error(`Portal API error: ${response.status}`); } const data = await response.json(); portalData = data.portals; // [{portal_name, coordinates: {ns, ew, z}, discovered_by, discovered_at}] debugLog(`Loaded ${portalData.length} portals from last hour`); renderPortals(); } catch (err) { console.error('Failed to fetch portal data:', err); } } function parseCoordinate(coord) { // Handle both formats: // String format: "42.3N", "15.7S", "33.7E", "28.2W" // Numeric format: "-96.9330958" (already signed) // Check if it's already a number if (typeof coord === 'number') { return coord; } // Check if it's a numeric string const numericValue = parseFloat(coord); if (!isNaN(numericValue) && coord.match(/^-?\d+\.?\d*$/)) { return numericValue; } // Parse string format like "42.3N" const match = coord.match(/^([0-9.]+)([NSEW])$/); if (!match) return 0; const value = parseFloat(match[1]); const direction = match[2]; if (direction === 'S' || direction === 'W') { return -value; } return value; } function renderPortals() { if (!portalEnabled || !portalData || !portalContainer || !imgW || !imgH) { return; } // Clear existing portals clearPortals(); for (const portal of portalData) { // Extract coordinates from new API format const ns = portal.coordinates.ns; const ew = portal.coordinates.ew; // Convert to pixel coordinates const { x, y } = worldToPx(ew, ns); // Create portal icon const icon = document.createElement('div'); icon.className = 'portal-icon'; icon.style.left = `${x}px`; icon.style.top = `${y}px`; icon.title = `${portal.portal_name} (discovered by ${portal.discovered_by})`; portalContainer.appendChild(icon); } debugLog(`Rendered ${portalData.length} portal icons`); } function clearPortals() { if (portalContainer) { portalContainer.innerHTML = ''; } } function debounce(fn, ms) { let timeout; return (...args) => { clearTimeout(timeout); timeout = setTimeout(() => fn(...args), ms); }; } // Show or create a stats window for a character function showStatsWindow(name) { debugLog('📊 showStatsWindow called for:', name); if (statsWindows[name]) { const existing = statsWindows[name]; debugLog('📊 Existing stats window found, showing it:', existing); // Always show the window (no toggle) existing.style.display = 'flex'; // Bring to front when opening if (!window.__chatZ) window.__chatZ = 10000; window.__chatZ += 1; existing.style.zIndex = window.__chatZ; debugLog('📊 Stats window shown with zIndex:', window.__chatZ); return; } debugLog('📊 Creating new stats window for:', name); const win = document.createElement('div'); win.className = 'stats-window'; win.dataset.character = name; // Header (reuses chat-header styling) const header = document.createElement('div'); header.className = 'chat-header'; const title = document.createElement('span'); title.textContent = `Stats: ${name}`; const closeBtn = document.createElement('button'); closeBtn.className = 'chat-close-btn'; closeBtn.textContent = '×'; closeBtn.addEventListener('click', () => { win.style.display = 'none'; }); header.appendChild(title); header.appendChild(closeBtn); win.appendChild(header); // Time period controls const controls = document.createElement('div'); controls.className = 'stats-controls'; const timeRanges = [ { label: '1H', value: 'now-1h' }, { label: '6H', value: 'now-6h' }, { label: '24H', value: 'now-24h' }, { label: '7D', value: 'now-7d' } ]; timeRanges.forEach(range => { const btn = document.createElement('button'); btn.className = 'time-range-btn'; btn.textContent = range.label; if (range.value === 'now-24h') btn.classList.add('active'); btn.addEventListener('click', () => { controls.querySelectorAll('.time-range-btn').forEach(b => b.classList.remove('active')); btn.classList.add('active'); updateStatsTimeRange(content, name, range.value); }); controls.appendChild(btn); }); win.appendChild(controls); // Content container const content = document.createElement('div'); content.className = 'chat-messages'; content.textContent = 'Loading stats...'; win.appendChild(content); debugLog('📊 Appending stats window to DOM:', win); document.body.appendChild(win); statsWindows[name] = win; debugLog('📊 Stats window added to DOM, total children:', document.body.children.length); // Load initial stats with default 24h range updateStatsTimeRange(content, name, 'now-24h'); // Enable dragging using the global drag system makeDraggable(win, header); } function updateStatsTimeRange(content, name, timeRange) { content.innerHTML = ''; const panels = [ { title: 'Kills per Hour', id: 1 }, { title: 'Memory (MB)', id: 2 }, { title: 'CPU (%)', id: 3 }, { title: 'Mem Handles', id: 4 } ]; panels.forEach(p => { const iframe = document.createElement('iframe'); iframe.src = `/grafana/d-solo/dereth-tracker/dereth-tracker-dashboard` + `?panelId=${p.id}` + `&var-character=${encodeURIComponent(name)}` + `&from=${timeRange}` + `&to=now` + `&theme=light`; iframe.setAttribute('title', p.title); iframe.width = '350'; iframe.height = '200'; iframe.frameBorder = '0'; iframe.allowFullscreen = true; content.appendChild(iframe); }); } // Show or create an inventory window for a character function showInventoryWindow(name) { debugLog('🎒 showInventoryWindow called for:', name); if (inventoryWindows[name]) { const existing = inventoryWindows[name]; debugLog('🎒 Existing inventory window found, showing it:', existing); // Always show the window (no toggle) existing.style.display = 'flex'; // Bring to front when opening if (!window.__chatZ) window.__chatZ = 10000; window.__chatZ += 1; existing.style.zIndex = window.__chatZ; debugLog('🎒 Inventory window shown with zIndex:', window.__chatZ); return; } debugLog('🎒 Creating new inventory window for:', name); const win = document.createElement('div'); win.className = 'inventory-window'; win.dataset.character = name; // Header (reuses chat-header styling) const header = document.createElement('div'); header.className = 'chat-header'; const title = document.createElement('span'); title.textContent = `Inventory: ${name}`; const closeBtn = document.createElement('button'); closeBtn.className = 'chat-close-btn'; closeBtn.textContent = '×'; closeBtn.addEventListener('click', () => { win.style.display = 'none'; }); header.appendChild(title); header.appendChild(closeBtn); win.appendChild(header); // Loading message const loading = document.createElement('div'); loading.className = 'inventory-loading'; loading.textContent = 'Loading inventory...'; win.appendChild(loading); // Content container const content = document.createElement('div'); content.className = 'inventory-content'; content.style.display = 'none'; win.appendChild(content); // Fetch inventory data from main app (which will proxy to inventory service) fetch(`${API_BASE}/inventory/${encodeURIComponent(name)}?limit=1000`) .then(response => { if (!response.ok) throw new Error(`HTTP ${response.status}`); return response.json(); }) .then(data => { loading.style.display = 'none'; content.style.display = 'block'; // Create inventory grid const grid = document.createElement('div'); grid.className = 'inventory-grid'; // Render each item data.items.forEach(item => { const slot = document.createElement('div'); slot.className = 'inventory-slot'; // Create layered icon container const iconContainer = document.createElement('div'); iconContainer.className = 'item-icon-composite'; // Get base icon ID with portal.dat offset const baseIconId = (item.icon + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); // Check for overlay and underlay from enhanced format or legacy format let overlayIconId = null; let underlayIconId = null; // Enhanced format (inventory service) - check for proper icon overlay/underlay properties if (item.icon_overlay_id && item.icon_overlay_id > 0) { overlayIconId = (item.icon_overlay_id + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); } if (item.icon_underlay_id && item.icon_underlay_id > 0) { underlayIconId = (item.icon_underlay_id + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); } // Fallback: Enhanced format (inventory service) - check spells object for decal info if (!overlayIconId && !underlayIconId && item.spells && typeof item.spells === 'object') { // Icon overlay (using the actual property names from the data) // Only use valid icon IDs (must be > 100 to avoid invalid small IDs) if (item.spells.spell_decal_218103838 && item.spells.spell_decal_218103838 > 100) { overlayIconId = (item.spells.spell_decal_218103838 + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); } // Icon underlay if (item.spells.spell_decal_218103848 && item.spells.spell_decal_218103848 > 100) { underlayIconId = (item.spells.spell_decal_218103848 + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); } } else if (item.item_data) { // Legacy format - parse item_data try { const itemData = typeof item.item_data === 'string' ? JSON.parse(item.item_data) : item.item_data; if (itemData.IntValues) { // Icon overlay (ID 218103849) - only use valid icon IDs if (itemData.IntValues['218103849'] && itemData.IntValues['218103849'] > 100) { overlayIconId = (itemData.IntValues['218103849'] + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); } // Icon underlay (ID 218103850) - only use valid icon IDs if (itemData.IntValues['218103850'] && itemData.IntValues['218103850'] > 100) { underlayIconId = (itemData.IntValues['218103850'] + 0x06000000).toString(16).toUpperCase().padStart(8, '0'); } } } catch (e) { console.warn('Failed to parse item data for', item.name); } } // Create underlay (bottom layer) if (underlayIconId) { const underlayImg = document.createElement('img'); underlayImg.className = 'icon-underlay'; underlayImg.src = `/icons/${underlayIconId}.png`; underlayImg.alt = 'underlay'; underlayImg.onerror = function() { this.style.display = 'none'; }; iconContainer.appendChild(underlayImg); } // Create base icon (middle layer) const baseImg = document.createElement('img'); baseImg.className = 'icon-base'; baseImg.src = `/icons/${baseIconId}.png`; baseImg.alt = item.name || 'Unknown Item'; baseImg.onerror = function() { // Final fallback this.src = '/icons/06000133.png'; }; iconContainer.appendChild(baseImg); // Create overlay (top layer) if (overlayIconId) { const overlayImg = document.createElement('img'); overlayImg.className = 'icon-overlay'; overlayImg.src = `/icons/${overlayIconId}.png`; overlayImg.alt = 'overlay'; overlayImg.onerror = function() { this.style.display = 'none'; }; iconContainer.appendChild(overlayImg); } // Create tooltip data slot.dataset.name = item.name || 'Unknown Item'; slot.dataset.value = item.value || 0; slot.dataset.burden = item.burden || 0; // Store enhanced data for tooltips // All data now comes from inventory service (no more local fallback) if (item.max_damage !== undefined || item.object_class_name !== undefined || item.spells !== undefined) { // Inventory service provides clean, structured data with translations // Only include properties that actually exist on the item const enhancedData = {}; // Check all possible enhanced properties from inventory service const possibleProps = [ 'max_damage', 'armor_level', 'damage_bonus', 'attack_bonus', 'wield_level', 'skill_level', 'lore_requirement', 'equip_skill', 'equip_skill_name', 'material', 'material_name', 'material_id', 'imbue', 'item_set', 'tinks', 'workmanship', 'workmanship_text', 'damage_rating', 'crit_rating', 'heal_boost_rating', 'has_id_data', 'object_class_name', 'spells', 'enhanced_properties', 'damage_range', 'damage_type', 'min_damage', 'speed_text', 'speed_value', 'mana_display', 'spellcraft', 'current_mana', 'max_mana', 'melee_defense_bonus', 'magic_defense_bonus', 'missile_defense_bonus', 'elemental_damage_vs_monsters', 'mana_conversion_bonus', 'icon_overlay_id', 'icon_underlay_id' ]; // Only add properties that exist and have meaningful values possibleProps.forEach(prop => { if (item.hasOwnProperty(prop) && item[prop] !== undefined && item[prop] !== null) { enhancedData[prop] = item[prop]; } }); slot.dataset.enhancedData = JSON.stringify(enhancedData); } else { // No enhanced data available slot.dataset.enhancedData = JSON.stringify({}); } // Add tooltip on hover slot.addEventListener('mouseenter', e => showInventoryTooltip(e, slot)); slot.addEventListener('mousemove', e => showInventoryTooltip(e, slot)); slot.addEventListener('mouseleave', hideInventoryTooltip); slot.appendChild(iconContainer); grid.appendChild(slot); }); content.appendChild(grid); // Add item count const count = document.createElement('div'); count.className = 'inventory-count'; count.textContent = `${data.item_count} items`; content.appendChild(count); }) .catch(err => { loading.textContent = `Failed to load inventory: ${err.message}`; console.error('Inventory fetch failed:', err); }); debugLog('🎒 Appending inventory window to DOM:', win); document.body.appendChild(win); inventoryWindows[name] = win; debugLog('🎒 Inventory window added to DOM, total children:', document.body.children.length); // Enable dragging using the global drag system makeDraggable(win, header); } // Inventory tooltip functions let inventoryTooltip = null; function showInventoryTooltip(e, slot) { if (!inventoryTooltip) { inventoryTooltip = document.createElement('div'); inventoryTooltip.className = 'inventory-tooltip'; document.body.appendChild(inventoryTooltip); } const name = slot.dataset.name; const value = parseInt(slot.dataset.value) || 0; const burden = parseInt(slot.dataset.burden) || 0; // Build enhanced tooltip let tooltipHTML = `