Mudanças entre as edições de "Widget:C.Skills"

De Wiki Gla
Ir para navegação Ir para pesquisar
m
m
Linha 1: Linha 1:
<!-- SKILLS SYSTEM -->
<!-- MAIN SKILLS SYSTEM -->
<script>
<script>
     (function () {
     (function () {
         'use strict';
         const $ = (s, root = document) => root.querySelector(s);
         const { $, $$, filePathURL, slugify, getLangKey, chooseDescFrom, subBarTemplateCache } = window.__CBase || {};
        const $$ = (s, root = document) => Array.from(root.querySelectorAll(s));
        const ensureRemoved = sel => {
            Array.from(document.querySelectorAll(sel)).forEach(n => n.remove());
        };
        const onceFlag = (el, key) => {
            if (!el) return false;
            if (el.dataset[key]) return false;
            el.dataset[key] = '1';
            return true;
        };
         const addOnce = (el, ev, fn) => {
            if (!el) return;
            const attr = `data-wired-${ev}`;
            if (el.hasAttribute(attr)) return;
            el.addEventListener(ev, fn);
            el.setAttribute(attr, '1');
        };
        const FLAG_ICON_FILES = {
            aggro: 'Enemyaggro-icon.png', bridge: 'Bridgemaker-icon.png', wall: 'Destroywall-icon.png', quickcast: 'Quickcast-icon.png', wallpass: 'Passthroughwall-icon.png'
        };
        const subBarTemplateCache = window.__skillSubBarTemplateCache || (window.__skillSubBarTemplateCache = new Map());
        const imagePreloadCache = window.__skillImagePreloadCache || (window.__skillImagePreloadCache = new Map());
        const videoPreloadCache = window.__skillVideoPreloadCache || (window.__skillVideoPreloadCache = new Set());
        const flagRowCache = window.__skillFlagRowCache || (window.__skillFlagRowCache = new Map());
        const flagIconURLCache = window.__skillFlagIconURLCache || (window.__skillFlagIconURLCache = new Map());
        function filePathURL(fileName) {
            // Evita requisições para Nada.png que não existe
            if (!fileName || fileName.trim() === '' || fileName === 'Nada.png' || fileName.toLowerCase() === 'nada.png') {
                return '';
            }
            const f = encodeURIComponent(fileName.replace(/^Arquivo:|^File:/, ''));
            const base = (window.mw && mw.util && typeof mw.util.wikiScript === 'function') ? mw.util.wikiScript() : (window.mw && window.mw.config ? (mw.config.get('wgScript') || '/index.php') : '/index.php');
            // Garante HTTPS para evitar Mixed Content
            let url = `${base}?title=Especial:FilePath/${f}`;
            if (window.location.protocol === 'https:' && url.startsWith('http://')) {
                url = url.replace('http://', 'https://');
            }
            return url;
        } function slugify(s) {
            if (!s) return '';
            return String(s).toLowerCase().normalize('NFD').replace(/[\u0300-\u036f]/g, '').replace(/[^\w\s-]/g, '').replace(/[\s:/\-]+/g, '-').replace(/^-+|-+$/g, '').replace(/-+/g, '-');
        } window.__skillSlugify = slugify;
        function getLangKey() {
            const skillsRoot = document.getElementById('skills');
            const raw = (document.documentElement.lang || skillsRoot?.dataset.i18nDefault || 'pt').toLowerCase();
            return raw === 'pt-br' ? 'pt' : (raw.split('-')[0] || 'pt');
        } function chooseDescFrom(obj) {
            const lang = getLangKey();
            // Aceita tanto desc_i18n quanto desc para compatibilidade
            const pack = obj.desc_i18n || obj.desc || {
                pt: obj.descPt, en: obj.descEn, es: obj.descEs, pl: obj.descPl
            };
            return (pack && (pack[lang] || pack.pt || pack.en || pack.es || pack.pl)) || '';
        } function renderSubAttributesFromObj(s, L) {
            const chip = (label, val) => (val ? `<div class="attr-row"><span class="attr-label">${label}</span><span class="attr-value">${val}</span></div>` : '');
            const pve = (s.powerpve || '').toString().trim();
            const pvp = (s.powerpvp || '').toString().trim();
            const en = (s.energy || '').toString().trim();
            const cd = (s.cooldown || '').toString().trim();
            const rows = [cd ? chip(L.cooldown, cd) : '', en ? chip((en.startsWith('-') ? L.energy_cost : L.energy_gain), en.startsWith('-') ? en.replace(/^-/, '') : en.replace(/^\+?/, '')) : '', pve ? chip(L.power, pve) : '', pvp ? chip(L.power_pvp, pvp) : '',].filter(Boolean);
            return rows.length ? `<div class="attr-list">${rows.join('')}</div>` : '';
        } function getFlagIconURL(key) {
            if (!FLAG_ICON_FILES[key]) return '';
            if (!flagIconURLCache.has(key)) {
                flagIconURLCache.set(key, filePathURL(FLAG_ICON_FILES[key]));
            } return flagIconURLCache.get(key);
        } function renderFlagsRow(flags) {
            const arr = (flags || []).filter(Boolean);
            if (!arr.length) return '';
            const cacheKey = arr.join('|');
            if (flagRowCache.has(cacheKey)) {
                return flagRowCache.get(cacheKey);
            } const items = arr.map(k => {
                const url = getFlagIconURL(k);
                return url ? `<img class="skill-flag" data-flag="${k}" alt="" src="${url}">` : '';
            }).join('');
            const html = items ? `<div class="skill-flags" role="group" aria-label="Características">${items}</div>` : '';
            if (html) flagRowCache.set(cacheKey, html);
            return html;
        } function applyFlagTooltips(container) {
            const skillsRoot = document.getElementById('skills');
            if (!skillsRoot) return;
            let pack = {
            };
            try {
                pack = JSON.parse(skillsRoot.dataset.i18nFlags || '{}');
            } catch (e) {
            } const lang = getLangKey();
            const dict = pack[lang] || pack.pt || {
            };
            const flags = container.querySelectorAll('.skill-flags .skill-flag[data-flag]');
            const tooltip = window.__globalSkillTooltip;
            if (!tooltip) return;
            flags.forEach(el => {
                const key = el.getAttribute('data-flag');
                const tip = (dict && dict[key]) || '';
                if (!tip) return;
                if (el.dataset.flagTipWired) return;
                el.dataset.flagTipWired = '1';
                el.setAttribute('aria-label', tip);
                if (el.hasAttribute('title')) el.removeAttribute('title');
                el.addEventListener('mouseenter', () => {
                    const tipEl = document.querySelector('.skill-tooltip');
                    if (tipEl) tipEl.classList.add('flag-tooltip');
                    tooltip.show(el, tip);
                });
                el.addEventListener('mousemove', () => {
                    if (performance.now() >= tooltip.lockUntil.value) {
                        tooltip.measureAndPos(el);
                    }
                });
                el.addEventListener('click', () => {
                    tooltip.lockUntil.value = performance.now() + 240;
                    tooltip.measureAndPos(el);
                });
                el.addEventListener('mouseleave', () => {
                    const tipEl = document.querySelector('.skill-tooltip');
                    if (tipEl) tipEl.classList.remove('flag-tooltip');
                    tooltip.hide();
                });
            });
        }


         const FLAG_ICON_FILES = {
        // ====== Skill/Subskill inheritance helpers ======
             aggro: 'Enemyaggro-icon.png',
         const mainSkillsMeta = {
            bridge: 'Bridgemaker-icon.png',
             byIndex: new Map(),
            wall: 'Destroywall-icon.png',
             byName: new Map(),
             quickcast: 'Quickcast-icon.png',
             ready: false
             wallpass: 'Passthroughwall-icon.png'
         };
         };


         const iconsBar = $('#skills') ? $('.icon-bar', $('#skills')) : null;
         function normalizeFileURL(raw, fallback = '') {
         const descBox = $('#skills') ? $('.desc-box', $('#skills')) : null;
            if (!raw) return fallback;
        const videoBox = $('#skills') ? $('.video-container', $('#skills')) : null;
            const val = String(raw).trim();
        const skillsRoot = document.getElementById('skills');
            if (!val) return fallback;
            if (/^(https?:)?\/\//i.test(val) || val.startsWith('data:') || val.includes('Especial:FilePath/')) {
                return val;
            } return filePathURL(val);
        }
 
        function extractFileNameFromURL(url) {
            if (!url) return '';
            const match = String(url).match(/(?:FilePath\/)([^&?]+)/i);
            return match ? decodeURIComponent(match[1]) : '';
        }
 
        function parseAttrString(raw) {
            const parts = (raw || '').split(',').map(v => v.trim());
            const safe = idx => {
                const val = parts[idx] || '';
                return (val && val !== '-') ? val : '';
            };
            return {
                powerpve: safe(0),
                powerpvp: safe(1),
                energy: safe(2),
                cooldown: safe(3)
            };
        }
 
        function hasText(value) {
            return typeof value === 'string' ? value.trim() !== '' : value !== undefined && value !== null;
         }
 
        function pickFilled(current, fallback) {
            if (current === 0 || current === '0') return current;
            if (!hasText(current)) return fallback;
            return current;
        }
 
        function buildMainSkillsMeta(nodes) {
            if (mainSkillsMeta.ready) {
                return mainSkillsMeta;
            }
            (nodes || []).forEach(icon => {
                const index = (icon.dataset.index || '').trim();
                if (!index) return;
                const name = (icon.dataset.nome || icon.dataset.name || '').trim();
                const attrs = parseAttrString(icon.dataset.atr || '');
                let iconFile = (icon.dataset.iconFile || '').trim();
                if (!iconFile) {
                    const imgSrc = icon.querySelector('img')?.src || '';
                    const iconMatch = imgSrc.match(/(?:FilePath|images)\/([^\/?]+)$/);
                    iconFile = iconMatch ? decodeURIComponent(iconMatch[1]) : '';
                }
                let videoFile = (icon.dataset.videoFile || '').trim();
                if (!videoFile) {
                    videoFile = extractFileNameFromURL(icon.dataset.video || '');
                }
                const meta = {
                    index,
                    name,
                    icon: iconFile || 'Nada.png',
                    level: icon.dataset.level || '',
                    video: videoFile || '',
                    powerpve: attrs.powerpve || '',
                    powerpvp: attrs.powerpvp || '',
                    energy: attrs.energy || '',
                    cooldown: attrs.cooldown || '',
                    desc: icon.dataset.desc || '',
                    descPt: icon.dataset.descPt || '',
                    descEn: icon.dataset.descEn || '',
                    descEs: icon.dataset.descEs || '',
                    descPl: icon.dataset.descPl || ''
                };
                mainSkillsMeta.byIndex.set(index, meta);
                mainSkillsMeta.byIndex.set(parseInt(index, 10), meta);
                if (name) {
                    mainSkillsMeta.byName.set(name, meta);
                }
            });
            mainSkillsMeta.ready = true;
            return mainSkillsMeta;
        }
 
        function inheritSubskillFromMain(sub, meta) {
            if (!sub || !meta) return sub;
            // Suporta refS (novo) e refM (legado)
            const refS = ((sub.refS || sub.S || sub.s || '') + '').trim();
            const refIndex = ((sub.refM || sub.M || sub.m || '') + '').trim();
            let name = (sub.name || sub.n || '').trim();
            let main = null;
 
 
            // Primeiro tenta por refS
            if (refS) {
                main = meta.byIndex.get(refS) || meta.byIndex.get(parseInt(refS, 10));
            }
            // Depois por refM
            if (!main && refIndex) {
                main = meta.byIndex.get(refIndex) || meta.byIndex.get(parseInt(refIndex, 10));
            }
            // Por último pelo nome
            if (!main && name) {
                main = meta.byName.get(name);
            }
            if (!main) {
                return sub;
            }
 
            const hydrated = { ...sub };
            if (!name && main.name) {
                name = main.name;
            }
            hydrated.name = name || hydrated.name || main.name || '';
            hydrated.icon = pickFilled(hydrated.icon, main.icon || 'Nada.png');
            hydrated.level = pickFilled(hydrated.level, main.level || '');
 
            // Vídeo NUNCA é herdado da skill principal
            // Se a chave 'video' existe = foi especificado pelo editor (mesmo que vazio)
            // Se não existe = não foi especificado = não herda, fica vazio
            const hasOwnVideo = Object.prototype.hasOwnProperty.call(sub, 'video');
            hydrated.video = hasOwnVideo ? (sub.video || '') : '';
 
            hydrated.powerpve = pickFilled(hydrated.powerpve, main.powerpve || '');
            hydrated.powerpvp = pickFilled(hydrated.powerpvp, main.powerpvp || '');
            hydrated.energy = pickFilled(hydrated.energy, main.energy || '');
            hydrated.cooldown = pickFilled(hydrated.cooldown, main.cooldown || '');
 
            if (!hasText(hydrated.descPt) && hasText(main.descPt)) hydrated.descPt = main.descPt;
            if (!hasText(hydrated.descEn) && hasText(main.descEn)) hydrated.descEn = main.descEn;
            if (!hasText(hydrated.descEs) && hasText(main.descEs)) hydrated.descEs = main.descEs;
            if (!hasText(hydrated.descPl) && hasText(main.descPl)) hydrated.descPl = main.descPl;
            if (!hasText(hydrated.desc) && hasText(main.desc)) hydrated.desc = main.desc;
 
            if (!hydrated.desc_i18n && (hydrated.descPt || hydrated.descEn || hydrated.descEs || hydrated.descPl)) {
                hydrated.desc_i18n = {
                    pt: hydrated.descPt || '',
                    en: hydrated.descEn || '',
                    es: hydrated.descEs || '',
                    pl: hydrated.descPl || ''
                };
            }


        if (!iconsBar || !skillsRoot) return;
            return hydrated;
        }


        function inheritSubskillTree(subs, meta) {
            if (!Array.isArray(subs)) return [];
            return subs.map(sub => {
                const hydrated = inheritSubskillFromMain(sub, meta);
                if (Array.isArray(hydrated.subs)) {
                    hydrated.subs = inheritSubskillTree(hydrated.subs, meta);
                }
                return hydrated;
            });
        }
        function collectAssetsFromSubs(subs, iconsSet, videosSet, flagsSet) {
            if (!Array.isArray(subs)) return;
            subs.forEach(sub => {
                const iconURL = normalizeFileURL(sub.icon || 'Nada.png', '');
                if (iconURL && iconURL !== '') iconsSet.add(iconURL);
                // Vídeo normal
                if (sub.video && sub.video.trim() !== '' && sub.video !== 'Nada.png' && !sub.video.toLowerCase().includes('nada.png')) {
                    const videoURL = normalizeFileURL(sub.video);
                    if (videoURL) videosSet.add(videoURL);
                }
                // Vídeo de weapon
                if (sub.weapon && typeof sub.weapon === 'object' && sub.weapon.video && sub.weapon.video.trim() !== '' && sub.weapon.video !== 'Nada.png' && !sub.weapon.video.toLowerCase().includes('nada.png')) {
                    const weaponVideoURL = normalizeFileURL(sub.weapon.video);
                    if (weaponVideoURL) videosSet.add(weaponVideoURL);
                }
                if (Array.isArray(sub.flags)) {
                    sub.flags.forEach(flagKey => {
                        const url = getFlagIconURL(flagKey);
                        if (url) flagsSet.add(url);
                    });
                } if (Array.isArray(sub.subs)) {
                    collectAssetsFromSubs(sub.subs, iconsSet, videosSet, flagsSet);
                }
            });
        } function buildAssetManifest() {
            if (window.__skillAssetManifest && window.__skillAssetManifest.ready) {
                return window.__skillAssetManifest;
            } const iconsSet = new Set();
            const videosSet = new Set();
            const flagsSet = new Set();
            iconItems.forEach(el => {
                const img = el.querySelector('img');
                if (img && img.src) {
                    iconsSet.add(img.src);
                } else if (el.dataset.iconFile) {
                    const iconURL = normalizeFileURL(el.dataset.iconFile);
                    if (iconURL) iconsSet.add(iconURL);
                }
                // Vídeo normal da skill
                const videoRaw = (el.dataset.videoFile || el.dataset.video || '').trim();
                if (videoRaw && videoRaw !== 'Nada.png' && !videoRaw.toLowerCase().includes('nada.png')) {
                    const videoURL = normalizeFileURL(videoRaw);
                    if (videoURL) videosSet.add(videoURL);
                }
                // Vídeo de weapon da skill
                if (el.dataset.weapon) {
                    try {
                        const weaponData = JSON.parse(el.dataset.weapon);
                        if (weaponData && weaponData.video && weaponData.video.trim() !== '' && weaponData.video !== 'Nada.png' && !weaponData.video.toLowerCase().includes('nada.png')) {
                            const weaponVideoURL = normalizeFileURL(weaponData.video);
                            if (weaponVideoURL) videosSet.add(weaponVideoURL);
                        }
                    } catch (e) {
                    }
                }
                if (el.dataset.flags) {
                    try {
                        const parsedFlags = JSON.parse(el.dataset.flags);
                        (parsedFlags || []).forEach(flagKey => {
                            const url = getFlagIconURL(flagKey);
                            if (url) flagsSet.add(url);
                        });
                    } catch (e) {
                    }
                } if (el.dataset.subs) {
                    try {
                        const subs = JSON.parse(el.dataset.subs);
                        collectAssetsFromSubs(subs, iconsSet, videosSet, flagsSet);
                    } catch (e) {
                    }
                }
            });
            Object.keys(FLAG_ICON_FILES).forEach(flagKey => {
                const url = getFlagIconURL(flagKey);
                if (url) flagsSet.add(url);
            });
            const manifest = {
                icons: iconsSet, videos: videosSet, flags: flagsSet, ready: true
            };
            window.__skillAssetManifest = manifest;
            return manifest;
        } const subskillVideosCache = new Map();
        window.__subskillVideosCache = subskillVideosCache;
        let assetManifest = null;
        const skillsTab = $('#skills');
        const skinsTab = $('#skins');
        ensureRemoved('.video-placeholder');
        Array.from(document.querySelectorAll('.card-skins-title, .card-skins .card-skins-title, .cardskins-title, .rail-title')).forEach(t => {
            if ((t.textContent || '').trim().toLowerCase().includes('skins')) {
                t.remove();
            }
        });
        if (skillsTab) {
            // Verifica se já existe .top-rail.skills (criado pelo módulo)
            let topRail = skillsTab.querySelector('.top-rail.skills');
            const iconBar = skillsTab.querySelector('.icon-bar');
            if (iconBar && !topRail) {
                // Se não existe, cria (compatibilidade com sistema antigo)
                topRail = document.createElement('div');
                topRail.className = 'top-rail skills';
                // Criar wrapper de scroll para permitir glow sem clipping
                if (!iconBar.parentElement || !iconBar.parentElement.classList.contains('icon-scroll-x')) {
                    const scrollWrapper = document.createElement('div');
                    scrollWrapper.className = 'icon-scroll-x';
                    scrollWrapper.appendChild(iconBar);
                    topRail.appendChild(scrollWrapper);
                } else {
                    topRail.appendChild(iconBar.parentElement);
                }
                skillsTab.prepend(topRail);
            }
            // Verifica se já existe .content-card.skills-grid (criado pelo módulo)
            let contentCard = skillsTab.querySelector('.content-card.skills-grid');
            const details = skillsTab.querySelector('.skills-details');
            const videoContainer = skillsTab.querySelector('.video-container');
            if (!contentCard && (details || videoContainer)) {
                // Se não existe, cria (compatibilidade com sistema antigo)
                contentCard = document.createElement('div');
                contentCard.className = 'content-card skills-grid';
                if (details) contentCard.appendChild(details);
                if (videoContainer) contentCard.appendChild(videoContainer);
                skillsTab.appendChild(contentCard);
            }
        } const iconsBar = $('#skills') ? $('.icon-bar', $('#skills')) : null;
        const skillsTopRail = iconsBar ? iconsBar.closest('.top-rail.skills') : null;
        const iconItems = iconsBar ? Array.from(iconsBar.querySelectorAll('.skill-icon')) : [];
        buildMainSkillsMeta(iconItems);
        // Verifica se há weapon em skills principais OU em subskills
        function checkHasAnyWeapon() {
            // Verifica skills principais
            if (iconItems.some(el => !!el.dataset.weapon)) {
                return true;
            }
            // Verifica subskills
            for (const el of iconItems) {
                const subsRaw = el.getAttribute('data-subs');
                if (!subsRaw) continue;
                try {
                    const subs = JSON.parse(subsRaw);
                    if (Array.isArray(subs) && subs.some(s => s && s.weapon)) {
                        return true;
                    }
                } catch (e) { }
            }
            return false;
        }
        const hasWeaponSkillAvailable = checkHasAnyWeapon();
        let weaponToggleBtn = null;
        if (!assetManifest) {
            assetManifest = buildAssetManifest();
            // Pré-carrega apenas ícones e flags críticos
            if (assetManifest.icons && assetManifest.icons.size) {
                assetManifest.icons.forEach(url => {
                    if (!url || imagePreloadCache.has(url)) return;
                    const img = new Image();
                    img.decoding = 'async';
                    img.loading = 'eager';
                    img.referrerPolicy = 'same-origin';
                    img.src = url;
                    imagePreloadCache.set(url, img);
                });
            }
            if (assetManifest.flags && assetManifest.flags.size) {
                assetManifest.flags.forEach(url => {
                    if (!url || imagePreloadCache.has(url)) return;
                    const img = new Image();
                    img.decoding = 'async';
                    img.loading = 'eager';
                    img.referrerPolicy = 'same-origin';
                    img.src = url;
                    imagePreloadCache.set(url, img);
                });
            }
        } const descBox = $('#skills') ? $('.desc-box', $('#skills')) : null;
        const videoBox = $('#skills') ? $('.video-container', $('#skills')) : null;
        const videosCache = new Map();
        const nestedVideoElByIcon = new WeakMap();
         const barStack = [];
         const barStack = [];
         window.__barStack = barStack;
         window.__barStack = barStack;
        let initialBarSnapshot = null;
        let totalVideos = 0, loadedVideos = 0, autoplay = false;
        window.__lastActiveSkillIcon = null;
        let userHasInteracted = false;
        let globalWeaponEnabled = false;
        try {
            if (localStorage.getItem('glaWeaponEnabled') === '1') {
                globalWeaponEnabled = true;
            }
        } catch (err) {
        }
        const weaponStateListeners = new Set();
        let showWeaponPopupFn = null;
        let popupShouldOpen = false;
        function attachWeaponPopupFn(fn) {
            if (typeof fn !== 'function') return;
            showWeaponPopupFn = fn;
            if (popupShouldOpen) {
                popupShouldOpen = false;
                try {
                    showWeaponPopupFn();
                } catch (err) {
                }
            }
        }
        attachWeaponPopupFn(window.__glaWeaponShowPopup);
        function requestWeaponPopupDisplay() {
            try {
                if (localStorage.getItem('glaWeaponPopupDismissed') === '1') return;
            } catch (err) {
            }
            if (typeof showWeaponPopupFn === 'function') {
                showWeaponPopupFn();
                return;
            }
            popupShouldOpen = true;
        }
        function onWeaponStateChange(fn) {
            if (typeof fn !== 'function') return;
            weaponStateListeners.add(fn);
        }
        function syncWeaponButtonState(enabled) {
            if (!weaponToggleBtn || !weaponToggleBtn.isConnected) return;
            // Usa .weapon-active em vez de .active para não conflitar com skills
            weaponToggleBtn.classList.toggle('weapon-active', !!enabled);
            weaponToggleBtn.classList.remove('active'); // Garante que .active nunca seja aplicado
            weaponToggleBtn.setAttribute('aria-pressed', enabled ? 'true' : 'false');
            weaponToggleBtn.setAttribute('aria-label', enabled ? 'Desativar Arma Especial' : 'Ativar Arma Especial');
        }
        function syncWeaponRailState(enabled) {
            if (skillsTopRail) {
                skillsTopRail.classList.toggle('weapon-mode-on', !!enabled);
            }
        }
        function notifyWeaponStateListeners(enabled) {
            weaponStateListeners.forEach(listener => {
                try {
                    listener(enabled);
                } catch (err) {
                }
            });
        }
        let pendingWeaponState = null;
        window.addEventListener('weapon:ready', (ev) => {
            if (ev && ev.detail && ev.detail.showPopup) {
                attachWeaponPopupFn(ev.detail.showPopup);
            }
            if (pendingWeaponState === null) return;
            if (typeof window.__applyWeaponState === 'function') {
                const target = pendingWeaponState;
                pendingWeaponState = null;
                window.__applyWeaponState(target);
            }
        });
        window.__setGlobalWeaponEnabled = (enabled) => {
            globalWeaponEnabled = enabled;
            notifyWeaponStateListeners(enabled);
        };
        function requestWeaponState(targetState) {
            if (typeof window.__applyWeaponState === 'function') {
                pendingWeaponState = null;
                window.__applyWeaponState(targetState);
                return;
            }
            pendingWeaponState = targetState;
        }
        onWeaponStateChange(syncWeaponButtonState);
        function reapplyWeaponClassesToBar() {
            if (!globalWeaponEnabled) return;
            // SISTEMA UNIFICADO: Aplica em skills E subskills
            iconsBar.querySelectorAll('.skill-icon[data-weapon], .subicon[data-weapon]').forEach(el => {
                if (!el.classList.contains('has-weapon-available')) {
                    el.classList.add('has-weapon-available');
                }
                if (!el.querySelector('.weapon-indicator')) {
                    const ind = document.createElement('div');
                    ind.className = 'weapon-indicator';
                    el.appendChild(ind);
                }
            });
        }
        function setupWeaponBarToggle(shouldShow) {
            if (!shouldShow || !iconsBar) return;
            if (iconsBar.querySelector('.weapon-bar-toggle')) return;
            // PRIORIDADE 1: Busca weaponicon global do Character (data-weaponicon no .character-box)
            let weaponIcon = null;
            let weaponName = 'Arma Especial';
            const characterBox = document.querySelector('.character-box');
            if (characterBox && characterBox.dataset.weaponicon) {
                const globalIcon = characterBox.dataset.weaponicon.trim();
                if (globalIcon && globalIcon !== '' && globalIcon !== 'Nada.png') {
                    weaponIcon = globalIcon;
                }
            }


        function getLabels() {
            // PRIORIDADE 2: Se não encontrou no character, busca em skills principais (data-weaponicon)
            const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {};
            if (!weaponIcon) {
             const lang = getLangKey ? getLangKey() : 'pt';
                const firstWithWeaponIcon = document.querySelector('.skill-icon[data-weaponicon]');
             return i18nMap[lang] || i18nMap.pt || {
                if (firstWithWeaponIcon && firstWithWeaponIcon.dataset.weaponicon && firstWithWeaponIcon.dataset.weaponicon !== 'Nada.png') {
                 cooldown: 'Recarga',
                    weaponIcon = firstWithWeaponIcon.dataset.weaponicon;
                 energy_gain: 'Ganho de energia',
                    // Tenta pegar o nome da arma também
                 energy_cost: 'Custo de energia',
                    try {
                 power: 'Poder',
                        const weaponData = JSON.parse(firstWithWeaponIcon.getAttribute('data-weapon') || '{}');
                 power_pvp: 'Poder PvP',
                        if (weaponData.name) {
                 level: 'Nível'
                            weaponName = weaponData.name;
             };
                        }
                    } catch (e) { }
                }
            }
 
            // PRIORIDADE 3: Se não encontrou, busca weaponicon em subskills (dentro do JSON de data-subs)
            if (!weaponIcon) {
                const skillsWithSubs = document.querySelectorAll('.skill-icon[data-subs]');
                for (const el of skillsWithSubs) {
                    try {
                        const subs = JSON.parse(el.getAttribute('data-subs') || '[]');
                        for (const s of subs) {
                            // Busca weaponicon diretamente no objeto da subskill
                            if (s && s.weaponicon && s.weaponicon.trim() !== '' && s.weaponicon !== 'Nada.png') {
                                weaponIcon = s.weaponicon;
                                if (s.weapon && s.weapon.name) weaponName = s.weapon.name;
                                break;
                            }
                        }
                        if (weaponIcon) break;
                    } catch (e) { }
                }
            }
 
             const btn = document.createElement('button');
            btn.type = 'button';
            btn.className = 'skill-icon weapon-bar-toggle';
            btn.dataset.weaponToggle = '1';
            btn.dataset.nome = weaponName;
            btn.setAttribute('aria-pressed', 'false');
            btn.setAttribute('aria-label', weaponName);
 
            // Se tem weaponicon global do character, deixa o Character.WeaponToggle.html aplicar o ícone
            // Caso contrário, usa o ícone encontrado em skills/subskills ou SVG de fallback
             if (weaponIcon && characterBox && characterBox.dataset.weaponicon) {
                 // Ícone global do character - deixa vazio para o Character.WeaponToggle.html aplicar
                btn.innerHTML = '';
            } else if (weaponIcon) {
                // Ícone de skill/subskill - aplica diretamente
                 const imgSrc = weaponIcon.startsWith('http') ? weaponIcon : `/images/${weaponIcon}`;
                btn.innerHTML = `<img src="${imgSrc}" alt="${weaponName}" class="weapon-toggle-icon" onerror="this.style.display='none';this.nextElementSibling.style.display='block';" /><svg style="display:none" width="24" height="24" viewBox="0 0 24 24" aria-hidden="true" focusable="false"><path fill="currentColor" d="M19.14 12.94c.04-.31.06-.63.06-.94s-.02-.63-.06-.94l2.03-1.58a.5.5 0 00.12-.62l-1.92-3.32a.5.5 0 00-.61-.22l-2.39.96c-.5-.38-1.03-.7-1.62-.94l-.37-2.48a.55.55 0 00-.55-.5h-3.82a.55.55 0 00-.55.5l-.37 2.48c-.59.24-1.12.56-1.62.94l-2.39-.96a.5.5 0 00-.61.22L3.13 8.5a.5.5 0 00.12.62l2.03 1.58c-.04.31-.06.63-.06.94s.02.63.06.94l-2.03 1.58a.5.5 0 00-.12.62l1.92 3.32a.5.5 0 00.61.22l2.39-.96c.5.38 1.03.7 1.62.94l.37 2.48a.55.55 0 00.55.5h3.82a.55.55 0 00.55-.5l.37-2.48c.59-.24 1.12-.56 1.62-.94l2.39.96a.5.5 0 00.61-.22l1.92-3.32a.5.5 0 00-.12-.62zM12 15.6a3.6 3.6 0 110-7.2 3.6 3.6 0 010 7.2z"></path></svg>`;
            } else {
                // SVG de fallback quando não há weaponicon
                btn.innerHTML = '<svg width="24" height="24" viewBox="0 0 24 24" aria-hidden="true" focusable="false"><path fill="currentColor" d="M19.14 12.94c.04-.31.06-.63.06-.94s-.02-.63-.06-.94l2.03-1.58a.5.5 0 00.12-.62l-1.92-3.32a.5.5 0 00-.61-.22l-2.39.96c-.5-.38-1.03-.7-1.62-.94l-.37-2.48a.55.55 0 00-.55-.5h-3.82a.55.55 0 00-.55.5l-.37 2.48c-.59.24-1.12.56-1.62.94l-2.39-.96a.5.5 0 00-.61.22L3.13 8.5a.5.5 0 00.12.62l2.03 1.58c-.04.31-.06.63-.06.94s.02.63.06.94l-2.03 1.58a.5.5 0 00-.12.62l1.92 3.32a.5.5 0 00.61.22l2.39-.96c.5.38 1.03.7 1.62.94l.37 2.48a.55.55 0 00.55.5h3.82a.55.55 0 00.55-.5l.37-2.48c.59-.24 1.12-.56 1.62-.94l2.39.96a.5.5 0 00.61-.22l1.92-3.32a.5.5 0 00-.12-.62zM12 15.6a3.6 3.6 0 110-7.2 3.6 3.6 0 010 7.2z"></path></svg>';
            }
            iconsBar.appendChild(btn);
            weaponToggleBtn = btn;
            syncWeaponButtonState(globalWeaponEnabled);
            btn.addEventListener('click', () => {
                const nextState = !globalWeaponEnabled;
                 if (nextState) {
                    requestWeaponPopupDisplay();
                }
                requestWeaponState(nextState);
            });
            reapplyWeaponClassesToBar();
        }
        onWeaponStateChange(syncWeaponRailState);
        syncWeaponRailState(globalWeaponEnabled);
        // Toggle agora é criado pelo Character.WeaponToggle.html abaixo dos botões de idioma
        // setupWeaponBarToggle(hasWeaponSkillAvailable);
        (function injectWeaponStyles() {
            if (document.getElementById('weapon-toggle-styles')) return;
            const style = document.createElement('style');
            style.id = 'weapon-toggle-styles';
            style.textContent = `
        /* ========== ESTILOS DE WEAPON - NOVO SISTEMA ========== */
       
        /* Animação simples para borda */
        @keyframes weapon-border-flow {
            0% { background-position: 0% 0%; }
            100% { background-position: 200% 0%; }
        }
 
        /* Animação sutil para brilho */
        @keyframes weapon-glow-breathe {
            0%, 100% { opacity: 0.7; }
            50% { opacity: 1; }
        }
 
        /* ===== ÍCONE COM ARMA - INATIVO (VERMELHO) ===== */
        .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::after {
            pointer-events: none !important;
            box-shadow: none !important;
            background: linear-gradient(90deg,  
                 #FF3333 0%,
                #FF0000 50%,
                #FF3333 100%) !important;
            background-size: 200% 100% !important;
            animation: weapon-border-flow 3s linear infinite !important;
            -webkit-mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
            mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
            -webkit-mask-composite: xor !important;
            mask-composite: exclude !important;
            padding: 3px !important;
        }
 
        .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::before {
            pointer-events: none !important;
            inset: 0 !important;
            border-radius: inherit !important;
            z-index: 1 !important;
            animation: weapon-glow-breathe 2s ease-in-out infinite !important;
            box-shadow:
                0 0 8px 0 rgba(255, 0, 0, 0.4),
                0 0 12px 0 rgba(255, 51, 51, 0.3),
                0 0 16px 0 rgba(255, 0, 0, 0.2) !important;
            opacity: 1 !important;
        }
 
        /* ===== ÍCONE COM ARMA - ATIVO (DOURADO) ===== */
        .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active {
            transform: scale(1.10) !important;
            z-index: 5 !important;
        }
 
        .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::after {
            pointer-events: none !important;
            box-shadow: none !important;
            background: linear-gradient(90deg,
                #FFEB3B 0%,
                #FFD700 50%,
                #FFEB3B 100%) !important;
            background-size: 200% 100% !important;
            animation: weapon-border-flow 2s linear infinite !important;
            -webkit-mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
            mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
            -webkit-mask-composite: xor !important;
            mask-composite: exclude !important;
            padding: 3px !important;
        }
 
        .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::before {
            pointer-events: none !important;
            inset: 0 !important;
            border-radius: inherit !important;
            z-index: 1 !important;
            animation: weapon-glow-breathe 1.5s ease-in-out infinite !important;
            box-shadow:
                0 0 33px 0 rgba(255, 215, 0, 0.5),
                0 0 33px 0 rgba(255, 235, 59, 0.4),
                0 0 33px 0 rgba(255, 215, 0, 0.3) !important;
            opacity: 1 !important;
        }
 
        /* ===== MODO WEAPON ON - INATIVO ===== */
        .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::after {
            pointer-events: none !important;
            box-shadow: none !important;
            background: linear-gradient(90deg,
                #FF3333 0%,
                #FF0000 50%,
                #FF3333 100%) !important;
            background-size: 200% 100% !important;
            animation: weapon-border-flow 3s linear infinite !important;
            -webkit-mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
            mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
            -webkit-mask-composite: xor !important;
            mask-composite: exclude !important;
            padding: 3px !important;
        }
 
        .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::before {
            pointer-events: none !important;
            inset: 0 !important;
            border-radius: inherit !important;
            z-index: 1 !important;
            animation: weapon-glow-breathe 2s ease-in-out infinite !important;
            box-shadow:
                0 0 8px 0 rgba(255, 0, 0, 0.4),
                0 0 12px 0 rgba(255, 51, 51, 0.3),
                 0 0 16px 0 rgba(255, 0, 0, 0.2) !important;
            opacity: 1 !important;
        }
 
        /* ===== MODO WEAPON ON - ATIVO ===== */
        .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active {
            transform: scale(1.10) !important;
            z-index: 5 !important;
        }
 
        .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::after {
            pointer-events: none !important;
            background: linear-gradient(90deg,
                #FFEB3B 0%,
                #FFD700 50%,  
                 #FFEB3B 100%) !important;
            background-size: 200% 100% !important;
            animation: weapon-border-flow 2s linear infinite !important;
             padding: 3px !important;
        }
 
        .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::before {
            pointer-events: none !important;
            inset: 0 !important;
            border-radius: inherit !important;
            z-index: 1 !important;
            animation: weapon-glow-breathe 1.5s ease-in-out infinite !important;
            box-shadow:
                0 0 10px 0 rgba(255, 215, 0, 0.5),
                0 0 16px 0 rgba(255, 235, 59, 0.4),
                0 0 22px 0 rgba(255, 215, 0, 0.3) !important;
            opacity: 1 !important;
         }
         }
            `;
            document.head.appendChild(style);
        })();
        function applyWeaponBadge(el, weaponData, equipped) {
            // Encontrar ou criar o badge
            let badge = el.querySelector('.weapon-badge');
            if (!badge) {
                badge = document.createElement('div');
                badge.className = 'weapon-badge';
                el.appendChild(badge);
            }
            if (equipped && weaponData) {
                el.classList.add('weapon-equipped');
                const weaponIconUrl = filePathURL(weaponData.icon || 'Nada.png');
                if (weaponIconUrl) {
                    el.style.setProperty('--weapon-badge-url', `url('${weaponIconUrl}')`);
                }
            } else {
                el.classList.remove('weapon-equipped');
                el.style.removeProperty('--weapon-badge-url');
            }
        } function getWeaponKey(el) {
            return (el.dataset.index || '') + ':' + (el.dataset.nome || el.dataset.name || '');
        } function isWeaponModeOn() {
            try {
                return localStorage.getItem('glaWeaponEnabled') === '1';
            } catch (e) {
                return false;
            }
        } function getWeaponDataForIcon(iconEl) {
            if (!iconEl || !iconEl.dataset.weapon) return null;
            try {
                return JSON.parse(iconEl.dataset.weapon);
            } catch (e) {
                return null;
            }
        } function getEffectiveSkillVideoFromIcon(iconEl) {
            const weaponOn = globalWeaponEnabled;
            const weaponData = getWeaponDataForIcon(iconEl);
            const baseVideoFile = (iconEl.dataset.videoFile || '').trim();
            const baseVideoURL = (iconEl.dataset.video || '').trim();


        function renderAttributes(str) {
            // console.log('[Skills DEBUG]', {
             const L = getLabels();
             //    skillName: iconEl.dataset.nome || iconEl.dataset.name,
            const vals = (str || '').split(',').map(v => v.trim());
            //    weaponOn,
             const pve = vals[0] && vals[0] !== '-' ? parseFloat(vals[0]) : NaN;
             //    hasWeaponData: !!weaponData,
             const pvp = vals[1] && vals[1] !== '-' ? parseFloat(vals[1]) : NaN;
            //    weaponData: weaponData,
             const ene = vals[2] && vals[2] !== '-' ? parseFloat(vals[2]) : NaN;
             //    baseVideoFile,
             const cd = vals[3] && vals[3] !== '-' ? parseFloat(vals[3]) : NaN;
             //    baseVideoURL
             // });


             const rows = [];
             if (weaponOn && weaponData) {
            if (!isNaN(cd)) rows.push([L.cooldown, cd]);
                // console.log('[Skills] checking weapon video', {
            if (!isNaN(ene) && ene !== 0) {
                //    skillName: iconEl.dataset.nome || iconEl.dataset.name,
                rows.push([ene > 0 ? L.energy_gain : L.energy_cost, Math.abs(ene)]);
                //    hasVideo: !!(weaponData.video),
                //    videoValue: weaponData.video,
                //    videoTrimmed: weaponData.video ? weaponData.video.trim() : ''
                // });
                if (weaponData.video && weaponData.video.trim() !== '') {
                    // console.log('[Skills] video escolhido (weapon)', iconEl.dataset.nome || iconEl.dataset.name, weaponData.video);
                    return weaponData.video.trim();
                }
             }
             }
             if (!isNaN(pve)) rows.push([L.power, pve]);
             const result = baseVideoFile || baseVideoURL || '';
             if (!isNaN(pvp)) rows.push([L.power_pvp, pvp]);
            // console.log('[Skills] video escolhido (base)', iconEl.dataset.nome || iconEl.dataset.name, result);
            return result;
        } function createVideoElement(videoURL, extraAttrs = {
        }) {
            const v = document.createElement('video');
            v.className = 'skill-video';
            v.setAttribute('controls', '');
            v.setAttribute('preload', 'metadata');
            v.setAttribute('playsinline', '');
            v.style.display = 'none';
            v.style.width = '100%';
            v.style.height = 'auto';
            v.style.aspectRatio = '16/9';
            v.style.objectFit = 'cover';
            Object.keys(extraAttrs).forEach(k => {
                v.dataset[k] = extraAttrs[k];
            });
             // Detectar formato do vídeo pela extensão
            const ext = (videoURL.split('.').pop() || '').toLowerCase().split('?')[0];
            const mimeTypes = {
                'mp4': 'video/mp4',
                'm4v': 'video/mp4',
                'webm': 'video/webm',
                'ogv': 'video/ogg',
                'ogg': 'video/ogg',
                'mov': 'video/quicktime'
            };
            const mimeType = mimeTypes[ext] || 'video/mp4';
 
            const src = document.createElement('source');
            src.src = videoURL;
            src.type = mimeType;
            v.appendChild(src);
 
            // Fallback para Safari/iOS mais antigos
            v.setAttribute('webkit-playsinline', '');
            v.setAttribute('x-webkit-airplay', 'allow');


             if (!rows.length) return '';
            return v;
             return `<div class="attr-list">${rows.map(([l, v]) => `<div class="attr-row"><span class="attr-label">${l}</span><span class="attr-value">${v}</span></div>`).join('')}</div>`;
        } function precreateSubskillVideos() {
             if (!videoBox) return;
            // console.log('[Skills] precreateSubskillVideos: iniciando pré-criação de TODOS os vídeos de subskills');
            let createdCount = 0;
             iconItems.forEach(parentIcon => {
                const subsRaw = parentIcon.dataset.subs || parentIcon.getAttribute('data-subs');
                if (!subsRaw) return;
                try {
                    const subs = JSON.parse(subsRaw);
                    if (!Array.isArray(subs)) return;
                    const parentIdx = parentIcon.dataset.index || '';
                    subs.forEach(s => {
                        const subName = (s.name || s.n || '').trim();
                        // Vídeo normal da subskill
                        if (s.video && s.video.trim() !== '' && s.video !== 'Nada.png' && !s.video.toLowerCase().includes('nada.png')) {
                            const key = `sub:${parentIdx}:${subName}`;
                            if (subskillVideosCache.has(key)) return;
                            const videoURL = normalizeFileURL(s.video);
                            if (videoURL && videoURL.trim() !== '') {
                                const v = createVideoElement(videoURL, {
                                    sub: '1', parentIndex: parentIdx, subName: subName, cacheKey: key
                                });
                                v.setAttribute('preload', 'metadata');
                                v.muted = true; // Permite autoload em mais navegadores
                                videoBox.appendChild(v);
                                subskillVideosCache.set(key, v);
                                createdCount++;
                                // Não força carregamento - será carregado quando necessário
                                // v.load();
                            }
                        }
                        // Vídeo de weapon da subskill
                        if (s.weapon && typeof s.weapon === 'object' && s.weapon.video && s.weapon.video.trim() !== '' && s.weapon.video !== 'Nada.png' && !s.weapon.video.toLowerCase().includes('nada.png')) {
                            const weaponKey = `sub:${parentIdx}:${subName}:weapon`;
                            if (subskillVideosCache.has(weaponKey)) return;
                            const weaponVideoURL = normalizeFileURL(s.weapon.video);
                            if (weaponVideoURL && weaponVideoURL.trim() !== '') {
                                const v = createVideoElement(weaponVideoURL, {
                                    sub: '1', parentIndex: parentIdx, subName: subName, weapon: '1', cacheKey: weaponKey
                                });
                                v.setAttribute('preload', 'metadata');
                                v.muted = true; // Permite autoload em mais navegadores
                                videoBox.appendChild(v);
                                subskillVideosCache.set(weaponKey, v);
                                createdCount++;
                                // Não força carregamento - será carregado quando necessário
                                // v.load();
                            }
                        }
                    });
                } catch (e) {
                }
            });
            // console.log('[Skills] precreateSubskillVideos: criados', createdCount, 'vídeos. Cache size:', subskillVideosCache.size);
         }
         }


         function renderFlagsRow(flags) {
        // Função para forçar carregamento de todos os vídeos
             const arr = (flags || []).filter(Boolean);
         function forceLoadAllVideos() {
             if (!arr.length) return '';
            if (!videoBox) return;
             const items = arr.map(k => {
             const allVideos = videoBox.querySelectorAll('video[data-sub="1"]');
                 const url = filePathURL ? filePathURL(FLAG_ICON_FILES[k]) : '';
             // console.log('[Skills] forceLoadAllVideos: forçando load de', allVideos.length, 'vídeos');
                return url ? `<img class="skill-flag" data-flag="${k}" alt="" src="${url}">` : '';
             allVideos.forEach(v => {
            }).join('');
                 if (v.readyState < 2) {
             return items ? `<div class="skill-flags" role="group" aria-label="Características">${items}</div>` : '';
                    v.load();
                }
             });
         }
         }


         function showVideoForIcon(el) {
         // Pré-cria vídeos de subskills IMEDIATAMENTE no carregamento
        precreateSubskillVideos();
        // Força carregamento novamente após curto delay para garantir
        setTimeout(() => {
            precreateSubskillVideos();
            forceLoadAllVideos();
        }, 100);
        // E mais uma vez após um delay maior para garantir que tudo esteja pronto
        setTimeout(forceLoadAllVideos, 500);
        if (iconItems.length && videoBox) {
            iconItems.forEach(el => {
                const idx = el.dataset.index || '';
                // Vídeo normal
                const src = (el.dataset.videoFile || el.dataset.video || '').trim();
                if (src && src !== 'Nada.png' && !src.toLowerCase().includes('nada.png') && !videosCache.has(idx)) {
                    totalVideos++;
                    const videoURL = normalizeFileURL(src);
                    if (videoURL) {
                        const v = createVideoElement(videoURL, {
                            index: idx
                        });
                        v.setAttribute('preload', 'metadata');
                        v.style.maxWidth = '100%';
                        v.addEventListener('canplaythrough', () => {
                            loadedVideos++;
                            if (!userHasInteracted && loadedVideos === 1) {
                                try {
                                    v.pause();
                                    v.currentTime = 0;
                                } catch (e) {
                                }
                            } if (loadedVideos === totalVideos) autoplay = true;
                        }, {
                            once: true
                        });
                        v.addEventListener('error', () => {
                            loadedVideos++;
                            if (loadedVideos === totalVideos) autoplay = true;
                        }, {
                            once: true
                        });
                        videoBox.appendChild(v);
                        videosCache.set(idx, v);
                        // Força carregamento
                        v.load();
                    }
                }
                // Vídeo de weapon
                if (el.dataset.weapon) {
                    try {
                        const weaponData = JSON.parse(el.dataset.weapon);
                        if (weaponData && weaponData.video && weaponData.video.trim() !== '' && weaponData.video !== 'Nada.png' && !weaponData.video.toLowerCase().includes('nada.png')) {
                            const weaponKey = `weapon:${idx}:${(el.dataset.nome || el.dataset.name || '').trim()}`;
                            if (!videosCache.has(weaponKey)) {
                                totalVideos++;
                                const weaponVideoURL = normalizeFileURL(weaponData.video);
                                if (weaponVideoURL) {
                                    const v = createVideoElement(weaponVideoURL, {
                                        index: idx, weapon: '1'
                                    });
                                    v.setAttribute('preload', 'metadata');
                                    v.style.maxWidth = '100%';
                                    v.addEventListener('canplaythrough', () => {
                                        loadedVideos++;
                                        if (loadedVideos === totalVideos) autoplay = true;
                                    }, {
                                        once: true
                                    });
                                    v.addEventListener('error', () => {
                                        loadedVideos++;
                                        if (loadedVideos === totalVideos) autoplay = true;
                                    }, {
                                        once: true
                                    });
                                    videoBox.appendChild(v);
                                    videosCache.set(weaponKey, v);
                                    // Força carregamento
                                    v.load();
                                }
                            }
                        }
                    } catch (e) {
                    }
                }
            });
        } function wireTooltipsForNewIcons() {
            const tip = document.querySelector('.skill-tooltip');
            if (!tip) return;
            let lockUntil2 = 0;
            Array.from(document.querySelectorAll('.icon-bar .skill-icon')).forEach(icon => {
                if (icon.dataset.weaponToggle === '1' || icon.classList.contains('weapon-bar-toggle')) return;
                if (icon.dataset.tipwired) return;
                icon.dataset.tipwired = '1';
                const label = icon.dataset.nome || icon.dataset.name || icon.title || '';
                if (label && !icon.hasAttribute('aria-label')) icon.setAttribute('aria-label', label);
                if (icon.hasAttribute('title')) icon.removeAttribute('title');
                const img = icon.querySelector('img');
                if (img) {
                    const imgAlt = img.getAttribute('alt') || '';
                    const imgTitle = img.getAttribute('title') || '';
                    if (!label && (imgAlt || imgTitle)) icon.setAttribute('aria-label', imgAlt || imgTitle);
                    img.setAttribute('alt', '');
                    if (img.hasAttribute('title')) img.removeAttribute('title');
                } const measureAndPos = (el) => {
                    if (!el || tip.getAttribute('aria-hidden') === 'true') return;
                    tip.style.left = '0px';
                    tip.style.top = '0px';
                    const rect = el.getBoundingClientRect();
                    const tr = tip.getBoundingClientRect();
                    let left = Math.round(rect.left + (rect.width - tr.width) / 2);
                    left = Math.max(8, Math.min(left, window.innerWidth - tr.width - 8));
                    const coarse = (window.matchMedia && matchMedia('(pointer: coarse)').matches) || (window.innerWidth <= 600);
                    let top = coarse ? Math.round(rect.bottom + 10) : Math.round(rect.top - tr.height - 8);
                    if (top < 8) top = Math.round(rect.bottom + 10);
                    tip.style.left = left + 'px';
                    tip.style.top = top + 'px';
                };
                const show = (el, text) => {
                    tip.textContent = text || '';
                    tip.setAttribute('aria-hidden', 'false');
                    measureAndPos(el);
                    tip.style.opacity = '1';
                };
                const hide = () => {
                    tip.setAttribute('aria-hidden', 'true');
                    tip.style.opacity = '0';
                    tip.style.left = '-9999px';
                    tip.style.top = '-9999px';
                };
                icon.addEventListener('mouseenter', () => show(icon, (icon.dataset.nome || icon.dataset.name || '')));
                icon.addEventListener('mousemove', () => {
                    if (performance.now() >= lockUntil2) measureAndPos(icon);
                });
                icon.addEventListener('click', () => {
                    lockUntil2 = performance.now() + 240;
                    measureAndPos(icon);
                });
                icon.addEventListener('mouseleave', hide);
            });
        } function showVideoForIcon(el) {
            userHasInteracted = true;
             if (!videoBox) return;
             if (!videoBox) return;
             const videoURL = (el.dataset.video || '').trim();
             const effectiveVideo = getEffectiveSkillVideoFromIcon(el);
             if (!videoURL) {
             if (!effectiveVideo || effectiveVideo.trim() === '') {
                 videoBox.style.display = 'none';
                 videoBox.style.display = 'none';
                 return;
                 return;
             }
             }
            const videoURL = normalizeFileURL(effectiveVideo);
            if (!videoURL || videoURL.trim() === '') {
                videoBox.style.display = 'none';
                return;
            }
            Array.from(videoBox.querySelectorAll('video.skill-video')).forEach(v => {
                try {
                    v.pause();
                } catch (e) {
                }
                v.style.display = 'none';
            });
            if (window.__subskills) window.__subskills.hideAll?.(videoBox);
            const hasIdx = !!el.dataset.index;
            const weaponOn = globalWeaponEnabled;
            const weaponData = getWeaponDataForIcon(el);
            const isWeaponVideo = weaponOn && weaponData && weaponData.video && weaponData.video.trim() !== '';


             let video = videoBox.querySelector(`video[data-index="${el.dataset.index}"]`);
             // console.log('[Skills] showVideoForIcon chamado', {
             if (!video) {
            //    skillName: el.dataset.nome || el.dataset.name,
                 video = document.createElement('video');
            //    weaponOn,
                 video.className = 'skill-video';
            //    isWeaponVideo,
                 video.dataset.index = el.dataset.index;
            //    effectiveVideo: getEffectiveSkillVideoFromIcon(el)
                 video.setAttribute('controls', '');
            // });
                 video.setAttribute('preload', 'metadata');
            const videoKey = isWeaponVideo ? `weapon:${getWeaponKey(el)}` : (el.dataset.index || '');
                 video.setAttribute('playsinline', '');
             if (hasIdx && !isWeaponVideo && videosCache.has(el.dataset.index)) {
                 video.style.width = '100%';
                 const v = videosCache.get(el.dataset.index);
                 video.style.height = 'auto';
                videoBox.style.display = 'block';
                 video.style.aspectRatio = '16/9';
                 v.style.display = 'block';
                 video.style.objectFit = 'contain';
                 try {
 
                    v.currentTime = 0;
                 const ext = (videoURL.split('.').pop() || '').toLowerCase().split('?')[0];
                } catch (e) {
                const mimeTypes = {
                }
                    'mp4': 'video/mp4',
                const suppress = document.body.dataset.suppressSkillPlay === '1';
                    'm4v': 'video/mp4',
                 if (!suppress) {
                     'webm': 'video/webm',
                    v.play().catch(() => {
                    'ogv': 'video/ogg',
                    });
                     'ogg': 'video/ogg',
                 } else {
                    'mov': 'video/quicktime'
                    try {
                };
                        v.pause();
                const mimeType = mimeTypes[ext] || 'video/mp4';
                    } catch (e) {
                const src = document.createElement('source');
                    }
                src.src = videoURL;
                }
                src.type = mimeType;
                return;
                video.appendChild(src);
            }
                 videoBox.appendChild(video);
            let v = null;
            if (isWeaponVideo) {
                 v = videoBox.querySelector(`video[data-weapon-key="${videoKey}"]`);
            } else {
                 v = nestedVideoElByIcon.get(el);
            }
            if (!v) {
                 v = createVideoElement(videoURL, isWeaponVideo ? {
                    weaponKey: videoKey
                } : {});
                 if (isWeaponVideo) {
                    videoBox.appendChild(v);
                 } else {
                    videoBox.appendChild(v);
                    nestedVideoElByIcon.set(el, v);
                }
            } else {
                // Verifica se o source já tem a URL correta (compara apenas o pathname/filename)
                 const src = v.querySelector('source');
                if (src) {
                    const currentURL = src.src || '';
                    const currentFilename = currentURL.split('/').pop().split('?')[0];
                    const targetFilename = videoURL.split('/').pop().split('?')[0];
                     // Só recarrega se o arquivo for realmente diferente
                     if (currentFilename !== targetFilename) {
                        src.src = videoURL;
                        v.load();
                    }
                 }
             }
             }
            videoBox.querySelectorAll('video').forEach(v => v.style.display = 'none');
            video.style.display = 'block';
             videoBox.style.display = 'block';
             videoBox.style.display = 'block';
            v.style.display = 'block';
             try {
             try {
                 video.currentTime = 0;
                 v.currentTime = 0;
                 video.play().catch(() => { });
            } catch (e) {
             } catch (e) { }
            }
        }
            const suppress = document.body.dataset.suppressSkillPlay === '1';
 
            if (!suppress) {
         function activateSkill(el, options = {}) {
                 v.play().catch(() => {
             const { openSubs = true } = options;
                });
             const L = getLabels();
             } else {
                try {
                    v.pause();
                } catch (e) {
                }
            }
         } function activateSkill(el, options = {
        }) {
             const {
                openSubs = true
            } = options;
            const tip = document.querySelector('.skill-tooltip');
            if (tip) {
                tip.setAttribute('aria-hidden', 'true');
                tip.style.opacity = '0';
                tip.style.left = '-9999px';
                tip.style.top = '-9999px';
            } const skillsRoot = document.getElementById('skills');
            const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
            };
             const L = i18nMap[getLangKey()] || i18nMap.pt || {
                cooldown: 'Recarga', energy_gain: 'Ganho de energia', energy_cost: 'Custo de energia', power: 'Poder', power_pvp: 'Poder PvP', level: 'Nível'
            };
             const name = el.dataset.nome || el.dataset.name || '';
             const name = el.dataset.nome || el.dataset.name || '';
             const level = (el.dataset.level || '').trim();
             const level = (el.dataset.level || '').trim();
             const desc = chooseDescFrom ? chooseDescFrom({
             let weaponData = null;
                 desc_i18n: {
            if (el.dataset.weapon) {
                     pt: el.dataset.descPt || '',
                 try {
                    en: el.dataset.descEn || '',
                    weaponData = JSON.parse(el.dataset.weapon);
                    es: el.dataset.descEs || '',
                } catch (e) {
                    pl: el.dataset.descPl || ''
                     weaponData = null;
                },
                }
                desc: el.dataset.desc || ''
            } const hasWeapon = !!weaponData;
             }) : (el.dataset.desc || '');
            const weaponEquipped = hasWeapon && globalWeaponEnabled;
             const descHtml = desc.replace(/'''(.*?)'''/g, '<b>$1</b>');
            const lang = getLangKey();
             const attrsHTML = el.dataset.atr ? renderAttributes(el.dataset.atr) : '';
            const baseDescPack = {
             const flagsHTML = el.dataset.flags ? (() => {
                pt: el.dataset.descPt || '', en: el.dataset.descEn || '', es: el.dataset.descEs || '', pl: el.dataset.descPl || ''
            };
            const baseDesc = baseDescPack[lang] || baseDescPack.pt || baseDescPack.en || baseDescPack.es || baseDescPack.pl || el.dataset.desc || '';
             // Aceita tanto desc_i18n quanto desc para compatibilidade
            let weaponDescPack = {};
            if (weaponData) {
                if (weaponData.desc_i18n) {
                    weaponDescPack = weaponData.desc_i18n;
                } else if (weaponData.desc) {
                    weaponDescPack = weaponData.desc;
                } else {
                    weaponDescPack = {
                        pt: weaponData.descPt || '', en: weaponData.descEn || '', es: weaponData.descEs || '', pl: weaponData.descPl || ''
                    };
                }
            }
            const weaponDesc = weaponDescPack[lang] || weaponDescPack.pt || weaponDescPack.en || weaponDescPack.es || weaponDescPack.pl || '';
            const chosenDesc = (weaponEquipped && weaponDesc) ? weaponDesc : baseDesc;
             const descHtml = chosenDesc.replace(/'''(.*?)'''/g, '<b>$1</b>');
             let attrsHTML = '';
            if (weaponEquipped && weaponData) {
                // Usa valores do weapon, mas só se existirem (não herda da skill base)
                const wPve = (weaponData.powerpve !== undefined && weaponData.powerpve !== null && weaponData.powerpve !== '') ? weaponData.powerpve.toString().trim() : '';
                const wPvp = (weaponData.powerpvp !== undefined && weaponData.powerpvp !== null && weaponData.powerpvp !== '') ? weaponData.powerpvp.toString().trim() : '';
                const wEnergy = (weaponData.energy !== undefined && weaponData.energy !== null && weaponData.energy !== '') ? weaponData.energy.toString().trim() : '';
                const wCd = (weaponData.cooldown !== undefined && weaponData.cooldown !== null && weaponData.cooldown !== '') ? weaponData.cooldown.toString().trim() : '';
                const weaponAttrs = [wPve, wPvp, wEnergy, wCd].join(',');
                // console.log('[Skills] weaponAttrs string:', weaponAttrs, { wPve, wPvp, wEnergy, wCd, weaponData });
                attrsHTML = renderAttributes(weaponAttrs);
            } else {
                attrsHTML = el.dataset.atr ? renderAttributes(el.dataset.atr) : (el.dataset.subattrs ? renderSubAttributesFromObj(JSON.parse(el.dataset.subattrs), L) : '');
             } let flagsHTML = '';
            if (el.dataset.flags) {
                 try {
                 try {
                     const flags = JSON.parse(el.dataset.flags);
                     const flags = JSON.parse(el.dataset.flags);
                     return renderFlagsRow(flags);
                     flagsHTML = renderFlagsRow(flags);
                 } catch { return ''; }
                 } catch (e) {
             })() : '';
                }
 
             } if (descBox) {
            if (descBox) {
                 descBox.innerHTML = `<div class="skill-title"><h3>${name}</h3></div>${level ? `<div class="skill-level-line"><span class="attr-label">${L.level} ${level}</span></div>` : ''}${attrsHTML}<div class="desc">${descHtml}</div>`;
                 descBox.innerHTML = `<div class="skill-title"><h3>${name}</h3></div>${level ? `<div class="skill-level-line"><span class="attr-label">${L.level} ${level}</span></div>` : ''}${attrsHTML}<div class="desc">${descHtml}</div>`;
             }
             } if (hasWeapon) {
 
                applyWeaponBadge(el, weaponData, weaponEquipped);
             if (videoBox) {
             } if (videoBox) {
                 const oldFlags = videoBox.querySelector('.skill-flags');
                 const oldFlags = videoBox.querySelector('.skill-flags');
                 if (oldFlags) oldFlags.remove();
                 if (oldFlags) oldFlags.remove();
                 if (flagsHTML) {
                 if (flagsHTML) {
                     videoBox.insertAdjacentHTML('beforeend', flagsHTML);
                     videoBox.insertAdjacentHTML('beforeend', flagsHTML);
                    applyFlagTooltips(videoBox);
                 }
                 }
             }
             } const currIcons = Array.from(iconsBar.querySelectorAll('.skill-icon'));
 
            currIcons.forEach(i => i.classList.remove('active'));
            $$('.skill-icon', iconsBar).forEach(i => i.classList.remove('active'));
             el.classList.add('active');
             el.classList.add('active');
            if (!autoplay && loadedVideos > 0) autoplay = true;
             window.__lastActiveSkillIcon = el;
             window.__lastActiveSkillIcon = el;
 
            // Lógica de vídeo: usa função centralizada que já considera weapon
             showVideoForIcon(el);
             showVideoForIcon(el);
             const subsRaw = el.dataset.subs || el.getAttribute('data-subs');
             const subsRaw = el.dataset.subs || el.getAttribute('data-subs');
             const isBack = el.dataset.back === 'true' || el.dataset.back === 'yes' || el.dataset.back === '1';
             const isBack = el.dataset.back === 'true' || el.getAttribute('data-back') === 'true' || el.dataset.back === 'yes' || el.getAttribute('data-back') === 'yes' || el.dataset.back === '1' || el.getAttribute('data-back') === '1';
 
             if (isBack && barStack.length) {
             if (isBack && barStack.length) {
                 const prev = barStack.pop();
                 const prev = barStack.pop();
                 renderBarFromItems(prev.items);
                 renderBarFromItems(prev.items);
                const btn = document.querySelector('.skills-back-wrapper');
                if (btn) btn.style.display = barStack.length ? 'block' : 'none';
                 return;
                 return;
             }
             } if (openSubs && subsRaw && subsRaw.trim() !== '') {
 
            if (openSubs && subsRaw && subsRaw.trim() !== '') {
                 if (barStack.length && barStack[barStack.length - 1].parentIcon === el) return;
                 if (barStack.length && barStack[barStack.length - 1].parentIcon === el) return;
                 try {
                 try {
                     const subs = JSON.parse(subsRaw);
                     const subs = JSON.parse(subsRaw);
                     pushSubBarFrom(subs, el);
                     pushSubBarFrom(subs, el);
                 } catch { }
                 } catch {
                }
             }
             }
         }
         } function wireClicksForCurrentBar() {
 
            const currIcons = Array.from(iconsBar.querySelectorAll('.skill-icon'));
         function snapshotCurrentBarItemsFromDOM() {
            currIcons.forEach(el => {
             return $$('.skill-icon', iconsBar).filter(el => el.dataset.weaponToggle !== '1').map(el => {
                if (el.dataset.weaponToggle === '1' || el.classList.contains('weapon-bar-toggle')) return;
                if (el.dataset.wired) return;
                el.dataset.wired = '1';
                const label = el.dataset.nome || el.dataset.name || '';
                el.setAttribute('aria-label', label);
                if (el.hasAttribute('title')) el.removeAttribute('title');
                const img = el.querySelector('img');
                if (img) {
                    img.setAttribute('alt', '');
                    if (img.hasAttribute('title')) img.removeAttribute('title');
                } el.addEventListener('click', () => {
                    activateSkill(el, {
                        openSubs: true
                    });
                });
            });
            wireTooltipsForNewIcons();
         } function animateIconsBarEntrance() {
            Array.from(iconsBar.children).forEach((c, i) => {
                c.style.opacity = '0';
                c.style.transform = 'translateY(6px)';
                requestAnimationFrame(() => {
                    setTimeout(() => {
                        c.style.transition = 'opacity .18s ease, transform .18s ease';
                        c.style.opacity = '1';
                        c.style.transform = 'translateY(0)';
                    }, i * 24);
                });
            });
        } function snapshotCurrentBarItemsFromDOM() {
             return Array.from(iconsBar.querySelectorAll('.skill-icon')).filter(el => el.dataset.weaponToggle !== '1').map(el => {
                 const img = el.querySelector('img');
                 const img = el.querySelector('img');
                 const iconURL = img ? img.src : '';
                 const iconURL = img ? img.src : '';
Linha 180: Linha 1 352:
                 try {
                 try {
                     subs = subsRaw ? JSON.parse(subsRaw) : null;
                     subs = subsRaw ? JSON.parse(subsRaw) : null;
                 } catch { subs = null; }
                 } catch {
 
                    subs = null;
                } const subattrsRaw = el.dataset.subattrs || '';
                 let flags = null;
                 let flags = null;
                 if (el.dataset.flags) {
                 if (el.dataset.flags) {
                     try {
                     try {
                         flags = JSON.parse(el.dataset.flags);
                         flags = JSON.parse(el.dataset.flags);
                     } catch { }
                     } catch (e) {
                 }
                    }
 
                 } let weapon = null;
                let weapon = null;
                 if (el.dataset.weapon) {
                 if (el.dataset.weapon) {
                     try {
                     try {
                         weapon = JSON.parse(el.dataset.weapon);
                         weapon = JSON.parse(el.dataset.weapon);
                     } catch { }
                     } catch (e) {
                 }
                    }
 
                 } return {
                return {
                     name: el.dataset.nome || el.dataset.name || '', index: el.dataset.index || '', level: el.dataset.level || '', desc: el.dataset.desc || '', descPt: el.dataset.descPt || '', descEn: el.dataset.descEn || '', descEs: el.dataset.descEs || '', descPl: el.dataset.descPl || '', attrs: el.dataset.atr || el.dataset.attrs || '', video: el.dataset.video || '', iconURL, subs, subattrsStr: subattrsRaw, flags: flags, weapon: weapon
                     name: el.dataset.nome || el.dataset.name || '',
                    index: el.dataset.index || '',
                    level: el.dataset.level || '',
                    desc: el.dataset.desc || '',
                    descPt: el.dataset.descPt || '',
                    descEn: el.dataset.descEn || '',
                    descEs: el.dataset.descEs || '',
                    descPl: el.dataset.descPl || '',
                    attrs: el.dataset.atr || '',
                    video: el.dataset.video || '',
                    iconURL,
                    subs,
                    flags,
                    weapon
                 };
                 };
             });
             });
         }
         } function ensureBackButton() {
 
            const rail = iconsBar.closest('.top-rail.skills');
         function renderBarFromItems(items) {
            if (!rail) return null;
             iconsBar.innerHTML = '';
            let wrap = rail.parentElement;
             items.forEach((it) => {
            if (!wrap || !wrap.classList || !wrap.classList.contains('skills-rail-wrap')) {
                const parentNode = rail.parentNode;
                const newWrap = document.createElement('div');
                newWrap.className = 'skills-rail-wrap';
                parentNode.insertBefore(newWrap, rail);
                newWrap.appendChild(rail);
                wrap = newWrap;
            } let backWrap = wrap.querySelector('.skills-back-wrapper');
            if (!backWrap) {
                backWrap = document.createElement('div');
                backWrap.className = 'skills-back-wrapper';
                const btnInner = document.createElement('button');
                btnInner.className = 'skills-back';
                btnInner.type = 'button';
                btnInner.setAttribute('aria-label', 'Voltar');
                btnInner.innerHTML = '<svg class="back-chevron" width="100%" height="100%" viewBox="0 0 36 32" fill="none" xmlns="http://www.w3.org/2000/svg" aria-hidden="true" preserveAspectRatio="xMidYMid meet"><path d="M10 2L4 16L10 30" stroke="currentColor" stroke-width="2.8" stroke-linecap="round" stroke-linejoin="round"/><path d="M20 2L14 16L20 30" stroke="currentColor" stroke-width="2.8" stroke-linecap="round" stroke-linejoin="round"/><path d="M30 2L24 16L30 30" stroke="currentColor" stroke-width="2.8" stroke-linecap="round" stroke-linejoin="round"/></svg>';
                backWrap.appendChild(btnInner);
                wrap.insertBefore(backWrap, rail);
                btnInner.addEventListener('click', () => {
                    if (!barStack.length) return;
                    const prev = barStack.pop();
                    renderBarFromItems(prev.items);
                    backWrap.style.display = barStack.length ? 'block' : 'none';
                    wrap.classList.toggle('has-sub-bar', barStack.length > 0);
                    if (!barStack.length) btnInner.classList.remove('peek');
                });
            } backWrap.style.display = barStack.length ? 'block' : 'none';
            wrap.classList.toggle('has-sub-bar', barStack.length > 0);
            const btnInner = backWrap.querySelector('.skills-back');
            return btnInner;
         } function renderBarFromItems(items) {
             const tip = document.querySelector('.skill-tooltip');
            if (tip) {
                tip.setAttribute('aria-hidden', 'true');
                tip.style.opacity = '0';
                tip.style.left = '-9999px';
                tip.style.top = '-9999px';
            } iconsBar.innerHTML = '';
             items.forEach((it, idx) => {
                 const node = document.createElement('div');
                 const node = document.createElement('div');
                 node.className = 'skill-icon';
                 node.className = 'skill-icon';
Linha 231: Linha 1 427:
                 if (it.video) node.dataset.video = it.video;
                 if (it.video) node.dataset.video = it.video;
                 if (it.subs) node.dataset.subs = JSON.stringify(it.subs);
                 if (it.subs) node.dataset.subs = JSON.stringify(it.subs);
                if (it.subattrsStr) node.dataset.subattrs = it.subattrsStr;
                 if (it.flags) node.dataset.flags = JSON.stringify(it.flags);
                 if (it.flags) node.dataset.flags = JSON.stringify(it.flags);
                 if (it.weapon) node.dataset.weapon = JSON.stringify(it.weapon);
                 if (it.weapon) node.dataset.weapon = JSON.stringify(it.weapon);
                 if (!it.index) node.dataset.nested = '1';
                 if (!it.index) node.dataset.nested = '1';
                 const img = document.createElement('img');
                 const img = document.createElement('img');
                 img.alt = '';
                 img.alt = '';
                 img.src = it.iconURL || (it.icon ? (filePathURL ? filePathURL(it.icon) : '') : '');
                 img.src = it.iconURL || (it.icon ? filePathURL(it.icon) : '');
                 img.decoding = 'async';
                 img.decoding = 'async';
                 img.loading = 'lazy';
                 img.loading = 'lazy';
                img.width = 50;
                img.height = 50;
                 node.appendChild(img);
                 node.appendChild(img);
                 iconsBar.appendChild(node);
                 iconsBar.appendChild(node);
             });
             });
 
            animateIconsBarEntrance();
             wireClicksForCurrentBar();
             wireClicksForCurrentBar();
        }
            // Remove qualquer toggle antigo que possa aparecer
 
            const oldToggle = iconsBar.querySelector('.weapon-bar-toggle');
         function pushSubBarFrom(subs, parentIconEl) {
            if (oldToggle) oldToggle.remove();
            const b = ensureBackButton();
            if (b) b.classList.add('peek');
         } function pushSubBarFrom(subs, parentIconEl) {
            const tip = document.querySelector('.skill-tooltip');
            if (tip) {
                tip.setAttribute('aria-hidden', 'true');
                tip.style.opacity = '0';
                tip.style.left = '-9999px';
                tip.style.top = '-9999px';
            } const parentNameSnapshot = parentIconEl ? (parentIconEl.dataset.nome || parentIconEl.dataset.name || '') : '';
             const parentIndexSnapshot = parentIconEl ? (parentIconEl.dataset.index || '') : '';
             const parentIndexSnapshot = parentIconEl ? (parentIconEl.dataset.index || '') : '';
             barStack.push({
             barStack.push({
                 items: snapshotCurrentBarItemsFromDOM(),
                 items: snapshotCurrentBarItemsFromDOM(), parentIcon: parentIconEl, parentName: parentNameSnapshot, parentIndex: parentIndexSnapshot
                parentIcon: parentIconEl,
                parentIndex: parentIndexSnapshot
             });
             });
 
            ensureBackButton();
             const L = getLabels();
            const langKey = getLangKey();
             const items = (subs || []).map(s => {
            let cacheKey = null;
            if (parentIconEl) {
                cacheKey = parentIconEl.dataset.subCacheKey || null;
                if (!cacheKey) {
                    if (parentIconEl.dataset.index) {
                        cacheKey = `idx:${parentIconEl.dataset.index}`;
                    } else {
                        const slug = slugify(parentIconEl.dataset.nome || parentIconEl.dataset.name || '');
                        if (slug) cacheKey = `slug:${slug}`;
                    } if (cacheKey) parentIconEl.dataset.subCacheKey = cacheKey;
                }
            } if (cacheKey) {
                const cached = subBarTemplateCache.get(cacheKey);
                if (cached && cached.lang === langKey) {
                    iconsBar.innerHTML = '';
                    const clone = cached.template.cloneNode(true);
                    iconsBar.appendChild(clone);
                    animateIconsBarEntrance();
                    wireClicksForCurrentBar();
                    // Remove qualquer toggle antigo que possa aparecer
                    const oldToggle2 = iconsBar.querySelector('.weapon-bar-toggle');
                    if (oldToggle2) oldToggle2.remove();
                    const cachedBtn = ensureBackButton();
                    if (cachedBtn) cachedBtn.classList.add('peek');
                    return;
                }
            } const skillsRoot = document.getElementById('skills');
            const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
            };
             const L = i18nMap[getLangKey()] || i18nMap.pt || {
                cooldown: 'Recarga', energy_gain: 'Ganho de energia', energy_cost: 'Custo de energia', power: 'Poder', power_pvp: 'Poder PvP', level: 'Nível'
            };
            const hydratedSubs = inheritSubskillTree(subs, mainSkillsMeta);
             const items = (hydratedSubs || []).filter(s => {
                // Filtra só se não tem nada útil
                const hasName = (s.name || s.n || '').trim() !== '';
                const hasIcon = (s.icon || '').trim() !== '' && s.icon !== 'Nada.png';
                const hasRef = (s.refS || s.refM || '').toString().trim() !== '';
                return hasName || hasIcon || hasRef;
            }).map(s => {
                 const name = (s.name || s.n || '').trim();
                 const name = (s.name || s.n || '').trim();
                 const desc = chooseDescFrom ? chooseDescFrom(s) : '';
                 const desc = chooseDescFrom(s).replace(/'''(.*?)'''/g, '<b>$1</b>');
                const attrsHTML = renderSubAttributesFromObj(s, L);
                 return {
                 return {
                     name,
                     name, level: (s.level || '').toString().trim(), desc, descPt: (s.descPt || (s.desc_i18n && s.desc_i18n.pt) || ''), descEn: (s.descEn || (s.desc_i18n && s.desc_i18n.en) || ''), descEs: (s.descEs || (s.desc_i18n && s.desc_i18n.es) || ''), descPl: (s.descPl || (s.desc_i18n && s.desc_i18n.pl) || ''), attrs: '', icon: (s.icon || ''), iconURL: (s.icon && s.icon !== 'Nada.png' && s.icon.toLowerCase() !== 'nada.png') ? filePathURL(s.icon) : '', video: s.video ? filePathURL(s.video) : '', subs: Array.isArray(s.subs) ? s.subs : null, subattrs: s, flags: Array.isArray(s.flags) ? s.flags : null, back: (s.back === true || s.back === 'true' || s.back === 'yes' || s.back === '1') ? 'true' : null, weapon: s.weapon || null
                    level: (s.level || '').toString().trim(),
                };
                    desc,
            });
                    descPt: (s.desc_i18n && s.desc_i18n.pt) || '',
            const fragment = document.createDocumentFragment();
                    descEn: (s.desc_i18n && s.desc_i18n.en) || '',
            items.forEach((it, iIdx) => {
                    descEs: (s.desc_i18n && s.desc_i18n.es) || '',
                const node = document.createElement('div');
                    descPl: (s.desc_i18n && s.desc_i18n.pl) || '',
                node.className = 'skill-icon';
                    attrs: '',
                node.dataset.nested = '1';
                    icon: (s.icon || ''),
                node.dataset.nome = it.name || '';
                    iconURL: (s.icon && s.icon !== 'Nada.png') ? (filePathURL ? filePathURL(s.icon) : '') : '',
                node.dataset.parentIndex = parentIndexSnapshot;
                    video: s.video ? (filePathURL ? filePathURL(s.video) : '') : '',
                node.dataset.subName = it.name || '';
                    subs: Array.isArray(s.subs) ? s.subs : null,
                const subSlug = slugify(it.name || '');
                    flags: Array.isArray(s.flags) ? s.flags : null,
                if (subSlug) node.dataset.slug = subSlug;
                    back: (s.back === true || s.back === 'true' || s.back === 'yes' || s.back === '1') ? 'true' : null,
                if (it.level) node.dataset.level = it.level;
                    weapon: s.weapon || null
                if (it.desc) node.dataset.desc = it.desc;
                if (it.descPt) node.dataset.descPt = it.descPt;
                if (it.descEn) node.dataset.descEn = it.descEn;
                if (it.descEs) node.dataset.descEs = it.descEs;
                if (it.descPl) node.dataset.descPl = it.descPl;
                if (it.video) node.dataset.video = it.video;
                if (it.subs) node.dataset.subs = JSON.stringify(it.subs);
                if (it.subattrs) node.dataset.subattrs = JSON.stringify(it.subattrs);
                if (it.flags) node.dataset.flags = JSON.stringify(it.flags);
                if (it.back) node.dataset.back = it.back;
                if (it.weapon) {
                    try {
                        node.dataset.weapon = JSON.stringify(it.weapon);
                    } catch (e) {
                        console.error('[Skills] Erro ao serializar weapon de subskill', it.name, e);
                    }
                }
                const img = document.createElement('img');
                img.alt = '';
                img.src = it.iconURL;
                img.decoding = 'async';
                img.loading = 'lazy';
                img.width = 50;
                img.height = 50;
                node.appendChild(img);
                fragment.appendChild(node);
            });
            const templateClone = fragment.cloneNode(true);
            iconsBar.innerHTML = '';
            iconsBar.appendChild(fragment);
            animateIconsBarEntrance();
            wireClicksForCurrentBar();
            // Remove qualquer toggle antigo que possa aparecer
            const oldToggle3 = iconsBar.querySelector('.weapon-bar-toggle');
            if (oldToggle3) oldToggle3.remove();
            const b2 = ensureBackButton();
            if (b2) b2.classList.add('peek');
            if (cacheKey) {
                subBarTemplateCache.set(cacheKey, {
                    template: templateClone, lang: langKey
                });
            }
        } window.addEventListener('gla:langChanged', () => {
            subBarTemplateCache.clear();
            const skillsRoot = document.getElementById('skills');
            const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
            };
            const lang = getLangKey();
            Array.from(iconsBar.querySelectorAll('.skill-icon')).forEach(icon => {
                const pack = {
                    pt: icon.dataset.descPt || '', en: icon.dataset.descEn || '', es: icon.dataset.descEs || '', pl: icon.dataset.descPl || ''
                 };
                 };
                const chosen = (pack[lang] || pack.pt || pack.en || pack.es || pack.pl || icon.dataset.desc || '').trim();
                if (chosen) icon.dataset.desc = chosen;
             });
             });
            barStack.forEach(frame => {
                (frame.items || []).forEach(it => {
                    const pack = {
                        pt: it.descPt, en: it.descEn, es: it.descEs, pl: it.descPl
                    };
                    const chosen = (pack[lang] || pack.pt || pack.en || pack.es || pack.pl || it.desc || '');
                    it.desc = chosen;
                });
            });
            if (descBox) {
                applyFlagTooltips(descBox);
            } const activeIcon = window.__lastActiveSkillIcon;
            if (activeIcon && activeIcon.dataset.weapon) {
                activateSkill(activeIcon, {
                    openSubs: false
                });
            }
        });
        wireClicksForCurrentBar();
        const b0 = ensureBackButton();
        if (b0) {
            b0.classList.add('peek');
            b0.style.alignSelf = 'stretch';
        }


             renderBarFromItems(items);
        // Move inicialização de tooltip para requestIdleCallback (não crítico)
        if ('requestIdleCallback' in window) {
            requestIdleCallback(() => {
                (function initSkillTooltip() {
                    if (document.querySelector('.skill-tooltip')) return;
                    const tip = document.createElement('div');
                    tip.className = 'skill-tooltip';
                    tip.setAttribute('role', 'tooltip');
                    tip.setAttribute('aria-hidden', 'true');
                    document.body.appendChild(tip);
                    const lockUntilRef = {
                        value: 0
                    };
                    function measureAndPos(el) {
                        if (!el || tip.getAttribute('aria-hidden') === 'true') return;
                        tip.style.left = '0px';
                        tip.style.top = '0px';
                        const rect = el.getBoundingClientRect();
                        const tr = tip.getBoundingClientRect();
                        let left = Math.round(rect.left + (rect.width - tr.width) / 2);
                        left = Math.max(8, Math.min(left, window.innerWidth - tr.width - 8));
                        const coarse = (window.matchMedia && matchMedia('(pointer: coarse)').matches) || (window.innerWidth <= 600);
                        let top = coarse ? Math.round(rect.bottom + 10) : Math.round(rect.top - tr.height - 8);
                        if (top < 8) top = Math.round(rect.bottom + 10);
                        tip.style.left = left + 'px';
                        tip.style.top = top + 'px';
                    } function show(el, text) {
                        tip.textContent = text || '';
                        tip.setAttribute('aria-hidden', 'false');
                        measureAndPos(el);
                        tip.style.opacity = '1';
                    } function hide() {
                        tip.setAttribute('aria-hidden', 'true');
                        tip.style.opacity = '0';
                        tip.style.left = '-9999px';
                        tip.style.top = '-9999px';
                    } window.__globalSkillTooltip = {
                        show, hide, measureAndPos, lockUntil: lockUntilRef
                    };
                    Array.from(document.querySelectorAll('.icon-bar .skill-icon')).forEach(icon => {
                        if (icon.dataset.weaponToggle === '1' || icon.classList.contains('weapon-bar-toggle')) return;
                        if (icon.dataset.tipwired) return;
                        icon.dataset.tipwired = '1';
                        const label = icon.dataset.nome || icon.dataset.name || icon.title || '';
                        if (label && !icon.hasAttribute('aria-label')) icon.setAttribute('aria-label', label);
                        if (icon.hasAttribute('title')) icon.removeAttribute('title');
                        const img = icon.querySelector('img');
                        if (img) {
                            const imgAlt = img.getAttribute('alt') || '';
                            const imgTitle = img.getAttribute('title') || '';
                            if (!label && (imgAlt || imgTitle)) icon.setAttribute('aria-label', imgAlt || imgTitle);
                            img.setAttribute('alt', '');
                            if (img.hasAttribute('title')) img.removeAttribute('title');
                        } icon.addEventListener('mouseenter', () => show(icon, label));
                        icon.addEventListener('mousemove', () => {
                            if (performance.now() >= lockUntilRef.value) measureAndPos(icon);
                        });
                        icon.addEventListener('click', () => {
                            lockUntilRef.value = performance.now() + 240;
                            measureAndPos(icon);
                        });
                        icon.addEventListener('mouseleave', hide);
                    });
                    Array.from(document.querySelectorAll('.subskills-rail .subicon')).forEach(sub => {
                        if (sub.dataset.tipwired) return;
                        sub.dataset.tipwired = '1';
                        const label = sub.getAttribute('title') || sub.getAttribute('aria-label') || '';
                        if (label && !sub.hasAttribute('aria-label')) sub.setAttribute('aria-label', label);
                        if (sub.hasAttribute('title')) sub.removeAttribute('title');
                        sub.addEventListener('mouseenter', () => show(sub, label));
                        sub.addEventListener('mousemove', () => {
                            if (performance.now() >= lockUntilRef.value) measureAndPos(sub);
                        });
                        sub.addEventListener('click', () => {
                            lockUntilRef.value = performance.now() + 240;
                            measureAndPos(sub);
                        });
                        sub.addEventListener('mouseleave', hide);
                    });
                    window.addEventListener('scroll', () => {
                        const visible = document.querySelector('.skill-tooltip[aria-hidden="false"]');
                        if (!visible) return;
                        const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                        measureAndPos(target);
                    }, true);
                    window.addEventListener('resize', () => {
                        const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                        measureAndPos(target);
                    });
                })();
            }, { timeout: 2000 });
        } else {
            // Fallback para navegadores sem requestIdleCallback
             setTimeout(() => {
                (function initSkillTooltip() {
                    if (document.querySelector('.skill-tooltip')) return;
                    const tip = document.createElement('div');
                    tip.className = 'skill-tooltip';
                    tip.setAttribute('role', 'tooltip');
                    tip.setAttribute('aria-hidden', 'true');
                    document.body.appendChild(tip);
                    window.__globalSkillTooltip = {
                        show: (el, text) => {
                            if (!el || !text) return;
                            tip.textContent = text;
                            tip.setAttribute('aria-hidden', 'false');
                            measureAndPos(el);
                        },
                        hide: () => {
                            tip.setAttribute('aria-hidden', 'true');
                            tip.style.left = '-9999px';
                            tip.style.top = '-9999px';
                        },
                        measureAndPos: (el) => {
                            if (!el || tip.getAttribute('aria-hidden') === 'true') return;
                            const rect = el.getBoundingClientRect();
                            const tipRect = tip.getBoundingClientRect();
                            let left = rect.left + (rect.width / 2) - (tipRect.width / 2);
                            let top = rect.top - tipRect.height - 8;
                            if (left < 8) left = 8;
                            if (left + tipRect.width > window.innerWidth - 8) left = window.innerWidth - tipRect.width - 8;
                            if (top < 8) top = rect.bottom + 8;
                            tip.style.left = left + 'px';
                            tip.style.top = top + 'px';
                        },
                        lockUntil: { value: 0 }
                    };
                    const { measureAndPos } = window.__globalSkillTooltip;
                    window.addEventListener('scroll', () => {
                        const visible = document.querySelector('.skill-tooltip[aria-hidden="false"]');
                        if (!visible) return;
                        const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                        measureAndPos(target);
                    }, true);
                    window.addEventListener('resize', () => {
                        const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                        measureAndPos(target);
                    });
                })();
            }, 100);
         }
         }


         function wireClicksForCurrentBar() {
         (function initTabs() {
             $$('.skill-icon', iconsBar).forEach(el => {
             const tabs = Array.from(document.querySelectorAll('.tab-btn'));
                 if (el.dataset.weaponToggle === '1') return;
            if (!tabs.length) return;
                 if (el.dataset.wired) return;
            const contents = Array.from(document.querySelectorAll('.tab-content'));
                 el.dataset.wired = '1';
            const characterBox = document.querySelector('.character-box');
                 const label = el.dataset.nome || el.dataset.name || '';
            let wrapper = characterBox.querySelector('.tabs-height-wrapper');
                 el.setAttribute('aria-label', label);
            if (!wrapper) {
                 el.addEventListener('click', () => {
                wrapper = document.createElement('div');
                    activateSkill(el, { openSubs: true });
                wrapper.className = 'tabs-height-wrapper';
                contents.forEach(c => {
                    wrapper.appendChild(c);
                });
                const tabsElement = characterBox.querySelector('.character-tabs');
                if (tabsElement && tabsElement.nextSibling) {
                    characterBox.insertBefore(wrapper, tabsElement.nextSibling);
                } else {
                    characterBox.appendChild(wrapper);
                }
            } async function smoothHeightTransition(fromTab, toTab) {
                if (!wrapper) return Promise.resolve();
                const scrollY = window.scrollY;
                const currentHeight = wrapper.getBoundingClientRect().height;
                await new Promise((resolve) => {
                    const videoContainers = toTab.querySelectorAll('.video-container');
                    const contentCard = toTab.querySelector('.content-card');
                    if (videoContainers.length === 0) {
                        requestAnimationFrame(() => {
                            requestAnimationFrame(() => {
                                requestAnimationFrame(() => resolve());
                            });
                        });
                        return;
                    } let lastHeight = 0;
                    let stableCount = 0;
                    const checksNeeded = 3;
                    let totalChecks = 0;
                    const maxChecks = 15;
                    function checkStability() {
                        totalChecks++;
                        const currentTabHeight = toTab.scrollHeight;
                        if (Math.abs(currentTabHeight - lastHeight) < 5) {
                            stableCount++;
                        } else {
                            stableCount = 0;
                        } lastHeight = currentTabHeight;
                        if (stableCount >= checksNeeded || totalChecks >= maxChecks) {
                            resolve();
                        } else {
                            setTimeout(checkStability, 50);
                        }
                    } setTimeout(checkStability, 50);
                });
                const nextHeight = toTab.getBoundingClientRect().height;
                const finalHeight = Math.max(nextHeight, 100);
                 if (Math.abs(finalHeight - currentHeight) < 30) {
                    wrapper.style.height = '';
                    return Promise.resolve();
                } wrapper.style.overflow = 'hidden';
                wrapper.style.height = currentHeight + 'px';
                wrapper.offsetHeight;
                wrapper.style.transition = 'height 0.3s cubic-bezier(0.4, 0, 0.2, 1)';
                requestAnimationFrame(() => {
                    wrapper.style.height = finalHeight + 'px';
                });
                return new Promise(resolve => {
                    setTimeout(() => {
                        wrapper.style.height = '';
                        wrapper.style.transition = '';
                        wrapper.style.overflow = '';
                        resolve();
                    }, 320);
                });
            } tabs.forEach(btn => {
                 if (btn.dataset.wiredTab) return;
                 btn.dataset.wiredTab = '1';
                 btn.addEventListener('click', () => {
                    const target = btn.getAttribute('data-tab');
                    const currentActive = contents.find(c => c.classList.contains('active'));
                    const nextActive = contents.find(c => c.id === target);
                    if (currentActive === nextActive) return;
                    document.body.classList.add('transitioning-tabs');
                    if (currentActive) {
                        currentActive.style.opacity = '0';
                        currentActive.style.transform = 'translateY(-8px)';
                    } setTimeout(async () => {
                        contents.forEach(c => {
                            if (c !== nextActive) {
                                c.style.display = 'none';
                                c.classList.remove('active');
                            }
                        });
                        tabs.forEach(b => b.classList.toggle('active', b === btn));
                        if (nextActive) {
                            nextActive.classList.add('active');
                            nextActive.style.display = 'block';
                            nextActive.style.opacity = '0';
                            nextActive.style.visibility = 'hidden';
                            nextActive.offsetHeight;
                            try {
                                if (target === 'skills') {
                                    const tabEl = document.getElementById(target);
                                    if (tabEl) {
                                        const activeIcon = tabEl.querySelector('.icon-bar .skill-icon.active');
                                        const firstIcon = tabEl.querySelector('.icon-bar .skill-icon');
                                        const toClick = activeIcon || firstIcon;
                                        if (toClick) {
                                            const had = document.body.dataset.suppressSkillPlay;
                                            document.body.dataset.suppressSkillPlay = '1';
                                            toClick.click();
                                            if (had) document.body.dataset.suppressSkillPlay = had;
                                        }
                                    }
                                }
                            } catch (e) {
                            }
                        } if (currentActive && nextActive) {
                            await smoothHeightTransition(currentActive, nextActive);
                        } if (nextActive) {
                            nextActive.style.visibility = '';
                            nextActive.style.transform = 'translateY(12px)';
                            requestAnimationFrame(() => {
                                nextActive.style.opacity = '1';
                                nextActive.style.transform = 'translateY(0)';
                                setTimeout(() => {
                                    nextActive.style.opacity = '';
                                    nextActive.style.transform = '';
                                    document.body.classList.remove('transitioning-tabs');
                                    try {
                                        delete document.body.dataset.suppressSkillPlay;
                                    } catch {
                                    }
                                }, 300);
                            });
                        }
                    }, 120);
                    setTimeout(() => {
                        syncDescHeight();
                        if (target === 'skins') {
                            videosCache.forEach(v => {
                                try {
                                    v.pause();
                                } catch (e) {
                                } v.style.display = 'none';
                            });
                            if (videoBox) {
                                videoBox.querySelectorAll('video.skill-video').forEach(v => {
                                    try {
                                        v.pause();
                                    } catch (e) {
                                    } v.style.display = 'none';
                                });
                            } if (window.__subskills) window.__subskills.hideAll?.(videoBox);
                            const placeholder = videoBox?.querySelector('.video-placeholder');
                            if (videoBox && placeholder) {
                                placeholder.style.display = 'none';
                                placeholder.classList.add('fade-out');
                            }
                        } else {
                            const activeIcon = document.querySelector('.icon-bar .skill-icon.active');
                            if (activeIcon) activeIcon.click();
                        }
                    }, 450);
                });
            });
        })();
        (function initSkinsArrows() {
            const carousel = $('.skins-carousel');
            const wrapper = $('.skins-carousel-wrapper');
            const left = $('.skins-arrow.left');
            const right = $('.skins-arrow.right');
            if (!carousel || !left || !right || !wrapper) return;
            if (wrapper.dataset.wired) return;
            wrapper.dataset.wired = '1';
            const scrollAmt = () => Math.round(carousel.clientWidth * 0.6);
            function setState() {
                 const max = carousel.scrollWidth - carousel.clientWidth;
                const x = carousel.scrollLeft;
                const hasLeft = x > 5, hasRight = x < max - 5;
                left.style.display = hasLeft ? 'inline-block' : 'none';
                right.style.display = hasRight ? 'inline-block' : 'none';
                wrapper.classList.toggle('has-left', hasLeft);
                 wrapper.classList.toggle('has-right', hasRight);
                carousel.style.justifyContent = (!hasLeft && !hasRight) ? 'center' : '';
            } function go(dir) {
                const max = carousel.scrollWidth - carousel.clientWidth;
                const next = dir < 0 ? Math.max(0, carousel.scrollLeft - scrollAmt()) : Math.min(max, carousel.scrollLeft + scrollAmt());
                carousel.scrollTo({
                    left: next, behavior: 'smooth'
                 });
                 });
            } left.addEventListener('click', () => go(-1));
            right.addEventListener('click', () => go(1));
            carousel.addEventListener('scroll', setState);
            new ResizeObserver(setState).observe(carousel);
            setState();
        })();
        function renderAttributes(str) {
            const skillsRoot = document.getElementById('skills');
            const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
            };
            const langRaw = (document.documentElement.lang || skillsRoot?.dataset.i18nDefault || 'pt').toLowerCase();
            const langKey = i18nMap[langRaw] ? langRaw : (i18nMap[langRaw.split('-')[0]] ? langRaw.split('-')[0] : 'pt');
            const L = i18nMap[langKey] || i18nMap.pt || {
                cooldown: 'Recarga', energy_gain: 'Ganho de energia', energy_cost: 'Custo de energia', power: 'Poder', power_pvp: 'Poder PvP', level: 'Nível'
            };
            const vals = (str || '').split(',').map(v => v.trim());
            // Processa valores, tratando strings vazias como NaN
            // IMPORTANTE: ordem fixa é [powerpve, powerpvp, energy, cooldown]
            const pve = (vals[0] && vals[0] !== '') ? parseFloat(vals[0]) : NaN;
            const pvp = (vals[1] && vals[1] !== '') ? parseFloat(vals[1]) : NaN;
            const ene = (vals[2] && vals[2] !== '') ? parseFloat(vals[2]) : NaN;
            const cd = (vals[3] && vals[3] !== '') ? parseFloat(vals[3]) : NaN;
            // Debug: log se houver problema na ordem
            if (str && str.includes(',') && !isNaN(cd) && !isNaN(pvp) && cd === pvp) {
                console.warn('[Skills] renderAttributes: possível problema na ordem dos atributos', { str, vals, pve, pvp, ene, cd });
            }
            const rows = [];
            // Ordem de exibição: cooldown, energy, power, power_pvp
            if (!isNaN(cd)) rows.push([L.cooldown, cd]);
            if (!isNaN(ene) && ene !== 0) {
                const label = ene > 0 ? L.energy_gain : L.energy_cost;
                rows.push([label, Math.abs(ene)]);
            }
            if (!isNaN(pve)) rows.push([L.power, pve]);
            if (!isNaN(pvp)) rows.push([L.power_pvp, pvp]);
            // Debug: log se houver valores suspeitos (desabilitado para performance)
            // if (str && str.includes(',')) {
            //    console.log('[Skills] renderAttributes processed', {
            //        str,
            //        vals: vals.slice(0, 4),
            //        parsed: { pve, pvp, ene, cd },
            //        rows: rows.map(r => r[0])
            //    });
            // }
            if (!rows.length) return '';
            const html = rows.map(([rowLabel, rowValue]) => `<div class="attr-row"><span class="attr-label">${rowLabel}</span><span class="attr-value">${rowValue}</span></div>`).join('');
            return `<div class="attr-list">${html}</div>`;
        } function syncDescHeight() {
        } window.addEventListener('resize', syncDescHeight);
        if (videoBox) new ResizeObserver(syncDescHeight).observe(videoBox);
        iconItems.forEach(el => {
            const wired = !!el.dataset._sync_wired;
            if (wired) return;
            el.dataset._sync_wired = '1';
            el.addEventListener('click', () => {
                Promise.resolve().then(syncDescHeight);
            });
        });
        if (iconsBar) {
            const scrollWrapper = iconsBar.closest('.icon-scroll-x') || iconsBar.parentElement;
            const scrollContainer = scrollWrapper && scrollWrapper.classList.contains('icon-scroll-x') ? scrollWrapper : iconsBar;
            addOnce(scrollContainer, 'wheel', (e) => {
                if (e.deltaY) {
                    e.preventDefault();
                    scrollContainer.scrollLeft += e.deltaY;
                }
             });
             });
         }
         }
        // Initialize
         wireClicksForCurrentBar();
         wireClicksForCurrentBar();
         const firstIcon = $$('.skill-icon', iconsBar)[0];
         if (iconItems.length) {
        if (firstIcon) {
            const first = iconItems[0];
            activateSkill(firstIcon, { openSubs: false });
            if (first) {
                activateSkill(first, {
                    openSubs: false
                });
            }
         }
         }
        // Aplica lazy loading em imagens fora do viewport inicial
        (function applyLazyLoading() {
            if ('IntersectionObserver' in window) {
                const imageObserver = new IntersectionObserver((entries, observer) => {
                    entries.forEach(entry => {
                        if (entry.isIntersecting) {
                            const img = entry.target;
                            if (img.tagName === 'IMG' && !img.hasAttribute('loading')) {
                                img.loading = 'lazy';
                            }
                            observer.unobserve(img);
                        }
                    });
                });
                // Observa imagens que não estão no viewport inicial
                document.querySelectorAll('img:not(.topbar-icon):not([loading])').forEach(img => {
                    const rect = img.getBoundingClientRect();
                    if (rect.bottom > window.innerHeight || rect.top < 0) {
                        imageObserver.observe(img);
                    }
                });
            }
        })();
        setTimeout(() => {
            Array.from(document.querySelectorAll('.skill-icon')).forEach(el => {
            });
            videosCache.forEach((v, idx) => {
                const src = v.querySelector('source') ? v.querySelector('source').src : v.src;
                v.addEventListener('error', (ev) => {
                });
                v.addEventListener('loadedmetadata', () => {
                });
            });
        }, 600);
     })();
     })();
</script>
</script>

Edição das 21h56min de 31 de dezembro de 2025

<script>

   (function () {
       const $ = (s, root = document) => root.querySelector(s);
       const $$ = (s, root = document) => Array.from(root.querySelectorAll(s));
       const ensureRemoved = sel => {
           Array.from(document.querySelectorAll(sel)).forEach(n => n.remove());
       };
       const onceFlag = (el, key) => {
           if (!el) return false;
           if (el.dataset[key]) return false;
           el.dataset[key] = '1';
           return true;
       };
       const addOnce = (el, ev, fn) => {
           if (!el) return;
           const attr = `data-wired-${ev}`;
           if (el.hasAttribute(attr)) return;
           el.addEventListener(ev, fn);
           el.setAttribute(attr, '1');
       };
       const FLAG_ICON_FILES = {
           aggro: 'Enemyaggro-icon.png', bridge: 'Bridgemaker-icon.png', wall: 'Destroywall-icon.png', quickcast: 'Quickcast-icon.png', wallpass: 'Passthroughwall-icon.png'
       };
       const subBarTemplateCache = window.__skillSubBarTemplateCache || (window.__skillSubBarTemplateCache = new Map());
       const imagePreloadCache = window.__skillImagePreloadCache || (window.__skillImagePreloadCache = new Map());
       const videoPreloadCache = window.__skillVideoPreloadCache || (window.__skillVideoPreloadCache = new Set());
       const flagRowCache = window.__skillFlagRowCache || (window.__skillFlagRowCache = new Map());
       const flagIconURLCache = window.__skillFlagIconURLCache || (window.__skillFlagIconURLCache = new Map());
       function filePathURL(fileName) {
           // Evita requisições para Nada.png que não existe
           if (!fileName || fileName.trim() ===  || fileName === 'Nada.png' || fileName.toLowerCase() === 'nada.png') {
               return ;
           }
           const f = encodeURIComponent(fileName.replace(/^Arquivo:|^File:/, ));
           const base = (window.mw && mw.util && typeof mw.util.wikiScript === 'function') ? mw.util.wikiScript() : (window.mw && window.mw.config ? (mw.config.get('wgScript') || '/index.php') : '/index.php');
           // Garante HTTPS para evitar Mixed Content
           let url = `${base}?title=Especial:FilePath/${f}`;
           if (window.location.protocol === 'https:' && url.startsWith('http://')) {
               url = url.replace('http://', 'https://');
           }
           return url;
       } function slugify(s) {
           if (!s) return ;
           return String(s).toLowerCase().normalize('NFD').replace(/[\u0300-\u036f]/g, ).replace(/[^\w\s-]/g, ).replace(/[\s:/\-]+/g, '-').replace(/^-+|-+$/g, ).replace(/-+/g, '-');
       } window.__skillSlugify = slugify;
       function getLangKey() {
           const skillsRoot = document.getElementById('skills');
           const raw = (document.documentElement.lang || skillsRoot?.dataset.i18nDefault || 'pt').toLowerCase();
           return raw === 'pt-br' ? 'pt' : (raw.split('-')[0] || 'pt');
       } function chooseDescFrom(obj) {
           const lang = getLangKey();
           // Aceita tanto desc_i18n quanto desc para compatibilidade
           const pack = obj.desc_i18n || obj.desc || {
               pt: obj.descPt, en: obj.descEn, es: obj.descEs, pl: obj.descPl
           };
           return (pack && (pack[lang] || pack.pt || pack.en || pack.es || pack.pl)) || ;
       } function renderSubAttributesFromObj(s, L) {

const chip = (label, val) => (val ? `

${label}${val}

` : );

           const pve = (s.powerpve || ).toString().trim();
           const pvp = (s.powerpvp || ).toString().trim();
           const en = (s.energy || ).toString().trim();
           const cd = (s.cooldown || ).toString().trim();
           const rows = [cd ? chip(L.cooldown, cd) : , en ? chip((en.startsWith('-') ? L.energy_cost : L.energy_gain), en.startsWith('-') ? en.replace(/^-/, ) : en.replace(/^\+?/, )) : , pve ? chip(L.power, pve) : , pvp ? chip(L.power_pvp, pvp) : ,].filter(Boolean);

return rows.length ? `

${rows.join()}

` : ;

       } function getFlagIconURL(key) {
           if (!FLAG_ICON_FILES[key]) return ;
           if (!flagIconURLCache.has(key)) {
               flagIconURLCache.set(key, filePathURL(FLAG_ICON_FILES[key]));
           } return flagIconURLCache.get(key);
       } function renderFlagsRow(flags) {
           const arr = (flags || []).filter(Boolean);
           if (!arr.length) return ;
           const cacheKey = arr.join('|');
           if (flagRowCache.has(cacheKey)) {
               return flagRowCache.get(cacheKey);
           } const items = arr.map(k => {
               const url = getFlagIconURL(k);
               return url ? `<img class="skill-flag" data-flag="${k}" alt="" src="${url}">` : ;
           }).join();

const html = items ? `

${items}

` : ;

           if (html) flagRowCache.set(cacheKey, html);
           return html;
       } function applyFlagTooltips(container) {
           const skillsRoot = document.getElementById('skills');
           if (!skillsRoot) return;
           let pack = {
           };
           try {
               pack = JSON.parse(skillsRoot.dataset.i18nFlags || '{}');
           } catch (e) {
           } const lang = getLangKey();
           const dict = pack[lang] || pack.pt || {
           };
           const flags = container.querySelectorAll('.skill-flags .skill-flag[data-flag]');
           const tooltip = window.__globalSkillTooltip;
           if (!tooltip) return;
           flags.forEach(el => {
               const key = el.getAttribute('data-flag');
               const tip = (dict && dict[key]) || ;
               if (!tip) return;
               if (el.dataset.flagTipWired) return;
               el.dataset.flagTipWired = '1';
               el.setAttribute('aria-label', tip);
               if (el.hasAttribute('title')) el.removeAttribute('title');
               el.addEventListener('mouseenter', () => {
                   const tipEl = document.querySelector('.skill-tooltip');
                   if (tipEl) tipEl.classList.add('flag-tooltip');
                   tooltip.show(el, tip);
               });
               el.addEventListener('mousemove', () => {
                   if (performance.now() >= tooltip.lockUntil.value) {
                       tooltip.measureAndPos(el);
                   }
               });
               el.addEventListener('click', () => {
                   tooltip.lockUntil.value = performance.now() + 240;
                   tooltip.measureAndPos(el);
               });
               el.addEventListener('mouseleave', () => {
                   const tipEl = document.querySelector('.skill-tooltip');
                   if (tipEl) tipEl.classList.remove('flag-tooltip');
                   tooltip.hide();
               });
           });
       }
       // ====== Skill/Subskill inheritance helpers ======
       const mainSkillsMeta = {
           byIndex: new Map(),
           byName: new Map(),
           ready: false
       };
       function normalizeFileURL(raw, fallback = ) {
           if (!raw) return fallback;
           const val = String(raw).trim();
           if (!val) return fallback;
           if (/^(https?:)?\/\//i.test(val) || val.startsWith('data:') || val.includes('Especial:FilePath/')) {
               return val;
           } return filePathURL(val);
       }
       function extractFileNameFromURL(url) {
           if (!url) return ;
           const match = String(url).match(/(?:FilePath\/)([^&?]+)/i);
           return match ? decodeURIComponent(match[1]) : ;
       }
       function parseAttrString(raw) {
           const parts = (raw || ).split(',').map(v => v.trim());
           const safe = idx => {
               const val = parts[idx] || ;
               return (val && val !== '-') ? val : ;
           };
           return {
               powerpve: safe(0),
               powerpvp: safe(1),
               energy: safe(2),
               cooldown: safe(3)
           };
       }
       function hasText(value) {
           return typeof value === 'string' ? value.trim() !==  : value !== undefined && value !== null;
       }
       function pickFilled(current, fallback) {
           if (current === 0 || current === '0') return current;
           if (!hasText(current)) return fallback;
           return current;
       }
       function buildMainSkillsMeta(nodes) {
           if (mainSkillsMeta.ready) {
               return mainSkillsMeta;
           }
           (nodes || []).forEach(icon => {
               const index = (icon.dataset.index || ).trim();
               if (!index) return;
               const name = (icon.dataset.nome || icon.dataset.name || ).trim();
               const attrs = parseAttrString(icon.dataset.atr || );
               let iconFile = (icon.dataset.iconFile || ).trim();
               if (!iconFile) {
                   const imgSrc = icon.querySelector('img')?.src || ;
                   const iconMatch = imgSrc.match(/(?:FilePath|images)\/([^\/?]+)$/);
                   iconFile = iconMatch ? decodeURIComponent(iconMatch[1]) : ;
               }
               let videoFile = (icon.dataset.videoFile || ).trim();
               if (!videoFile) {
                   videoFile = extractFileNameFromURL(icon.dataset.video || );
               }
               const meta = {
                   index,
                   name,
                   icon: iconFile || 'Nada.png',
                   level: icon.dataset.level || ,
                   video: videoFile || ,
                   powerpve: attrs.powerpve || ,
                   powerpvp: attrs.powerpvp || ,
                   energy: attrs.energy || ,
                   cooldown: attrs.cooldown || ,
                   desc: icon.dataset.desc || ,
                   descPt: icon.dataset.descPt || ,
                   descEn: icon.dataset.descEn || ,
                   descEs: icon.dataset.descEs || ,
                   descPl: icon.dataset.descPl || 
               };
               mainSkillsMeta.byIndex.set(index, meta);
               mainSkillsMeta.byIndex.set(parseInt(index, 10), meta);
               if (name) {
                   mainSkillsMeta.byName.set(name, meta);
               }
           });
           mainSkillsMeta.ready = true;
           return mainSkillsMeta;
       }
       function inheritSubskillFromMain(sub, meta) {
           if (!sub || !meta) return sub;
           // Suporta refS (novo) e refM (legado)
           const refS = ((sub.refS || sub.S || sub.s || ) + ).trim();
           const refIndex = ((sub.refM || sub.M || sub.m || ) + ).trim();
           let name = (sub.name || sub.n || ).trim();
           let main = null;


           // Primeiro tenta por refS
           if (refS) {
               main = meta.byIndex.get(refS) || meta.byIndex.get(parseInt(refS, 10));
           }
           // Depois por refM
           if (!main && refIndex) {
               main = meta.byIndex.get(refIndex) || meta.byIndex.get(parseInt(refIndex, 10));
           }
           // Por último pelo nome
           if (!main && name) {
               main = meta.byName.get(name);
           }
           if (!main) {
               return sub;
           }
           const hydrated = { ...sub };
           if (!name && main.name) {
               name = main.name;
           }
           hydrated.name = name || hydrated.name || main.name || ;
           hydrated.icon = pickFilled(hydrated.icon, main.icon || 'Nada.png');
           hydrated.level = pickFilled(hydrated.level, main.level || );
           // Vídeo NUNCA é herdado da skill principal
           // Se a chave 'video' existe = foi especificado pelo editor (mesmo que vazio)
           // Se não existe = não foi especificado = não herda, fica vazio
           const hasOwnVideo = Object.prototype.hasOwnProperty.call(sub, 'video');
           hydrated.video = hasOwnVideo ? (sub.video || ) : ;
           hydrated.powerpve = pickFilled(hydrated.powerpve, main.powerpve || );
           hydrated.powerpvp = pickFilled(hydrated.powerpvp, main.powerpvp || );
           hydrated.energy = pickFilled(hydrated.energy, main.energy || );
           hydrated.cooldown = pickFilled(hydrated.cooldown, main.cooldown || );
           if (!hasText(hydrated.descPt) && hasText(main.descPt)) hydrated.descPt = main.descPt;
           if (!hasText(hydrated.descEn) && hasText(main.descEn)) hydrated.descEn = main.descEn;
           if (!hasText(hydrated.descEs) && hasText(main.descEs)) hydrated.descEs = main.descEs;
           if (!hasText(hydrated.descPl) && hasText(main.descPl)) hydrated.descPl = main.descPl;
           if (!hasText(hydrated.desc) && hasText(main.desc)) hydrated.desc = main.desc;
           if (!hydrated.desc_i18n && (hydrated.descPt || hydrated.descEn || hydrated.descEs || hydrated.descPl)) {
               hydrated.desc_i18n = {
                   pt: hydrated.descPt || ,
                   en: hydrated.descEn || ,
                   es: hydrated.descEs || ,
                   pl: hydrated.descPl || 
               };
           }
           return hydrated;
       }
       function inheritSubskillTree(subs, meta) {
           if (!Array.isArray(subs)) return [];
           return subs.map(sub => {
               const hydrated = inheritSubskillFromMain(sub, meta);
               if (Array.isArray(hydrated.subs)) {
                   hydrated.subs = inheritSubskillTree(hydrated.subs, meta);
               }
               return hydrated;
           });
       }
       function collectAssetsFromSubs(subs, iconsSet, videosSet, flagsSet) {
           if (!Array.isArray(subs)) return;
           subs.forEach(sub => {
               const iconURL = normalizeFileURL(sub.icon || 'Nada.png', );
               if (iconURL && iconURL !== ) iconsSet.add(iconURL);
               // Vídeo normal
               if (sub.video && sub.video.trim() !==  && sub.video !== 'Nada.png' && !sub.video.toLowerCase().includes('nada.png')) {
                   const videoURL = normalizeFileURL(sub.video);
                   if (videoURL) videosSet.add(videoURL);
               }
               // Vídeo de weapon
               if (sub.weapon && typeof sub.weapon === 'object' && sub.weapon.video && sub.weapon.video.trim() !==  && sub.weapon.video !== 'Nada.png' && !sub.weapon.video.toLowerCase().includes('nada.png')) {
                   const weaponVideoURL = normalizeFileURL(sub.weapon.video);
                   if (weaponVideoURL) videosSet.add(weaponVideoURL);
               }
               if (Array.isArray(sub.flags)) {
                   sub.flags.forEach(flagKey => {
                       const url = getFlagIconURL(flagKey);
                       if (url) flagsSet.add(url);
                   });
               } if (Array.isArray(sub.subs)) {
                   collectAssetsFromSubs(sub.subs, iconsSet, videosSet, flagsSet);
               }
           });
       } function buildAssetManifest() {
           if (window.__skillAssetManifest && window.__skillAssetManifest.ready) {
               return window.__skillAssetManifest;
           } const iconsSet = new Set();
           const videosSet = new Set();
           const flagsSet = new Set();
           iconItems.forEach(el => {
               const img = el.querySelector('img');
               if (img && img.src) {
                   iconsSet.add(img.src);
               } else if (el.dataset.iconFile) {
                   const iconURL = normalizeFileURL(el.dataset.iconFile);
                   if (iconURL) iconsSet.add(iconURL);
               }
               // Vídeo normal da skill
               const videoRaw = (el.dataset.videoFile || el.dataset.video || ).trim();
               if (videoRaw && videoRaw !== 'Nada.png' && !videoRaw.toLowerCase().includes('nada.png')) {
                   const videoURL = normalizeFileURL(videoRaw);
                   if (videoURL) videosSet.add(videoURL);
               }
               // Vídeo de weapon da skill
               if (el.dataset.weapon) {
                   try {
                       const weaponData = JSON.parse(el.dataset.weapon);
                       if (weaponData && weaponData.video && weaponData.video.trim() !==  && weaponData.video !== 'Nada.png' && !weaponData.video.toLowerCase().includes('nada.png')) {
                           const weaponVideoURL = normalizeFileURL(weaponData.video);
                           if (weaponVideoURL) videosSet.add(weaponVideoURL);
                       }
                   } catch (e) {
                   }
               }
               if (el.dataset.flags) {
                   try {
                       const parsedFlags = JSON.parse(el.dataset.flags);
                       (parsedFlags || []).forEach(flagKey => {
                           const url = getFlagIconURL(flagKey);
                           if (url) flagsSet.add(url);
                       });
                   } catch (e) {
                   }
               } if (el.dataset.subs) {
                   try {
                       const subs = JSON.parse(el.dataset.subs);
                       collectAssetsFromSubs(subs, iconsSet, videosSet, flagsSet);
                   } catch (e) {
                   }
               }
           });
           Object.keys(FLAG_ICON_FILES).forEach(flagKey => {
               const url = getFlagIconURL(flagKey);
               if (url) flagsSet.add(url);
           });
           const manifest = {
               icons: iconsSet, videos: videosSet, flags: flagsSet, ready: true
           };
           window.__skillAssetManifest = manifest;
           return manifest;
       } const subskillVideosCache = new Map();
       window.__subskillVideosCache = subskillVideosCache;
       let assetManifest = null;
       const skillsTab = $('#skills');
       const skinsTab = $('#skins');
       ensureRemoved('.video-placeholder');
       Array.from(document.querySelectorAll('.card-skins-title, .card-skins .card-skins-title, .cardskins-title, .rail-title')).forEach(t => {
           if ((t.textContent || ).trim().toLowerCase().includes('skins')) {
               t.remove();
           }
       });
       if (skillsTab) {
           // Verifica se já existe .top-rail.skills (criado pelo módulo)
           let topRail = skillsTab.querySelector('.top-rail.skills');
           const iconBar = skillsTab.querySelector('.icon-bar');
           if (iconBar && !topRail) {
               // Se não existe, cria (compatibilidade com sistema antigo)
               topRail = document.createElement('div');
               topRail.className = 'top-rail skills';
               // Criar wrapper de scroll para permitir glow sem clipping
               if (!iconBar.parentElement || !iconBar.parentElement.classList.contains('icon-scroll-x')) {
                   const scrollWrapper = document.createElement('div');
                   scrollWrapper.className = 'icon-scroll-x';
                   scrollWrapper.appendChild(iconBar);
                   topRail.appendChild(scrollWrapper);
               } else {
                   topRail.appendChild(iconBar.parentElement);
               }
               skillsTab.prepend(topRail);
           }
           // Verifica se já existe .content-card.skills-grid (criado pelo módulo)
           let contentCard = skillsTab.querySelector('.content-card.skills-grid');
           const details = skillsTab.querySelector('.skills-details');
           const videoContainer = skillsTab.querySelector('.video-container');
           if (!contentCard && (details || videoContainer)) {
               // Se não existe, cria (compatibilidade com sistema antigo)
               contentCard = document.createElement('div');
               contentCard.className = 'content-card skills-grid';
               if (details) contentCard.appendChild(details);
               if (videoContainer) contentCard.appendChild(videoContainer);
               skillsTab.appendChild(contentCard);
           }
       } const iconsBar = $('#skills') ? $('.icon-bar', $('#skills')) : null;
       const skillsTopRail = iconsBar ? iconsBar.closest('.top-rail.skills') : null;
       const iconItems = iconsBar ? Array.from(iconsBar.querySelectorAll('.skill-icon')) : [];
       buildMainSkillsMeta(iconItems);
       // Verifica se há weapon em skills principais OU em subskills
       function checkHasAnyWeapon() {
           // Verifica skills principais
           if (iconItems.some(el => !!el.dataset.weapon)) {
               return true;
           }
           // Verifica subskills
           for (const el of iconItems) {
               const subsRaw = el.getAttribute('data-subs');
               if (!subsRaw) continue;
               try {
                   const subs = JSON.parse(subsRaw);
                   if (Array.isArray(subs) && subs.some(s => s && s.weapon)) {
                       return true;
                   }
               } catch (e) { }
           }
           return false;
       }
       const hasWeaponSkillAvailable = checkHasAnyWeapon();
       let weaponToggleBtn = null;
       if (!assetManifest) {
           assetManifest = buildAssetManifest();
           // Pré-carrega apenas ícones e flags críticos
           if (assetManifest.icons && assetManifest.icons.size) {
               assetManifest.icons.forEach(url => {
                   if (!url || imagePreloadCache.has(url)) return;
                   const img = new Image();
                   img.decoding = 'async';
                   img.loading = 'eager';
                   img.referrerPolicy = 'same-origin';
                   img.src = url;
                   imagePreloadCache.set(url, img);
               });
           }
           if (assetManifest.flags && assetManifest.flags.size) {
               assetManifest.flags.forEach(url => {
                   if (!url || imagePreloadCache.has(url)) return;
                   const img = new Image();
                   img.decoding = 'async';
                   img.loading = 'eager';
                   img.referrerPolicy = 'same-origin';
                   img.src = url;
                   imagePreloadCache.set(url, img);
               });
           }
       } const descBox = $('#skills') ? $('.desc-box', $('#skills')) : null;
       const videoBox = $('#skills') ? $('.video-container', $('#skills')) : null;
       const videosCache = new Map();
       const nestedVideoElByIcon = new WeakMap();
       const barStack = [];
       window.__barStack = barStack;
       let initialBarSnapshot = null;
       let totalVideos = 0, loadedVideos = 0, autoplay = false;
       window.__lastActiveSkillIcon = null;
       let userHasInteracted = false;
       let globalWeaponEnabled = false;
       try {
           if (localStorage.getItem('glaWeaponEnabled') === '1') {
               globalWeaponEnabled = true;
           }
       } catch (err) {
       }
       const weaponStateListeners = new Set();
       let showWeaponPopupFn = null;
       let popupShouldOpen = false;
       function attachWeaponPopupFn(fn) {
           if (typeof fn !== 'function') return;
           showWeaponPopupFn = fn;
           if (popupShouldOpen) {
               popupShouldOpen = false;
               try {
                   showWeaponPopupFn();
               } catch (err) {
               }
           }
       }
       attachWeaponPopupFn(window.__glaWeaponShowPopup);
       function requestWeaponPopupDisplay() {
           try {
               if (localStorage.getItem('glaWeaponPopupDismissed') === '1') return;
           } catch (err) {
           }
           if (typeof showWeaponPopupFn === 'function') {
               showWeaponPopupFn();
               return;
           }
           popupShouldOpen = true;
       }
       function onWeaponStateChange(fn) {
           if (typeof fn !== 'function') return;
           weaponStateListeners.add(fn);
       }
       function syncWeaponButtonState(enabled) {
           if (!weaponToggleBtn || !weaponToggleBtn.isConnected) return;
           // Usa .weapon-active em vez de .active para não conflitar com skills
           weaponToggleBtn.classList.toggle('weapon-active', !!enabled);
           weaponToggleBtn.classList.remove('active'); // Garante que .active nunca seja aplicado
           weaponToggleBtn.setAttribute('aria-pressed', enabled ? 'true' : 'false');
           weaponToggleBtn.setAttribute('aria-label', enabled ? 'Desativar Arma Especial' : 'Ativar Arma Especial');
       }
       function syncWeaponRailState(enabled) {
           if (skillsTopRail) {
               skillsTopRail.classList.toggle('weapon-mode-on', !!enabled);
           }
       }
       function notifyWeaponStateListeners(enabled) {
           weaponStateListeners.forEach(listener => {
               try {
                   listener(enabled);
               } catch (err) {
               }
           });
       }
       let pendingWeaponState = null;
       window.addEventListener('weapon:ready', (ev) => {
           if (ev && ev.detail && ev.detail.showPopup) {
               attachWeaponPopupFn(ev.detail.showPopup);
           }
           if (pendingWeaponState === null) return;
           if (typeof window.__applyWeaponState === 'function') {
               const target = pendingWeaponState;
               pendingWeaponState = null;
               window.__applyWeaponState(target);
           }
       });
       window.__setGlobalWeaponEnabled = (enabled) => {
           globalWeaponEnabled = enabled;
           notifyWeaponStateListeners(enabled);
       };
       function requestWeaponState(targetState) {
           if (typeof window.__applyWeaponState === 'function') {
               pendingWeaponState = null;
               window.__applyWeaponState(targetState);
               return;
           }
           pendingWeaponState = targetState;
       }
       onWeaponStateChange(syncWeaponButtonState);
       function reapplyWeaponClassesToBar() {
           if (!globalWeaponEnabled) return;
           // SISTEMA UNIFICADO: Aplica em skills E subskills
           iconsBar.querySelectorAll('.skill-icon[data-weapon], .subicon[data-weapon]').forEach(el => {
               if (!el.classList.contains('has-weapon-available')) {
                   el.classList.add('has-weapon-available');
               }
               if (!el.querySelector('.weapon-indicator')) {
                   const ind = document.createElement('div');
                   ind.className = 'weapon-indicator';
                   el.appendChild(ind);
               }
           });
       }
       function setupWeaponBarToggle(shouldShow) {
           if (!shouldShow || !iconsBar) return;
           if (iconsBar.querySelector('.weapon-bar-toggle')) return;
           // PRIORIDADE 1: Busca weaponicon global do Character (data-weaponicon no .character-box)
           let weaponIcon = null;
           let weaponName = 'Arma Especial';
           const characterBox = document.querySelector('.character-box');
           if (characterBox && characterBox.dataset.weaponicon) {
               const globalIcon = characterBox.dataset.weaponicon.trim();
               if (globalIcon && globalIcon !==  && globalIcon !== 'Nada.png') {
                   weaponIcon = globalIcon;
               }
           }
           // PRIORIDADE 2: Se não encontrou no character, busca em skills principais (data-weaponicon)
           if (!weaponIcon) {
               const firstWithWeaponIcon = document.querySelector('.skill-icon[data-weaponicon]');
               if (firstWithWeaponIcon && firstWithWeaponIcon.dataset.weaponicon && firstWithWeaponIcon.dataset.weaponicon !== 'Nada.png') {
                   weaponIcon = firstWithWeaponIcon.dataset.weaponicon;
                   // Tenta pegar o nome da arma também
                   try {
                       const weaponData = JSON.parse(firstWithWeaponIcon.getAttribute('data-weapon') || '{}');
                       if (weaponData.name) {
                           weaponName = weaponData.name;
                       }
                   } catch (e) { }
               }
           }
           // PRIORIDADE 3: Se não encontrou, busca weaponicon em subskills (dentro do JSON de data-subs)
           if (!weaponIcon) {
               const skillsWithSubs = document.querySelectorAll('.skill-icon[data-subs]');
               for (const el of skillsWithSubs) {
                   try {
                       const subs = JSON.parse(el.getAttribute('data-subs') || '[]');
                       for (const s of subs) {
                           // Busca weaponicon diretamente no objeto da subskill
                           if (s && s.weaponicon && s.weaponicon.trim() !==  && s.weaponicon !== 'Nada.png') {
                               weaponIcon = s.weaponicon;
                               if (s.weapon && s.weapon.name) weaponName = s.weapon.name;
                               break;
                           }
                       }
                       if (weaponIcon) break;
                   } catch (e) { }
               }
           }
           const btn = document.createElement('button');
           btn.type = 'button';
           btn.className = 'skill-icon weapon-bar-toggle';
           btn.dataset.weaponToggle = '1';
           btn.dataset.nome = weaponName;
           btn.setAttribute('aria-pressed', 'false');
           btn.setAttribute('aria-label', weaponName);
           // Se tem weaponicon global do character, deixa o Character.WeaponToggle.html aplicar o ícone
           // Caso contrário, usa o ícone encontrado em skills/subskills ou SVG de fallback
           if (weaponIcon && characterBox && characterBox.dataset.weaponicon) {
               // Ícone global do character - deixa vazio para o Character.WeaponToggle.html aplicar
               btn.innerHTML = ;
           } else if (weaponIcon) {
               // Ícone de skill/subskill - aplica diretamente
               const imgSrc = weaponIcon.startsWith('http') ? weaponIcon : `/images/${weaponIcon}`;
               btn.innerHTML = `<img src="${imgSrc}" alt="${weaponName}" class="weapon-toggle-icon" onerror="this.style.display='none';this.nextElementSibling.style.display='block';" /><svg style="display:none" width="24" height="24" viewBox="0 0 24 24" aria-hidden="true" focusable="false"><path fill="currentColor" d="M19.14 12.94c.04-.31.06-.63.06-.94s-.02-.63-.06-.94l2.03-1.58a.5.5 0 00.12-.62l-1.92-3.32a.5.5 0 00-.61-.22l-2.39.96c-.5-.38-1.03-.7-1.62-.94l-.37-2.48a.55.55 0 00-.55-.5h-3.82a.55.55 0 00-.55.5l-.37 2.48c-.59.24-1.12.56-1.62.94l-2.39-.96a.5.5 0 00-.61.22L3.13 8.5a.5.5 0 00.12.62l2.03 1.58c-.04.31-.06.63-.06.94s.02.63.06.94l-2.03 1.58a.5.5 0 00-.12.62l1.92 3.32a.5.5 0 00.61.22l2.39-.96c.5.38 1.03.7 1.62.94l.37 2.48a.55.55 0 00.55.5h3.82a.55.55 0 00.55-.5l.37-2.48c.59-.24 1.12-.56 1.62-.94l2.39.96a.5.5 0 00.61-.22l1.92-3.32a.5.5 0 00-.12-.62zM12 15.6a3.6 3.6 0 110-7.2 3.6 3.6 0 010 7.2z"></path></svg>`;
           } else {
               // SVG de fallback quando não há weaponicon
               btn.innerHTML = '<svg width="24" height="24" viewBox="0 0 24 24" aria-hidden="true" focusable="false"><path fill="currentColor" d="M19.14 12.94c.04-.31.06-.63.06-.94s-.02-.63-.06-.94l2.03-1.58a.5.5 0 00.12-.62l-1.92-3.32a.5.5 0 00-.61-.22l-2.39.96c-.5-.38-1.03-.7-1.62-.94l-.37-2.48a.55.55 0 00-.55-.5h-3.82a.55.55 0 00-.55.5l-.37 2.48c-.59.24-1.12.56-1.62.94l-2.39-.96a.5.5 0 00-.61.22L3.13 8.5a.5.5 0 00.12.62l2.03 1.58c-.04.31-.06.63-.06.94s.02.63.06.94l-2.03 1.58a.5.5 0 00-.12.62l1.92 3.32a.5.5 0 00.61.22l2.39-.96c.5.38 1.03.7 1.62.94l.37 2.48a.55.55 0 00.55.5h3.82a.55.55 0 00.55-.5l.37-2.48c.59-.24 1.12-.56 1.62-.94l2.39.96a.5.5 0 00.61-.22l1.92-3.32a.5.5 0 00-.12-.62zM12 15.6a3.6 3.6 0 110-7.2 3.6 3.6 0 010 7.2z"></path></svg>';
           }
           iconsBar.appendChild(btn);
           weaponToggleBtn = btn;
           syncWeaponButtonState(globalWeaponEnabled);
           btn.addEventListener('click', () => {
               const nextState = !globalWeaponEnabled;
               if (nextState) {
                   requestWeaponPopupDisplay();
               }
               requestWeaponState(nextState);
           });
           reapplyWeaponClassesToBar();
       }
       onWeaponStateChange(syncWeaponRailState);
       syncWeaponRailState(globalWeaponEnabled);
       // Toggle agora é criado pelo Character.WeaponToggle.html abaixo dos botões de idioma
       // setupWeaponBarToggle(hasWeaponSkillAvailable);
       (function injectWeaponStyles() {
           if (document.getElementById('weapon-toggle-styles')) return;
           const style = document.createElement('style');
           style.id = 'weapon-toggle-styles';
           style.textContent = `
       /* ========== ESTILOS DE WEAPON - NOVO SISTEMA ========== */
       
       /* Animação simples para borda */
       @keyframes weapon-border-flow {
           0% { background-position: 0% 0%; }
           100% { background-position: 200% 0%; }
       }
       /* Animação sutil para brilho */
       @keyframes weapon-glow-breathe {
           0%, 100% { opacity: 0.7; }
           50% { opacity: 1; }
       }
       /* ===== ÍCONE COM ARMA - INATIVO (VERMELHO) ===== */
       .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::after {
           pointer-events: none !important;
           box-shadow: none !important;
           background: linear-gradient(90deg, 
               #FF3333 0%, 
               #FF0000 50%, 
               #FF3333 100%) !important;
           background-size: 200% 100% !important;
           animation: weapon-border-flow 3s linear infinite !important;
           -webkit-mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
           mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
           -webkit-mask-composite: xor !important;
           mask-composite: exclude !important;
           padding: 3px !important;
       }
       .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::before {
           pointer-events: none !important;
           inset: 0 !important;
           border-radius: inherit !important;
           z-index: 1 !important;
           animation: weapon-glow-breathe 2s ease-in-out infinite !important;
           box-shadow: 
               0 0 8px 0 rgba(255, 0, 0, 0.4),
               0 0 12px 0 rgba(255, 51, 51, 0.3),
               0 0 16px 0 rgba(255, 0, 0, 0.2) !important;
           opacity: 1 !important;
       }
       /* ===== ÍCONE COM ARMA - ATIVO (DOURADO) ===== */
       .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active {
           transform: scale(1.10) !important;
           z-index: 5 !important;
       }
       .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::after {
           pointer-events: none !important;
           box-shadow: none !important;
           background: linear-gradient(90deg, 
               #FFEB3B 0%, 
               #FFD700 50%, 
               #FFEB3B 100%) !important;
           background-size: 200% 100% !important;
           animation: weapon-border-flow 2s linear infinite !important;
           -webkit-mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
           mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
           -webkit-mask-composite: xor !important;
           mask-composite: exclude !important;
           padding: 3px !important;
       }
       .character-box .top-rail.skills .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::before {
           pointer-events: none !important;
           inset: 0 !important;
           border-radius: inherit !important;
           z-index: 1 !important;
           animation: weapon-glow-breathe 1.5s ease-in-out infinite !important;
           box-shadow: 
               0 0 33px 0 rgba(255, 215, 0, 0.5),
               0 0 33px 0 rgba(255, 235, 59, 0.4),
               0 0 33px 0 rgba(255, 215, 0, 0.3) !important;
           opacity: 1 !important;
       }
       /* ===== MODO WEAPON ON - INATIVO ===== */
       .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::after {
           pointer-events: none !important;
           box-shadow: none !important;
           background: linear-gradient(90deg, 
               #FF3333 0%, 
               #FF0000 50%, 
               #FF3333 100%) !important;
           background-size: 200% 100% !important;
           animation: weapon-border-flow 3s linear infinite !important;
           -webkit-mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
           mask: linear-gradient(#fff 0 0) content-box, linear-gradient(#fff 0 0) !important;
           -webkit-mask-composite: xor !important;
           mask-composite: exclude !important;
           padding: 3px !important;
       }
       .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle):not(.active)::before {
           pointer-events: none !important;
           inset: 0 !important;
           border-radius: inherit !important;
           z-index: 1 !important;
           animation: weapon-glow-breathe 2s ease-in-out infinite !important;
           box-shadow: 
               0 0 8px 0 rgba(255, 0, 0, 0.4),
               0 0 12px 0 rgba(255, 51, 51, 0.3),
               0 0 16px 0 rgba(255, 0, 0, 0.2) !important;
           opacity: 1 !important;
       }
       /* ===== MODO WEAPON ON - ATIVO ===== */
       .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active {
           transform: scale(1.10) !important;
           z-index: 5 !important;
       }
       .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::after {
           pointer-events: none !important;
           background: linear-gradient(90deg, 
               #FFEB3B 0%, 
               #FFD700 50%, 
               #FFEB3B 100%) !important;
           background-size: 200% 100% !important;
           animation: weapon-border-flow 2s linear infinite !important;
           padding: 3px !important;
       }
       .character-box .top-rail.skills.weapon-mode-on .icon-bar .skill-icon.has-weapon-available:not(.weapon-bar-toggle).active::before {
           pointer-events: none !important;
           inset: 0 !important;
           border-radius: inherit !important;
           z-index: 1 !important;
           animation: weapon-glow-breathe 1.5s ease-in-out infinite !important;
           box-shadow: 
               0 0 10px 0 rgba(255, 215, 0, 0.5),
               0 0 16px 0 rgba(255, 235, 59, 0.4),
               0 0 22px 0 rgba(255, 215, 0, 0.3) !important;
           opacity: 1 !important;
       }
           `;
           document.head.appendChild(style);
       })();
       function applyWeaponBadge(el, weaponData, equipped) {
           // Encontrar ou criar o badge
           let badge = el.querySelector('.weapon-badge');
           if (!badge) {
               badge = document.createElement('div');
               badge.className = 'weapon-badge';
               el.appendChild(badge);
           }
           if (equipped && weaponData) {
               el.classList.add('weapon-equipped');
               const weaponIconUrl = filePathURL(weaponData.icon || 'Nada.png');
               if (weaponIconUrl) {
                   el.style.setProperty('--weapon-badge-url', `url('${weaponIconUrl}')`);
               }
           } else {
               el.classList.remove('weapon-equipped');
               el.style.removeProperty('--weapon-badge-url');
           }
       } function getWeaponKey(el) {
           return (el.dataset.index || ) + ':' + (el.dataset.nome || el.dataset.name || );
       } function isWeaponModeOn() {
           try {
               return localStorage.getItem('glaWeaponEnabled') === '1';
           } catch (e) {
               return false;
           }
       } function getWeaponDataForIcon(iconEl) {
           if (!iconEl || !iconEl.dataset.weapon) return null;
           try {
               return JSON.parse(iconEl.dataset.weapon);
           } catch (e) {
               return null;
           }
       } function getEffectiveSkillVideoFromIcon(iconEl) {
           const weaponOn = globalWeaponEnabled;
           const weaponData = getWeaponDataForIcon(iconEl);
           const baseVideoFile = (iconEl.dataset.videoFile || ).trim();
           const baseVideoURL = (iconEl.dataset.video || ).trim();
           // console.log('[Skills DEBUG]', {
           //     skillName: iconEl.dataset.nome || iconEl.dataset.name,
           //     weaponOn,
           //     hasWeaponData: !!weaponData,
           //     weaponData: weaponData,
           //     baseVideoFile,
           //     baseVideoURL
           // });
           if (weaponOn && weaponData) {
               // console.log('[Skills] checking weapon video', {
               //     skillName: iconEl.dataset.nome || iconEl.dataset.name,
               //     hasVideo: !!(weaponData.video),
               //     videoValue: weaponData.video,
               //     videoTrimmed: weaponData.video ? weaponData.video.trim() : 
               // });
               if (weaponData.video && weaponData.video.trim() !== ) {
                   // console.log('[Skills] video escolhido (weapon)', iconEl.dataset.nome || iconEl.dataset.name, weaponData.video);
                   return weaponData.video.trim();
               }
           }
           const result = baseVideoFile || baseVideoURL || ;
           // console.log('[Skills] video escolhido (base)', iconEl.dataset.nome || iconEl.dataset.name, result);
           return result;
       } function createVideoElement(videoURL, extraAttrs = {
       }) {
           const v = document.createElement('video');
           v.className = 'skill-video';
           v.setAttribute('controls', );
           v.setAttribute('preload', 'metadata');
           v.setAttribute('playsinline', );
           v.style.display = 'none';
           v.style.width = '100%';
           v.style.height = 'auto';
           v.style.aspectRatio = '16/9';
           v.style.objectFit = 'cover';
           Object.keys(extraAttrs).forEach(k => {
               v.dataset[k] = extraAttrs[k];
           });
           // Detectar formato do vídeo pela extensão
           const ext = (videoURL.split('.').pop() || ).toLowerCase().split('?')[0];
           const mimeTypes = {
               'mp4': 'video/mp4',
               'm4v': 'video/mp4',
               'webm': 'video/webm',
               'ogv': 'video/ogg',
               'ogg': 'video/ogg',
               'mov': 'video/quicktime'
           };
           const mimeType = mimeTypes[ext] || 'video/mp4';
           const src = document.createElement('source');
           src.src = videoURL;
           src.type = mimeType;
           v.appendChild(src);
           // Fallback para Safari/iOS mais antigos
           v.setAttribute('webkit-playsinline', );
           v.setAttribute('x-webkit-airplay', 'allow');
           return v;
       } function precreateSubskillVideos() {
           if (!videoBox) return;
           // console.log('[Skills] precreateSubskillVideos: iniciando pré-criação de TODOS os vídeos de subskills');
           let createdCount = 0;
           iconItems.forEach(parentIcon => {
               const subsRaw = parentIcon.dataset.subs || parentIcon.getAttribute('data-subs');
               if (!subsRaw) return;
               try {
                   const subs = JSON.parse(subsRaw);
                   if (!Array.isArray(subs)) return;
                   const parentIdx = parentIcon.dataset.index || ;
                   subs.forEach(s => {
                       const subName = (s.name || s.n || ).trim();
                       // Vídeo normal da subskill
                       if (s.video && s.video.trim() !==  && s.video !== 'Nada.png' && !s.video.toLowerCase().includes('nada.png')) {
                           const key = `sub:${parentIdx}:${subName}`;
                           if (subskillVideosCache.has(key)) return;
                           const videoURL = normalizeFileURL(s.video);
                           if (videoURL && videoURL.trim() !== ) {
                               const v = createVideoElement(videoURL, {
                                   sub: '1', parentIndex: parentIdx, subName: subName, cacheKey: key
                               });
                               v.setAttribute('preload', 'metadata');
                               v.muted = true; // Permite autoload em mais navegadores
                               videoBox.appendChild(v);
                               subskillVideosCache.set(key, v);
                               createdCount++;
                               // Não força carregamento - será carregado quando necessário
                               // v.load();
                           }
                       }
                       // Vídeo de weapon da subskill
                       if (s.weapon && typeof s.weapon === 'object' && s.weapon.video && s.weapon.video.trim() !==  && s.weapon.video !== 'Nada.png' && !s.weapon.video.toLowerCase().includes('nada.png')) {
                           const weaponKey = `sub:${parentIdx}:${subName}:weapon`;
                           if (subskillVideosCache.has(weaponKey)) return;
                           const weaponVideoURL = normalizeFileURL(s.weapon.video);
                           if (weaponVideoURL && weaponVideoURL.trim() !== ) {
                               const v = createVideoElement(weaponVideoURL, {
                                   sub: '1', parentIndex: parentIdx, subName: subName, weapon: '1', cacheKey: weaponKey
                               });
                               v.setAttribute('preload', 'metadata');
                               v.muted = true; // Permite autoload em mais navegadores
                               videoBox.appendChild(v);
                               subskillVideosCache.set(weaponKey, v);
                               createdCount++;
                               // Não força carregamento - será carregado quando necessário
                               // v.load();
                           }
                       }
                   });
               } catch (e) {
               }
           });
           // console.log('[Skills] precreateSubskillVideos: criados', createdCount, 'vídeos. Cache size:', subskillVideosCache.size);
       }
       // Função para forçar carregamento de todos os vídeos
       function forceLoadAllVideos() {
           if (!videoBox) return;
           const allVideos = videoBox.querySelectorAll('video[data-sub="1"]');
           // console.log('[Skills] forceLoadAllVideos: forçando load de', allVideos.length, 'vídeos');
           allVideos.forEach(v => {
               if (v.readyState < 2) {
                   v.load();
               }
           });
       }
       // Pré-cria vídeos de subskills IMEDIATAMENTE no carregamento
       precreateSubskillVideos();
       // Força carregamento novamente após curto delay para garantir
       setTimeout(() => {
           precreateSubskillVideos();
           forceLoadAllVideos();
       }, 100);
       // E mais uma vez após um delay maior para garantir que tudo esteja pronto
       setTimeout(forceLoadAllVideos, 500);
       if (iconItems.length && videoBox) {
           iconItems.forEach(el => {
               const idx = el.dataset.index || ;
               // Vídeo normal
               const src = (el.dataset.videoFile || el.dataset.video || ).trim();
               if (src && src !== 'Nada.png' && !src.toLowerCase().includes('nada.png') && !videosCache.has(idx)) {
                   totalVideos++;
                   const videoURL = normalizeFileURL(src);
                   if (videoURL) {
                       const v = createVideoElement(videoURL, {
                           index: idx
                       });
                       v.setAttribute('preload', 'metadata');
                       v.style.maxWidth = '100%';
                       v.addEventListener('canplaythrough', () => {
                           loadedVideos++;
                           if (!userHasInteracted && loadedVideos === 1) {
                               try {
                                   v.pause();
                                   v.currentTime = 0;
                               } catch (e) {
                               }
                           } if (loadedVideos === totalVideos) autoplay = true;
                       }, {
                           once: true
                       });
                       v.addEventListener('error', () => {
                           loadedVideos++;
                           if (loadedVideos === totalVideos) autoplay = true;
                       }, {
                           once: true
                       });
                       videoBox.appendChild(v);
                       videosCache.set(idx, v);
                       // Força carregamento
                       v.load();
                   }
               }
               // Vídeo de weapon
               if (el.dataset.weapon) {
                   try {
                       const weaponData = JSON.parse(el.dataset.weapon);
                       if (weaponData && weaponData.video && weaponData.video.trim() !==  && weaponData.video !== 'Nada.png' && !weaponData.video.toLowerCase().includes('nada.png')) {
                           const weaponKey = `weapon:${idx}:${(el.dataset.nome || el.dataset.name || ).trim()}`;
                           if (!videosCache.has(weaponKey)) {
                               totalVideos++;
                               const weaponVideoURL = normalizeFileURL(weaponData.video);
                               if (weaponVideoURL) {
                                   const v = createVideoElement(weaponVideoURL, {
                                       index: idx, weapon: '1'
                                   });
                                   v.setAttribute('preload', 'metadata');
                                   v.style.maxWidth = '100%';
                                   v.addEventListener('canplaythrough', () => {
                                       loadedVideos++;
                                       if (loadedVideos === totalVideos) autoplay = true;
                                   }, {
                                       once: true
                                   });
                                   v.addEventListener('error', () => {
                                       loadedVideos++;
                                       if (loadedVideos === totalVideos) autoplay = true;
                                   }, {
                                       once: true
                                   });
                                   videoBox.appendChild(v);
                                   videosCache.set(weaponKey, v);
                                   // Força carregamento
                                   v.load();
                               }
                           }
                       }
                   } catch (e) {
                   }
               }
           });
       } function wireTooltipsForNewIcons() {
           const tip = document.querySelector('.skill-tooltip');
           if (!tip) return;
           let lockUntil2 = 0;
           Array.from(document.querySelectorAll('.icon-bar .skill-icon')).forEach(icon => {
               if (icon.dataset.weaponToggle === '1' || icon.classList.contains('weapon-bar-toggle')) return;
               if (icon.dataset.tipwired) return;
               icon.dataset.tipwired = '1';
               const label = icon.dataset.nome || icon.dataset.name || icon.title || ;
               if (label && !icon.hasAttribute('aria-label')) icon.setAttribute('aria-label', label);
               if (icon.hasAttribute('title')) icon.removeAttribute('title');
               const img = icon.querySelector('img');
               if (img) {
                   const imgAlt = img.getAttribute('alt') || ;
                   const imgTitle = img.getAttribute('title') || ;
                   if (!label && (imgAlt || imgTitle)) icon.setAttribute('aria-label', imgAlt || imgTitle);
                   img.setAttribute('alt', );
                   if (img.hasAttribute('title')) img.removeAttribute('title');
               } const measureAndPos = (el) => {
                   if (!el || tip.getAttribute('aria-hidden') === 'true') return;
                   tip.style.left = '0px';
                   tip.style.top = '0px';
                   const rect = el.getBoundingClientRect();
                   const tr = tip.getBoundingClientRect();
                   let left = Math.round(rect.left + (rect.width - tr.width) / 2);
                   left = Math.max(8, Math.min(left, window.innerWidth - tr.width - 8));
                   const coarse = (window.matchMedia && matchMedia('(pointer: coarse)').matches) || (window.innerWidth <= 600);
                   let top = coarse ? Math.round(rect.bottom + 10) : Math.round(rect.top - tr.height - 8);
                   if (top < 8) top = Math.round(rect.bottom + 10);
                   tip.style.left = left + 'px';
                   tip.style.top = top + 'px';
               };
               const show = (el, text) => {
                   tip.textContent = text || ;
                   tip.setAttribute('aria-hidden', 'false');
                   measureAndPos(el);
                   tip.style.opacity = '1';
               };
               const hide = () => {
                   tip.setAttribute('aria-hidden', 'true');
                   tip.style.opacity = '0';
                   tip.style.left = '-9999px';
                   tip.style.top = '-9999px';
               };
               icon.addEventListener('mouseenter', () => show(icon, (icon.dataset.nome || icon.dataset.name || )));
               icon.addEventListener('mousemove', () => {
                   if (performance.now() >= lockUntil2) measureAndPos(icon);
               });
               icon.addEventListener('click', () => {
                   lockUntil2 = performance.now() + 240;
                   measureAndPos(icon);
               });
               icon.addEventListener('mouseleave', hide);
           });
       } function showVideoForIcon(el) {
           userHasInteracted = true;
           if (!videoBox) return;
           const effectiveVideo = getEffectiveSkillVideoFromIcon(el);
           if (!effectiveVideo || effectiveVideo.trim() === ) {
               videoBox.style.display = 'none';
               return;
           }
           const videoURL = normalizeFileURL(effectiveVideo);
           if (!videoURL || videoURL.trim() === ) {
               videoBox.style.display = 'none';
               return;
           }
           Array.from(videoBox.querySelectorAll('video.skill-video')).forEach(v => {
               try {
                   v.pause();
               } catch (e) {
               }
               v.style.display = 'none';
           });
           if (window.__subskills) window.__subskills.hideAll?.(videoBox);
           const hasIdx = !!el.dataset.index;
           const weaponOn = globalWeaponEnabled;
           const weaponData = getWeaponDataForIcon(el);
           const isWeaponVideo = weaponOn && weaponData && weaponData.video && weaponData.video.trim() !== ;
           // console.log('[Skills] showVideoForIcon chamado', {
           //     skillName: el.dataset.nome || el.dataset.name,
           //     weaponOn,
           //     isWeaponVideo,
           //     effectiveVideo: getEffectiveSkillVideoFromIcon(el)
           // });
           const videoKey = isWeaponVideo ? `weapon:${getWeaponKey(el)}` : (el.dataset.index || );
           if (hasIdx && !isWeaponVideo && videosCache.has(el.dataset.index)) {
               const v = videosCache.get(el.dataset.index);
               videoBox.style.display = 'block';
               v.style.display = 'block';
               try {
                   v.currentTime = 0;
               } catch (e) {
               }
               const suppress = document.body.dataset.suppressSkillPlay === '1';
               if (!suppress) {
                   v.play().catch(() => {
                   });
               } else {
                   try {
                       v.pause();
                   } catch (e) {
                   }
               }
               return;
           }
           let v = null;
           if (isWeaponVideo) {
               v = videoBox.querySelector(`video[data-weapon-key="${videoKey}"]`);
           } else {
               v = nestedVideoElByIcon.get(el);
           }
           if (!v) {
               v = createVideoElement(videoURL, isWeaponVideo ? {
                   weaponKey: videoKey
               } : {});
               if (isWeaponVideo) {
                   videoBox.appendChild(v);
               } else {
                   videoBox.appendChild(v);
                   nestedVideoElByIcon.set(el, v);
               }
           } else {
               // Verifica se o source já tem a URL correta (compara apenas o pathname/filename)
               const src = v.querySelector('source');
               if (src) {
                   const currentURL = src.src || ;
                   const currentFilename = currentURL.split('/').pop().split('?')[0];
                   const targetFilename = videoURL.split('/').pop().split('?')[0];
                   // Só recarrega se o arquivo for realmente diferente
                   if (currentFilename !== targetFilename) {
                       src.src = videoURL;
                       v.load();
                   }
               }
           }
           videoBox.style.display = 'block';
           v.style.display = 'block';
           try {
               v.currentTime = 0;
           } catch (e) {
           }
           const suppress = document.body.dataset.suppressSkillPlay === '1';
           if (!suppress) {
               v.play().catch(() => {
               });
           } else {
               try {
                   v.pause();
               } catch (e) {
               }
           }
       } function activateSkill(el, options = {
       }) {
           const {
               openSubs = true
           } = options;
           const tip = document.querySelector('.skill-tooltip');
           if (tip) {
               tip.setAttribute('aria-hidden', 'true');
               tip.style.opacity = '0';
               tip.style.left = '-9999px';
               tip.style.top = '-9999px';
           } const skillsRoot = document.getElementById('skills');
           const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
           };
           const L = i18nMap[getLangKey()] || i18nMap.pt || {
               cooldown: 'Recarga', energy_gain: 'Ganho de energia', energy_cost: 'Custo de energia', power: 'Poder', power_pvp: 'Poder PvP', level: 'Nível'
           };
           const name = el.dataset.nome || el.dataset.name || ;
           const level = (el.dataset.level || ).trim();
           let weaponData = null;
           if (el.dataset.weapon) {
               try {
                   weaponData = JSON.parse(el.dataset.weapon);
               } catch (e) {
                   weaponData = null;
               }
           } const hasWeapon = !!weaponData;
           const weaponEquipped = hasWeapon && globalWeaponEnabled;
           const lang = getLangKey();
           const baseDescPack = {
               pt: el.dataset.descPt || , en: el.dataset.descEn || , es: el.dataset.descEs || , pl: el.dataset.descPl || 
           };
           const baseDesc = baseDescPack[lang] || baseDescPack.pt || baseDescPack.en || baseDescPack.es || baseDescPack.pl || el.dataset.desc || ;
           // Aceita tanto desc_i18n quanto desc para compatibilidade
           let weaponDescPack = {};
           if (weaponData) {
               if (weaponData.desc_i18n) {
                   weaponDescPack = weaponData.desc_i18n;
               } else if (weaponData.desc) {
                   weaponDescPack = weaponData.desc;
               } else {
                   weaponDescPack = {
                       pt: weaponData.descPt || , en: weaponData.descEn || , es: weaponData.descEs || , pl: weaponData.descPl || 
                   };
               }
           }
           const weaponDesc = weaponDescPack[lang] || weaponDescPack.pt || weaponDescPack.en || weaponDescPack.es || weaponDescPack.pl || ;
           const chosenDesc = (weaponEquipped && weaponDesc) ? weaponDesc : baseDesc;
           const descHtml = chosenDesc.replace(/(.*?)/g, '$1');
           let attrsHTML = ;
           if (weaponEquipped && weaponData) {
               // Usa valores do weapon, mas só se existirem (não herda da skill base)
               const wPve = (weaponData.powerpve !== undefined && weaponData.powerpve !== null && weaponData.powerpve !== ) ? weaponData.powerpve.toString().trim() : ;
               const wPvp = (weaponData.powerpvp !== undefined && weaponData.powerpvp !== null && weaponData.powerpvp !== ) ? weaponData.powerpvp.toString().trim() : ;
               const wEnergy = (weaponData.energy !== undefined && weaponData.energy !== null && weaponData.energy !== ) ? weaponData.energy.toString().trim() : ;
               const wCd = (weaponData.cooldown !== undefined && weaponData.cooldown !== null && weaponData.cooldown !== ) ? weaponData.cooldown.toString().trim() : ;
               const weaponAttrs = [wPve, wPvp, wEnergy, wCd].join(',');
               // console.log('[Skills] weaponAttrs string:', weaponAttrs, { wPve, wPvp, wEnergy, wCd, weaponData });
               attrsHTML = renderAttributes(weaponAttrs);
           } else {
               attrsHTML = el.dataset.atr ? renderAttributes(el.dataset.atr) : (el.dataset.subattrs ? renderSubAttributesFromObj(JSON.parse(el.dataset.subattrs), L) : );
           } let flagsHTML = ;
           if (el.dataset.flags) {
               try {
                   const flags = JSON.parse(el.dataset.flags);
                   flagsHTML = renderFlagsRow(flags);
               } catch (e) {
               }
           } if (descBox) {

descBox.innerHTML = `

${name}

${level ? `

${L.level} ${level}

` : }${attrsHTML}

${descHtml}

`;

           } if (hasWeapon) {
               applyWeaponBadge(el, weaponData, weaponEquipped);
           } if (videoBox) {
               const oldFlags = videoBox.querySelector('.skill-flags');
               if (oldFlags) oldFlags.remove();
               if (flagsHTML) {
                   videoBox.insertAdjacentHTML('beforeend', flagsHTML);
                   applyFlagTooltips(videoBox);
               }
           } const currIcons = Array.from(iconsBar.querySelectorAll('.skill-icon'));
           currIcons.forEach(i => i.classList.remove('active'));
           el.classList.add('active');
           if (!autoplay && loadedVideos > 0) autoplay = true;
           window.__lastActiveSkillIcon = el;
           // Lógica de vídeo: usa função centralizada que já considera weapon
           showVideoForIcon(el);
           const subsRaw = el.dataset.subs || el.getAttribute('data-subs');
           const isBack = el.dataset.back === 'true' || el.getAttribute('data-back') === 'true' || el.dataset.back === 'yes' || el.getAttribute('data-back') === 'yes' || el.dataset.back === '1' || el.getAttribute('data-back') === '1';
           if (isBack && barStack.length) {
               const prev = barStack.pop();
               renderBarFromItems(prev.items);
               const btn = document.querySelector('.skills-back-wrapper');
               if (btn) btn.style.display = barStack.length ? 'block' : 'none';
               return;
           } if (openSubs && subsRaw && subsRaw.trim() !== ) {
               if (barStack.length && barStack[barStack.length - 1].parentIcon === el) return;
               try {
                   const subs = JSON.parse(subsRaw);
                   pushSubBarFrom(subs, el);
               } catch {
               }
           }
       } function wireClicksForCurrentBar() {
           const currIcons = Array.from(iconsBar.querySelectorAll('.skill-icon'));
           currIcons.forEach(el => {
               if (el.dataset.weaponToggle === '1' || el.classList.contains('weapon-bar-toggle')) return;
               if (el.dataset.wired) return;
               el.dataset.wired = '1';
               const label = el.dataset.nome || el.dataset.name || ;
               el.setAttribute('aria-label', label);
               if (el.hasAttribute('title')) el.removeAttribute('title');
               const img = el.querySelector('img');
               if (img) {
                   img.setAttribute('alt', );
                   if (img.hasAttribute('title')) img.removeAttribute('title');
               } el.addEventListener('click', () => {
                   activateSkill(el, {
                       openSubs: true
                   });
               });
           });
           wireTooltipsForNewIcons();
       } function animateIconsBarEntrance() {
           Array.from(iconsBar.children).forEach((c, i) => {
               c.style.opacity = '0';
               c.style.transform = 'translateY(6px)';
               requestAnimationFrame(() => {
                   setTimeout(() => {
                       c.style.transition = 'opacity .18s ease, transform .18s ease';
                       c.style.opacity = '1';
                       c.style.transform = 'translateY(0)';
                   }, i * 24);
               });
           });
       } function snapshotCurrentBarItemsFromDOM() {
           return Array.from(iconsBar.querySelectorAll('.skill-icon')).filter(el => el.dataset.weaponToggle !== '1').map(el => {
               const img = el.querySelector('img');
               const iconURL = img ? img.src : ;
               const subsRaw = el.dataset.subs || el.getAttribute('data-subs') || ;
               let subs = null;
               try {
                   subs = subsRaw ? JSON.parse(subsRaw) : null;
               } catch {
                   subs = null;
               } const subattrsRaw = el.dataset.subattrs || ;
               let flags = null;
               if (el.dataset.flags) {
                   try {
                       flags = JSON.parse(el.dataset.flags);
                   } catch (e) {
                   }
               } let weapon = null;
               if (el.dataset.weapon) {
                   try {
                       weapon = JSON.parse(el.dataset.weapon);
                   } catch (e) {
                   }
               } return {
                   name: el.dataset.nome || el.dataset.name || , index: el.dataset.index || , level: el.dataset.level || , desc: el.dataset.desc || , descPt: el.dataset.descPt || , descEn: el.dataset.descEn || , descEs: el.dataset.descEs || , descPl: el.dataset.descPl || , attrs: el.dataset.atr || el.dataset.attrs || , video: el.dataset.video || , iconURL, subs, subattrsStr: subattrsRaw, flags: flags, weapon: weapon
               };
           });
       } function ensureBackButton() {
           const rail = iconsBar.closest('.top-rail.skills');
           if (!rail) return null;
           let wrap = rail.parentElement;
           if (!wrap || !wrap.classList || !wrap.classList.contains('skills-rail-wrap')) {
               const parentNode = rail.parentNode;
               const newWrap = document.createElement('div');
               newWrap.className = 'skills-rail-wrap';
               parentNode.insertBefore(newWrap, rail);
               newWrap.appendChild(rail);
               wrap = newWrap;
           } let backWrap = wrap.querySelector('.skills-back-wrapper');
           if (!backWrap) {
               backWrap = document.createElement('div');
               backWrap.className = 'skills-back-wrapper';
               const btnInner = document.createElement('button');
               btnInner.className = 'skills-back';
               btnInner.type = 'button';
               btnInner.setAttribute('aria-label', 'Voltar');
               btnInner.innerHTML = '<svg class="back-chevron" width="100%" height="100%" viewBox="0 0 36 32" fill="none" xmlns="http://www.w3.org/2000/svg" aria-hidden="true" preserveAspectRatio="xMidYMid meet"><path d="M10 2L4 16L10 30" stroke="currentColor" stroke-width="2.8" stroke-linecap="round" stroke-linejoin="round"/><path d="M20 2L14 16L20 30" stroke="currentColor" stroke-width="2.8" stroke-linecap="round" stroke-linejoin="round"/><path d="M30 2L24 16L30 30" stroke="currentColor" stroke-width="2.8" stroke-linecap="round" stroke-linejoin="round"/></svg>';
               backWrap.appendChild(btnInner);
               wrap.insertBefore(backWrap, rail);
               btnInner.addEventListener('click', () => {
                   if (!barStack.length) return;
                   const prev = barStack.pop();
                   renderBarFromItems(prev.items);
                   backWrap.style.display = barStack.length ? 'block' : 'none';
                   wrap.classList.toggle('has-sub-bar', barStack.length > 0);
                   if (!barStack.length) btnInner.classList.remove('peek');
               });
           } backWrap.style.display = barStack.length ? 'block' : 'none';
           wrap.classList.toggle('has-sub-bar', barStack.length > 0);
           const btnInner = backWrap.querySelector('.skills-back');
           return btnInner;
       } function renderBarFromItems(items) {
           const tip = document.querySelector('.skill-tooltip');
           if (tip) {
               tip.setAttribute('aria-hidden', 'true');
               tip.style.opacity = '0';
               tip.style.left = '-9999px';
               tip.style.top = '-9999px';
           } iconsBar.innerHTML = ;
           items.forEach((it, idx) => {
               const node = document.createElement('div');
               node.className = 'skill-icon';
               node.dataset.nome = it.name || ;
               if (it.index) node.dataset.index = it.index;
               if (it.level) node.dataset.level = it.level;
               if (it.desc) node.dataset.desc = it.desc;
               if (it.descPt) node.dataset.descPt = it.descPt;
               if (it.descEn) node.dataset.descEn = it.descEn;
               if (it.descEs) node.dataset.descEs = it.descEs;
               if (it.descPl) node.dataset.descPl = it.descPl;
               if (it.attrs) node.dataset.atr = it.attrs;
               if (it.video) node.dataset.video = it.video;
               if (it.subs) node.dataset.subs = JSON.stringify(it.subs);
               if (it.subattrsStr) node.dataset.subattrs = it.subattrsStr;
               if (it.flags) node.dataset.flags = JSON.stringify(it.flags);
               if (it.weapon) node.dataset.weapon = JSON.stringify(it.weapon);
               if (!it.index) node.dataset.nested = '1';
               const img = document.createElement('img');
               img.alt = ;
               img.src = it.iconURL || (it.icon ? filePathURL(it.icon) : );
               img.decoding = 'async';
               img.loading = 'lazy';
               img.width = 50;
               img.height = 50;
               node.appendChild(img);
               iconsBar.appendChild(node);
           });
           animateIconsBarEntrance();
           wireClicksForCurrentBar();
           // Remove qualquer toggle antigo que possa aparecer
           const oldToggle = iconsBar.querySelector('.weapon-bar-toggle');
           if (oldToggle) oldToggle.remove();
           const b = ensureBackButton();
           if (b) b.classList.add('peek');
       } function pushSubBarFrom(subs, parentIconEl) {
           const tip = document.querySelector('.skill-tooltip');
           if (tip) {
               tip.setAttribute('aria-hidden', 'true');
               tip.style.opacity = '0';
               tip.style.left = '-9999px';
               tip.style.top = '-9999px';
           } const parentNameSnapshot = parentIconEl ? (parentIconEl.dataset.nome || parentIconEl.dataset.name || ) : ;
           const parentIndexSnapshot = parentIconEl ? (parentIconEl.dataset.index || ) : ;
           barStack.push({
               items: snapshotCurrentBarItemsFromDOM(), parentIcon: parentIconEl, parentName: parentNameSnapshot, parentIndex: parentIndexSnapshot
           });
           ensureBackButton();
           const langKey = getLangKey();
           let cacheKey = null;
           if (parentIconEl) {
               cacheKey = parentIconEl.dataset.subCacheKey || null;
               if (!cacheKey) {
                   if (parentIconEl.dataset.index) {
                       cacheKey = `idx:${parentIconEl.dataset.index}`;
                   } else {
                       const slug = slugify(parentIconEl.dataset.nome || parentIconEl.dataset.name || );
                       if (slug) cacheKey = `slug:${slug}`;
                   } if (cacheKey) parentIconEl.dataset.subCacheKey = cacheKey;
               }
           } if (cacheKey) {
               const cached = subBarTemplateCache.get(cacheKey);
               if (cached && cached.lang === langKey) {
                   iconsBar.innerHTML = ;
                   const clone = cached.template.cloneNode(true);
                   iconsBar.appendChild(clone);
                   animateIconsBarEntrance();
                   wireClicksForCurrentBar();
                   // Remove qualquer toggle antigo que possa aparecer
                   const oldToggle2 = iconsBar.querySelector('.weapon-bar-toggle');
                   if (oldToggle2) oldToggle2.remove();
                   const cachedBtn = ensureBackButton();
                   if (cachedBtn) cachedBtn.classList.add('peek');
                   return;
               }
           } const skillsRoot = document.getElementById('skills');
           const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
           };
           const L = i18nMap[getLangKey()] || i18nMap.pt || {
               cooldown: 'Recarga', energy_gain: 'Ganho de energia', energy_cost: 'Custo de energia', power: 'Poder', power_pvp: 'Poder PvP', level: 'Nível'
           };
           const hydratedSubs = inheritSubskillTree(subs, mainSkillsMeta);
           const items = (hydratedSubs || []).filter(s => {
               // Filtra só se não tem nada útil
               const hasName = (s.name || s.n || ).trim() !== ;
               const hasIcon = (s.icon || ).trim() !==  && s.icon !== 'Nada.png';
               const hasRef = (s.refS || s.refM || ).toString().trim() !== ;
               return hasName || hasIcon || hasRef;
           }).map(s => {
               const name = (s.name || s.n || ).trim();
               const desc = chooseDescFrom(s).replace(/(.*?)/g, '$1');
               const attrsHTML = renderSubAttributesFromObj(s, L);
               return {
                   name, level: (s.level || ).toString().trim(), desc, descPt: (s.descPt || (s.desc_i18n && s.desc_i18n.pt) || ), descEn: (s.descEn || (s.desc_i18n && s.desc_i18n.en) || ), descEs: (s.descEs || (s.desc_i18n && s.desc_i18n.es) || ), descPl: (s.descPl || (s.desc_i18n && s.desc_i18n.pl) || ), attrs: , icon: (s.icon || ), iconURL: (s.icon && s.icon !== 'Nada.png' && s.icon.toLowerCase() !== 'nada.png') ? filePathURL(s.icon) : , video: s.video ? filePathURL(s.video) : , subs: Array.isArray(s.subs) ? s.subs : null, subattrs: s, flags: Array.isArray(s.flags) ? s.flags : null, back: (s.back === true || s.back === 'true' || s.back === 'yes' || s.back === '1') ? 'true' : null, weapon: s.weapon || null
               };
           });
           const fragment = document.createDocumentFragment();
           items.forEach((it, iIdx) => {
               const node = document.createElement('div');
               node.className = 'skill-icon';
               node.dataset.nested = '1';
               node.dataset.nome = it.name || ;
               node.dataset.parentIndex = parentIndexSnapshot;
               node.dataset.subName = it.name || ;
               const subSlug = slugify(it.name || );
               if (subSlug) node.dataset.slug = subSlug;
               if (it.level) node.dataset.level = it.level;
               if (it.desc) node.dataset.desc = it.desc;
               if (it.descPt) node.dataset.descPt = it.descPt;
               if (it.descEn) node.dataset.descEn = it.descEn;
               if (it.descEs) node.dataset.descEs = it.descEs;
               if (it.descPl) node.dataset.descPl = it.descPl;
               if (it.video) node.dataset.video = it.video;
               if (it.subs) node.dataset.subs = JSON.stringify(it.subs);
               if (it.subattrs) node.dataset.subattrs = JSON.stringify(it.subattrs);
               if (it.flags) node.dataset.flags = JSON.stringify(it.flags);
               if (it.back) node.dataset.back = it.back;
               if (it.weapon) {
                   try {
                       node.dataset.weapon = JSON.stringify(it.weapon);
                   } catch (e) {
                       console.error('[Skills] Erro ao serializar weapon de subskill', it.name, e);
                   }
               }
               const img = document.createElement('img');
               img.alt = ;
               img.src = it.iconURL;
               img.decoding = 'async';
               img.loading = 'lazy';
               img.width = 50;
               img.height = 50;
               node.appendChild(img);
               fragment.appendChild(node);
           });
           const templateClone = fragment.cloneNode(true);
           iconsBar.innerHTML = ;
           iconsBar.appendChild(fragment);
           animateIconsBarEntrance();
           wireClicksForCurrentBar();
           // Remove qualquer toggle antigo que possa aparecer
           const oldToggle3 = iconsBar.querySelector('.weapon-bar-toggle');
           if (oldToggle3) oldToggle3.remove();
           const b2 = ensureBackButton();
           if (b2) b2.classList.add('peek');
           if (cacheKey) {
               subBarTemplateCache.set(cacheKey, {
                   template: templateClone, lang: langKey
               });
           }
       } window.addEventListener('gla:langChanged', () => {
           subBarTemplateCache.clear();
           const skillsRoot = document.getElementById('skills');
           const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
           };
           const lang = getLangKey();
           Array.from(iconsBar.querySelectorAll('.skill-icon')).forEach(icon => {
               const pack = {
                   pt: icon.dataset.descPt || , en: icon.dataset.descEn || , es: icon.dataset.descEs || , pl: icon.dataset.descPl || 
               };
               const chosen = (pack[lang] || pack.pt || pack.en || pack.es || pack.pl || icon.dataset.desc || ).trim();
               if (chosen) icon.dataset.desc = chosen;
           });
           barStack.forEach(frame => {
               (frame.items || []).forEach(it => {
                   const pack = {
                       pt: it.descPt, en: it.descEn, es: it.descEs, pl: it.descPl
                   };
                   const chosen = (pack[lang] || pack.pt || pack.en || pack.es || pack.pl || it.desc || );
                   it.desc = chosen;
               });
           });
           if (descBox) {
               applyFlagTooltips(descBox);
           } const activeIcon = window.__lastActiveSkillIcon;
           if (activeIcon && activeIcon.dataset.weapon) {
               activateSkill(activeIcon, {
                   openSubs: false
               });
           }
       });
       wireClicksForCurrentBar();
       const b0 = ensureBackButton();
       if (b0) {
           b0.classList.add('peek');
           b0.style.alignSelf = 'stretch';
       }
       // Move inicialização de tooltip para requestIdleCallback (não crítico)
       if ('requestIdleCallback' in window) {
           requestIdleCallback(() => {
               (function initSkillTooltip() {
                   if (document.querySelector('.skill-tooltip')) return;
                   const tip = document.createElement('div');
                   tip.className = 'skill-tooltip';
                   tip.setAttribute('role', 'tooltip');
                   tip.setAttribute('aria-hidden', 'true');
                   document.body.appendChild(tip);
                   const lockUntilRef = {
                       value: 0
                   };
                   function measureAndPos(el) {
                       if (!el || tip.getAttribute('aria-hidden') === 'true') return;
                       tip.style.left = '0px';
                       tip.style.top = '0px';
                       const rect = el.getBoundingClientRect();
                       const tr = tip.getBoundingClientRect();
                       let left = Math.round(rect.left + (rect.width - tr.width) / 2);
                       left = Math.max(8, Math.min(left, window.innerWidth - tr.width - 8));
                       const coarse = (window.matchMedia && matchMedia('(pointer: coarse)').matches) || (window.innerWidth <= 600);
                       let top = coarse ? Math.round(rect.bottom + 10) : Math.round(rect.top - tr.height - 8);
                       if (top < 8) top = Math.round(rect.bottom + 10);
                       tip.style.left = left + 'px';
                       tip.style.top = top + 'px';
                   } function show(el, text) {
                       tip.textContent = text || ;
                       tip.setAttribute('aria-hidden', 'false');
                       measureAndPos(el);
                       tip.style.opacity = '1';
                   } function hide() {
                       tip.setAttribute('aria-hidden', 'true');
                       tip.style.opacity = '0';
                       tip.style.left = '-9999px';
                       tip.style.top = '-9999px';
                   } window.__globalSkillTooltip = {
                       show, hide, measureAndPos, lockUntil: lockUntilRef
                   };
                   Array.from(document.querySelectorAll('.icon-bar .skill-icon')).forEach(icon => {
                       if (icon.dataset.weaponToggle === '1' || icon.classList.contains('weapon-bar-toggle')) return;
                       if (icon.dataset.tipwired) return;
                       icon.dataset.tipwired = '1';
                       const label = icon.dataset.nome || icon.dataset.name || icon.title || ;
                       if (label && !icon.hasAttribute('aria-label')) icon.setAttribute('aria-label', label);
                       if (icon.hasAttribute('title')) icon.removeAttribute('title');
                       const img = icon.querySelector('img');
                       if (img) {
                           const imgAlt = img.getAttribute('alt') || ;
                           const imgTitle = img.getAttribute('title') || ;
                           if (!label && (imgAlt || imgTitle)) icon.setAttribute('aria-label', imgAlt || imgTitle);
                           img.setAttribute('alt', );
                           if (img.hasAttribute('title')) img.removeAttribute('title');
                       } icon.addEventListener('mouseenter', () => show(icon, label));
                       icon.addEventListener('mousemove', () => {
                           if (performance.now() >= lockUntilRef.value) measureAndPos(icon);
                       });
                       icon.addEventListener('click', () => {
                           lockUntilRef.value = performance.now() + 240;
                           measureAndPos(icon);
                       });
                       icon.addEventListener('mouseleave', hide);
                   });
                   Array.from(document.querySelectorAll('.subskills-rail .subicon')).forEach(sub => {
                       if (sub.dataset.tipwired) return;
                       sub.dataset.tipwired = '1';
                       const label = sub.getAttribute('title') || sub.getAttribute('aria-label') || ;
                       if (label && !sub.hasAttribute('aria-label')) sub.setAttribute('aria-label', label);
                       if (sub.hasAttribute('title')) sub.removeAttribute('title');
                       sub.addEventListener('mouseenter', () => show(sub, label));
                       sub.addEventListener('mousemove', () => {
                           if (performance.now() >= lockUntilRef.value) measureAndPos(sub);
                       });
                       sub.addEventListener('click', () => {
                           lockUntilRef.value = performance.now() + 240;
                           measureAndPos(sub);
                       });
                       sub.addEventListener('mouseleave', hide);
                   });
                   window.addEventListener('scroll', () => {
                       const visible = document.querySelector('.skill-tooltip[aria-hidden="false"]');
                       if (!visible) return;
                       const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                       measureAndPos(target);
                   }, true);
                   window.addEventListener('resize', () => {
                       const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                       measureAndPos(target);
                   });
               })();
           }, { timeout: 2000 });
       } else {
           // Fallback para navegadores sem requestIdleCallback
           setTimeout(() => {
               (function initSkillTooltip() {
                   if (document.querySelector('.skill-tooltip')) return;
                   const tip = document.createElement('div');
                   tip.className = 'skill-tooltip';
                   tip.setAttribute('role', 'tooltip');
                   tip.setAttribute('aria-hidden', 'true');
                   document.body.appendChild(tip);
                   window.__globalSkillTooltip = {
                       show: (el, text) => {
                           if (!el || !text) return;
                           tip.textContent = text;
                           tip.setAttribute('aria-hidden', 'false');
                           measureAndPos(el);
                       },
                       hide: () => {
                           tip.setAttribute('aria-hidden', 'true');
                           tip.style.left = '-9999px';
                           tip.style.top = '-9999px';
                       },
                       measureAndPos: (el) => {
                           if (!el || tip.getAttribute('aria-hidden') === 'true') return;
                           const rect = el.getBoundingClientRect();
                           const tipRect = tip.getBoundingClientRect();
                           let left = rect.left + (rect.width / 2) - (tipRect.width / 2);
                           let top = rect.top - tipRect.height - 8;
                           if (left < 8) left = 8;
                           if (left + tipRect.width > window.innerWidth - 8) left = window.innerWidth - tipRect.width - 8;
                           if (top < 8) top = rect.bottom + 8;
                           tip.style.left = left + 'px';
                           tip.style.top = top + 'px';
                       },
                       lockUntil: { value: 0 }
                   };
                   const { measureAndPos } = window.__globalSkillTooltip;
                   window.addEventListener('scroll', () => {
                       const visible = document.querySelector('.skill-tooltip[aria-hidden="false"]');
                       if (!visible) return;
                       const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                       measureAndPos(target);
                   }, true);
                   window.addEventListener('resize', () => {
                       const target = document.querySelector('.subskills-rail .subicon:hover') || document.querySelector('.subskills-rail .subicon.active') || document.querySelector('.icon-bar .skill-icon:hover') || document.querySelector('.icon-bar .skill-icon.active');
                       measureAndPos(target);
                   });
               })();
           }, 100);
       }
       (function initTabs() {
           const tabs = Array.from(document.querySelectorAll('.tab-btn'));
           if (!tabs.length) return;
           const contents = Array.from(document.querySelectorAll('.tab-content'));
           const characterBox = document.querySelector('.character-box');
           let wrapper = characterBox.querySelector('.tabs-height-wrapper');
           if (!wrapper) {
               wrapper = document.createElement('div');
               wrapper.className = 'tabs-height-wrapper';
               contents.forEach(c => {
                   wrapper.appendChild(c);
               });
               const tabsElement = characterBox.querySelector('.character-tabs');
               if (tabsElement && tabsElement.nextSibling) {
                   characterBox.insertBefore(wrapper, tabsElement.nextSibling);
               } else {
                   characterBox.appendChild(wrapper);
               }
           } async function smoothHeightTransition(fromTab, toTab) {
               if (!wrapper) return Promise.resolve();
               const scrollY = window.scrollY;
               const currentHeight = wrapper.getBoundingClientRect().height;
               await new Promise((resolve) => {
                   const videoContainers = toTab.querySelectorAll('.video-container');
                   const contentCard = toTab.querySelector('.content-card');
                   if (videoContainers.length === 0) {
                       requestAnimationFrame(() => {
                           requestAnimationFrame(() => {
                               requestAnimationFrame(() => resolve());
                           });
                       });
                       return;
                   } let lastHeight = 0;
                   let stableCount = 0;
                   const checksNeeded = 3;
                   let totalChecks = 0;
                   const maxChecks = 15;
                   function checkStability() {
                       totalChecks++;
                       const currentTabHeight = toTab.scrollHeight;
                       if (Math.abs(currentTabHeight - lastHeight) < 5) {
                           stableCount++;
                       } else {
                           stableCount = 0;
                       } lastHeight = currentTabHeight;
                       if (stableCount >= checksNeeded || totalChecks >= maxChecks) {
                           resolve();
                       } else {
                           setTimeout(checkStability, 50);
                       }
                   } setTimeout(checkStability, 50);
               });
               const nextHeight = toTab.getBoundingClientRect().height;
               const finalHeight = Math.max(nextHeight, 100);
               if (Math.abs(finalHeight - currentHeight) < 30) {
                   wrapper.style.height = ;
                   return Promise.resolve();
               } wrapper.style.overflow = 'hidden';
               wrapper.style.height = currentHeight + 'px';
               wrapper.offsetHeight;
               wrapper.style.transition = 'height 0.3s cubic-bezier(0.4, 0, 0.2, 1)';
               requestAnimationFrame(() => {
                   wrapper.style.height = finalHeight + 'px';
               });
               return new Promise(resolve => {
                   setTimeout(() => {
                       wrapper.style.height = ;
                       wrapper.style.transition = ;
                       wrapper.style.overflow = ;
                       resolve();
                   }, 320);
               });
           } tabs.forEach(btn => {
               if (btn.dataset.wiredTab) return;
               btn.dataset.wiredTab = '1';
               btn.addEventListener('click', () => {
                   const target = btn.getAttribute('data-tab');
                   const currentActive = contents.find(c => c.classList.contains('active'));
                   const nextActive = contents.find(c => c.id === target);
                   if (currentActive === nextActive) return;
                   document.body.classList.add('transitioning-tabs');
                   if (currentActive) {
                       currentActive.style.opacity = '0';
                       currentActive.style.transform = 'translateY(-8px)';
                   } setTimeout(async () => {
                       contents.forEach(c => {
                           if (c !== nextActive) {
                               c.style.display = 'none';
                               c.classList.remove('active');
                           }
                       });
                       tabs.forEach(b => b.classList.toggle('active', b === btn));
                       if (nextActive) {
                           nextActive.classList.add('active');
                           nextActive.style.display = 'block';
                           nextActive.style.opacity = '0';
                           nextActive.style.visibility = 'hidden';
                           nextActive.offsetHeight;
                           try {
                               if (target === 'skills') {
                                   const tabEl = document.getElementById(target);
                                   if (tabEl) {
                                       const activeIcon = tabEl.querySelector('.icon-bar .skill-icon.active');
                                       const firstIcon = tabEl.querySelector('.icon-bar .skill-icon');
                                       const toClick = activeIcon || firstIcon;
                                       if (toClick) {
                                           const had = document.body.dataset.suppressSkillPlay;
                                           document.body.dataset.suppressSkillPlay = '1';
                                           toClick.click();
                                           if (had) document.body.dataset.suppressSkillPlay = had;
                                       }
                                   }
                               }
                           } catch (e) {
                           }
                       } if (currentActive && nextActive) {
                           await smoothHeightTransition(currentActive, nextActive);
                       } if (nextActive) {
                           nextActive.style.visibility = ;
                           nextActive.style.transform = 'translateY(12px)';
                           requestAnimationFrame(() => {
                               nextActive.style.opacity = '1';
                               nextActive.style.transform = 'translateY(0)';
                               setTimeout(() => {
                                   nextActive.style.opacity = ;
                                   nextActive.style.transform = ;
                                   document.body.classList.remove('transitioning-tabs');
                                   try {
                                       delete document.body.dataset.suppressSkillPlay;
                                   } catch {
                                   }
                               }, 300);
                           });
                       }
                   }, 120);
                   setTimeout(() => {
                       syncDescHeight();
                       if (target === 'skins') {
                           videosCache.forEach(v => {
                               try {
                                   v.pause();
                               } catch (e) {
                               } v.style.display = 'none';
                           });
                           if (videoBox) {
                               videoBox.querySelectorAll('video.skill-video').forEach(v => {
                                   try {
                                       v.pause();
                                   } catch (e) {
                                   } v.style.display = 'none';
                               });
                           } if (window.__subskills) window.__subskills.hideAll?.(videoBox);
                           const placeholder = videoBox?.querySelector('.video-placeholder');
                           if (videoBox && placeholder) {
                               placeholder.style.display = 'none';
                               placeholder.classList.add('fade-out');
                           }
                       } else {
                           const activeIcon = document.querySelector('.icon-bar .skill-icon.active');
                           if (activeIcon) activeIcon.click();
                       }
                   }, 450);
               });
           });
       })();
       (function initSkinsArrows() {
           const carousel = $('.skins-carousel');
           const wrapper = $('.skins-carousel-wrapper');
           const left = $('.skins-arrow.left');
           const right = $('.skins-arrow.right');
           if (!carousel || !left || !right || !wrapper) return;
           if (wrapper.dataset.wired) return;
           wrapper.dataset.wired = '1';
           const scrollAmt = () => Math.round(carousel.clientWidth * 0.6);
           function setState() {
               const max = carousel.scrollWidth - carousel.clientWidth;
               const x = carousel.scrollLeft;
               const hasLeft = x > 5, hasRight = x < max - 5;
               left.style.display = hasLeft ? 'inline-block' : 'none';
               right.style.display = hasRight ? 'inline-block' : 'none';
               wrapper.classList.toggle('has-left', hasLeft);
               wrapper.classList.toggle('has-right', hasRight);
               carousel.style.justifyContent = (!hasLeft && !hasRight) ? 'center' : ;
           } function go(dir) {
               const max = carousel.scrollWidth - carousel.clientWidth;
               const next = dir < 0 ? Math.max(0, carousel.scrollLeft - scrollAmt()) : Math.min(max, carousel.scrollLeft + scrollAmt());
               carousel.scrollTo({
                   left: next, behavior: 'smooth'
               });
           } left.addEventListener('click', () => go(-1));
           right.addEventListener('click', () => go(1));
           carousel.addEventListener('scroll', setState);
           new ResizeObserver(setState).observe(carousel);
           setState();
       })();
       function renderAttributes(str) {
           const skillsRoot = document.getElementById('skills');
           const i18nMap = skillsRoot ? JSON.parse(skillsRoot.dataset.i18nAttrs || '{}') : {
           };
           const langRaw = (document.documentElement.lang || skillsRoot?.dataset.i18nDefault || 'pt').toLowerCase();
           const langKey = i18nMap[langRaw] ? langRaw : (i18nMap[langRaw.split('-')[0]] ? langRaw.split('-')[0] : 'pt');
           const L = i18nMap[langKey] || i18nMap.pt || {
               cooldown: 'Recarga', energy_gain: 'Ganho de energia', energy_cost: 'Custo de energia', power: 'Poder', power_pvp: 'Poder PvP', level: 'Nível'
           };
           const vals = (str || ).split(',').map(v => v.trim());
           // Processa valores, tratando strings vazias como NaN
           // IMPORTANTE: ordem fixa é [powerpve, powerpvp, energy, cooldown]
           const pve = (vals[0] && vals[0] !== ) ? parseFloat(vals[0]) : NaN;
           const pvp = (vals[1] && vals[1] !== ) ? parseFloat(vals[1]) : NaN;
           const ene = (vals[2] && vals[2] !== ) ? parseFloat(vals[2]) : NaN;
           const cd = (vals[3] && vals[3] !== ) ? parseFloat(vals[3]) : NaN;
           // Debug: log se houver problema na ordem
           if (str && str.includes(',') && !isNaN(cd) && !isNaN(pvp) && cd === pvp) {
               console.warn('[Skills] renderAttributes: possível problema na ordem dos atributos', { str, vals, pve, pvp, ene, cd });
           }
           const rows = [];
           // Ordem de exibição: cooldown, energy, power, power_pvp
           if (!isNaN(cd)) rows.push([L.cooldown, cd]);
           if (!isNaN(ene) && ene !== 0) {
               const label = ene > 0 ? L.energy_gain : L.energy_cost;
               rows.push([label, Math.abs(ene)]);
           }
           if (!isNaN(pve)) rows.push([L.power, pve]);
           if (!isNaN(pvp)) rows.push([L.power_pvp, pvp]);
           // Debug: log se houver valores suspeitos (desabilitado para performance)
           // if (str && str.includes(',')) {
           //     console.log('[Skills] renderAttributes processed', {
           //         str,
           //         vals: vals.slice(0, 4),
           //         parsed: { pve, pvp, ene, cd },
           //         rows: rows.map(r => r[0])
           //     });
           // }
           if (!rows.length) return ;

const html = rows.map(([rowLabel, rowValue]) => `

${rowLabel}${rowValue}

`).join(); return `

${html}

`;

       } function syncDescHeight() {
       } window.addEventListener('resize', syncDescHeight);
       if (videoBox) new ResizeObserver(syncDescHeight).observe(videoBox);
       iconItems.forEach(el => {
           const wired = !!el.dataset._sync_wired;
           if (wired) return;
           el.dataset._sync_wired = '1';
           el.addEventListener('click', () => {
               Promise.resolve().then(syncDescHeight);
           });
       });
       if (iconsBar) {
           const scrollWrapper = iconsBar.closest('.icon-scroll-x') || iconsBar.parentElement;
           const scrollContainer = scrollWrapper && scrollWrapper.classList.contains('icon-scroll-x') ? scrollWrapper : iconsBar;
           addOnce(scrollContainer, 'wheel', (e) => {
               if (e.deltaY) {
                   e.preventDefault();
                   scrollContainer.scrollLeft += e.deltaY;
               }
           });
       }
       wireClicksForCurrentBar();
       if (iconItems.length) {
           const first = iconItems[0];
           if (first) {
               activateSkill(first, {
                   openSubs: false
               });
           }
       }
       // Aplica lazy loading em imagens fora do viewport inicial
       (function applyLazyLoading() {
           if ('IntersectionObserver' in window) {
               const imageObserver = new IntersectionObserver((entries, observer) => {
                   entries.forEach(entry => {
                       if (entry.isIntersecting) {
                           const img = entry.target;
                           if (img.tagName === 'IMG' && !img.hasAttribute('loading')) {
                               img.loading = 'lazy';
                           }
                           observer.unobserve(img);
                       }
                   });
               });
               // Observa imagens que não estão no viewport inicial
               document.querySelectorAll('img:not(.topbar-icon):not([loading])').forEach(img => {
                   const rect = img.getBoundingClientRect();
                   if (rect.bottom > window.innerHeight || rect.top < 0) {
                       imageObserver.observe(img);
                   }
               });
           }
       })();
       setTimeout(() => {
           Array.from(document.querySelectorAll('.skill-icon')).forEach(el => {
           });
           videosCache.forEach((v, idx) => {
               const src = v.querySelector('source') ? v.querySelector('source').src : v.src;
               v.addEventListener('error', (ev) => {
               });
               v.addEventListener('loadedmetadata', () => {
               });
           });
       }, 600);
   })();

</script>