Mudanças entre as edições de "Widget:Character.WeaponToggle"

De Wiki Gla
Ir para navegação Ir para pesquisar
m (new toggleweapon self)
Etiqueta: Revertido
m
Etiqueta: Reversão manual
Linha 247: Linha 247:
             const modal = document.getElementById('weapon-info-modal');
             const modal = document.getElementById('weapon-info-modal');
             if (modal) updateModalTexts(modal);
             if (modal) updateModalTexts(modal);
            // Atualiza o texto do toggle também
            updateWeaponToggleText();
         });
         });


         // Função para aplicar o ícone global à sprite do toggle
         // Função para aplicar o ícone global ao botão de toggle se existir
         function applyGlobalWeaponIcon() {
         function applyGlobalWeaponIcon() {
             const sprite = document.querySelector('.weapon-toggle-sprite');
             const toggleBtn = document.querySelector('.weapon-bar-toggle');
             if (!sprite) {
             if (!toggleBtn) {
                 console.log('[WeaponToggle] Sprite não encontrada ainda');
                 console.log('[WeaponToggle] Botão não encontrado ainda');
                 return;
                 return;
             }
             }
Linha 262: Linha 260:
             resolveCharacterWeaponIcon();
             resolveCharacterWeaponIcon();


             // Se não tem ícone global, não faz nada (deixa o que já está na sprite)
             // Se não tem ícone global, não faz nada (deixa o que já está no botão)
             if (!globalWeaponToggleIcon) {
             if (!globalWeaponToggleIcon) {
                 console.log('[WeaponToggle] Nenhum weaponicon global encontrado');
                 console.log('[WeaponToggle] Nenhum weaponicon global encontrado');
Linha 269: Linha 267:


             // Verifica se já tem o ícone aplicado corretamente
             // Verifica se já tem o ícone aplicado corretamente
             const existingImg = sprite.querySelector('img.weapon-toggle-icon');
             const existingImg = toggleBtn.querySelector('img.weapon-toggle-icon');
             if (existingImg && existingImg.src === globalWeaponToggleIcon) {
             if (existingImg && existingImg.src === globalWeaponToggleIcon) {
                 console.log('[WeaponToggle] Ícone já aplicado corretamente');
                 console.log('[WeaponToggle] Ícone já aplicado corretamente');
Linha 277: Linha 275:
             console.log('[WeaponToggle] Aplicando ícone global:', globalWeaponToggleIcon);
             console.log('[WeaponToggle] Aplicando ícone global:', globalWeaponToggleIcon);


             // Limpa todo o conteúdo da sprite
             // Limpa todo o conteúdo do botão
             sprite.innerHTML = '';
             toggleBtn.innerHTML = '';


             // Insere nova imagem
             // Insere nova imagem (mesmo comportamento dos ícones de skills)
             const img = document.createElement('img');
             const img = document.createElement('img');
             img.src = globalWeaponToggleIcon;
             img.src = globalWeaponToggleIcon;
            const container = sprite.closest('.weapon-toggle-container');
             img.alt = toggleBtn.dataset.nome || 'Arma Especial';
             img.alt = (container && container.dataset.nome) || 'Arma Especial';
             img.className = 'weapon-toggle-icon';
             img.className = 'weapon-toggle-icon';
            // Não aplica estilos inline - deixa o CSS fazer o trabalho


             // Adiciona handler de erro para debug
             // Adiciona handler de erro para debug
Linha 295: Linha 293:
             };
             };


             sprite.appendChild(img);
             toggleBtn.appendChild(img);
         }
         }


        // Função para atualizar o texto i18n na barra
         // Observa quando o botão de toggle é criado
        function updateWeaponToggleText() {
            const nameSpan = document.querySelector('.weapon-toggle-name');
            if (!nameSpan) return;
 
            // Obtém o idioma atual
            const html = document.documentElement.lang || 'pt-br';
            const lang = html.toLowerCase().split('-')[0];
            const normalizedLang = (lang === 'pt-br' || lang === 'pt') ? 'pt' : lang;
 
            // Atualiza o data-lang
            nameSpan.setAttribute('data-lang', normalizedLang);
        }
 
         // Observa quando o toggle é criado
         function observeWeaponToggleButton() {
         function observeWeaponToggleButton() {
             // Tenta aplicar imediatamente se o toggle já existe
             // Tenta aplicar imediatamente se o botão já existe
             const container = document.querySelector('.weapon-toggle-container');
             if (document.querySelector('.weapon-bar-toggle')) {
            if (container) {
                 applyGlobalWeaponIcon();
                 applyGlobalWeaponIcon();
                updateWeaponToggleText();
             }
             }


             // Tenta novamente após delays para garantir que o toggle foi criado
             // Tenta novamente após delays para garantir que o botão foi criado
             setTimeout(() => {
             setTimeout(() => {
                 applyGlobalWeaponIcon();
                 applyGlobalWeaponIcon();
                updateWeaponToggleText();
             }, 100);
             }, 100);


             setTimeout(() => {
             setTimeout(() => {
                 applyGlobalWeaponIcon();
                 applyGlobalWeaponIcon();
                updateWeaponToggleText();
             }, 500);
             }, 500);


             // Observa mudanças no DOM para detectar quando o toggle é criado
             // Observa mudanças no DOM para detectar quando o botão é criado
             const observer = new MutationObserver((mutations) => {
             const observer = new MutationObserver((mutations) => {
                 mutations.forEach((mutation) => {
                 mutations.forEach((mutation) => {
                     mutation.addedNodes.forEach((node) => {
                     mutation.addedNodes.forEach((node) => {
                         if (node.nodeType === 1) {
                         if (node.nodeType === 1) {
                             // Verifica se o nó adicionado é o container ou contém o container
                             // Verifica se o nó adicionado é o botão ou contém o botão
                             if (node.classList && node.classList.contains('weapon-toggle-container')) {
                             if (node.classList && node.classList.contains('weapon-bar-toggle')) {
                                 setTimeout(() => {
                                 setTimeout(() => applyGlobalWeaponIcon(), 10);
                                    applyGlobalWeaponIcon();
                             } else if (node.querySelector && node.querySelector('.weapon-bar-toggle')) {
                                    updateWeaponToggleText();
                                 setTimeout(() => applyGlobalWeaponIcon(), 10);
                                }, 10);
                             } else if (node.querySelector && node.querySelector('.weapon-toggle-container')) {
                                 setTimeout(() => {
                                    applyGlobalWeaponIcon();
                                    updateWeaponToggleText();
                                }, 10);
                             }
                             }
                         }
                         }
Linha 354: Linha 328:
             });
             });


             const characterHeader = document.querySelector('.character-header') || document.querySelector('.character-box');
             const iconBar = document.querySelector('.icon-bar');
             if (characterHeader) {
             if (iconBar) {
                 observer.observe(characterHeader, { childList: true, subtree: true });
                 observer.observe(iconBar, { childList: true, subtree: true });
             }
             }
         }
         }

Edição das 09h06min de 22 de dezembro de 2025

<script>

   (() => {
       let modalListenersBound = false;
       // Variável global para o ícone do weapon toggle
       let globalWeaponToggleIcon = null;
       // Função helper para construir URL de arquivo (mesmo sistema usado em Character.Skills.html)
       function filePathURL(fileName) {
           if (!fileName) return ;
           const f = encodeURIComponent((fileName || 'Nada.png').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');
           return `${base}?title=Especial:FilePath/${f}`;
       }
       // Função para resolver o ícone do weapon toggle do character-box
       function resolveCharacterWeaponIcon() {
           const root = document.querySelector('.character-box');
           if (!root) return;
           const raw = root.dataset.weaponicon;
           if (!raw || raw.trim() ===  || raw === 'Nada.png') {
               globalWeaponToggleIcon = null;
               return;
           }
           globalWeaponToggleIcon = filePathURL(raw.trim());
           console.log('[WeaponToggle] Resolved weaponicon:', raw, '->', globalWeaponToggleIcon);
       }
       // Textos i18n para o popup
       const i18nTexts = {
           pt: {
               title: 'Visualização com Arma Especial',
               body1: 'Este modo ativa a visualização do personagem equipado com sua arma especial.',
               body2: 'Algumas habilidades são diferentes enquanto estão com a arma equipada, essas habilidades ficam destacadas com borda vermelha.',
               dontShow: 'Não mostrar novamente',
               ok: 'Entendi',
               weaponLink: 'Ver página da arma:'
           },
           en: {
               title: 'Special Weapon View',
               body1: 'This mode activates the view of the character equipped with their special weapon.',
               body2: 'Some abilities are different while equipped with the weapon, these abilities are highlighted with a red border.',
               dontShow: "Don't show again",
               ok: 'Got it',
               weaponLink: 'View weapon page:'
           },
           es: {
               title: 'Visualización con Arma Especial',
               body1: 'Este modo activa la visualización del personaje equipado con su arma especial.',
               body2: 'Algunas habilidades son diferentes mientras están con el arma equipada, estas habilidades quedan destacadas con borde rojo.',
               dontShow: 'No mostrar de nuevo',
               ok: 'Entendido',
               weaponLink: 'Ver página del arma:'
           },
           pl: {
               title: 'Widok z Bronią Specjalną',
               body1: 'Ten tryb aktywuje widok postaci wyposażonej w broń specjalną.',
               body2: 'Niektóre umiejętności różnią się podczas posiadania broni, te umiejętności są podświetlone czerwoną obwódką.',
               dontShow: 'Nie pokazuj ponownie',
               ok: 'Rozumiem',
               weaponLink: 'Zobacz stronę broni:'
           }
       };
       const getCurrentLang = () => {
           const html = document.documentElement.lang || 'pt-br';
           const norm = html.toLowerCase().split('-')[0];
           return i18nTexts[norm] ? norm : 'pt';
       };
       const bindModalEvents = () => {
           if (modalListenersBound) return;
           modalListenersBound = true;
           document.addEventListener('click', (ev) => {
               if (ev.target.closest('.weapon-modal-close') || ev.target.closest('.weapon-modal-btn')) {
                   const checkbox = document.getElementById('weapon-dont-show');
                   if (checkbox && checkbox.checked) {
                       try { localStorage.setItem('glaWeaponPopupDismissed', '1'); } catch (x) { }
                   }
                   hidePopup();
                   return;
               }
               if (ev.target.classList.contains('weapon-modal-overlay')) {
                   hidePopup();
               }
           });
       };
       const applyWeaponState = (enabled) => {
           if (typeof window.__setGlobalWeaponEnabled === 'function') {
               window.__setGlobalWeaponEnabled(enabled);
           }
           try {
               localStorage.setItem('glaWeaponEnabled', enabled ? '1' : '0');
           } catch (x) { }
           // Dispara evento para atualizar subskills
           window.dispatchEvent(new CustomEvent('gla:weaponToggled', { detail: { enabled } }));
           // SISTEMA UNIFICADO: Aplica toggle em skills E subskills
           // Skills principais e subskills usam data-weapon (padronizado)
           document.querySelectorAll('.skill-icon[data-weapon], .subicon[data-weapon]').forEach(el => {
               if (enabled) {
                   el.classList.add('has-weapon-available');
               } else {
                   el.classList.remove('has-weapon-available');
                   el.classList.remove('weapon-equipped');
                   el.style.removeProperty('--weapon-badge-url');
                   const ind = el.querySelector('.weapon-indicator');
                   if (ind) ind.remove();
               }
           });
           // Atualiza descrição da skill/subskill selecionada (se houver) para refletir estado da arma
           // Aguarda um pouco mais para garantir que o estado global foi sincronizado
           setTimeout(() => {
               // Atualiza skill principal se houver - força reativação completa incluindo vídeo
               const sel = document.querySelector('.skill-icon.active:not(.weapon-bar-toggle)');
               if (sel) {
                   // Força uma reativação completa da skill para garantir que vídeo seja atualizado
                   if (typeof window.__subskills !== 'undefined' && window.__subskills.hideAll) {
                       const videoBox = document.querySelector('.video-container') || document.querySelector('.skills-video-box');
                       if (videoBox) window.__subskills.hideAll(videoBox);
                   }
                   // Reativa a skill para atualizar vídeo, descrição e atributos
                   if (typeof window.__lastActiveSkillIcon !== 'undefined' && window.__lastActiveSkillIcon === sel) {
                       sel.dispatchEvent(new Event('click', { bubbles: true }));
                   } else {
                       sel.dispatchEvent(new Event('click', { bubbles: true }));
                   }
               }
               // Atualiza subskill ativa se houver - força reativação completa incluindo vídeo
               const activeSub = document.querySelector('.subicon.active');
               if (activeSub) {
                   activeSub.dispatchEvent(new Event('click', { bubbles: true }));
               }
           }, 100);
       };
       const updateModalTexts = (modal) => {
           const lang = getCurrentLang();
           const t = i18nTexts[lang];
           const title = modal.querySelector('.weapon-modal-header h3');
           if (title) title.textContent = t.title;
           const body = modal.querySelector('.weapon-modal-body');
           if (body) {
               const p1 = body.querySelector('p:first-child');
               const p2 = body.querySelector('p:nth-child(2)');
               if (p1) p1.innerHTML = t.body1;
               if (p2) p2.innerHTML = t.body2;
           }
           const checkbox = modal.querySelector('.weapon-modal-checkbox span');
           if (checkbox) checkbox.textContent = t.dontShow;
           const btn = modal.querySelector('.weapon-modal-btn');
           if (btn) btn.textContent = t.ok;
           // Atualiza link da arma se existir
           try {
               const firstWithWeapon = document.querySelector('.skill-icon[data-weapon]');
               if (firstWithWeapon) {
                   const raw = firstWithWeapon.getAttribute('data-weapon');
                   const obj = JSON.parse(raw || '{}');
                   const nm = (obj && obj.name) ? String(obj.name).trim() : ;
                   if (nm) {
                       const linkHost = (window.mw && mw.util && typeof mw.util.getUrl === 'function') ? mw.util.getUrl(nm) : ('/index.php?title=' + encodeURIComponent(nm));
                       const holder = modal.querySelector('.weapon-info-link');
                       if (holder) {
                           holder.style.display = 'block';
                           holder.innerHTML = `<a href="${linkHost}">${t.weaponLink} ${nm}</a>`;
                       }
                   }
               }
           } catch (_) { }
       };
       const ensureModal = () => {
           let modal = document.getElementById('weapon-info-modal');
           if (modal) {
               updateModalTexts(modal);
               return modal;
           }
           // Insere dentro da character-box para isolar completamente
           const container = document.querySelector('.character-box') || document.querySelector('#mw-content-text') || document.body;
           modal = document.createElement('div');
           modal.id = 'weapon-info-modal';
           modal.className = 'weapon-modal';
           modal.innerHTML = `

                   <button class="weapon-modal-close" type="button" aria-label="Fechar">×</button>

       `;
           container.appendChild(modal);
           updateModalTexts(modal);
           bindModalEvents();
           return modal;
       };
       const showPopup = () => {
           const modal = ensureModal();
           if (modal) {
               updateModalTexts(modal);
               // Força reflow antes de adicionar classe para garantir transição
               void modal.offsetHeight;
               modal.classList.add('show');
           }
       };
       const hidePopup = () => {
           const m = document.getElementById('weapon-info-modal');
           if (m) m.classList.remove('show');
       };
       window.__applyWeaponState = applyWeaponState;
       window.__glaWeaponShowPopup = showPopup;
       window.__glaWeaponHidePopup = hidePopup;
       try {
           window.dispatchEvent(new CustomEvent('weapon:ready', { detail: { applyWeaponState, showPopup, hidePopup } }));
       } catch (err) {
       }
       // Escuta mudanças de idioma
       window.addEventListener('gla:langChanged', () => {
           const modal = document.getElementById('weapon-info-modal');
           if (modal) updateModalTexts(modal);
       });
       // Função para aplicar o ícone global ao botão de toggle se existir
       function applyGlobalWeaponIcon() {
           const toggleBtn = document.querySelector('.weapon-bar-toggle');
           if (!toggleBtn) {
               console.log('[WeaponToggle] Botão não encontrado ainda');
               return;
           }
           // Re-resolve o ícone caso tenha mudado
           resolveCharacterWeaponIcon();
           // Se não tem ícone global, não faz nada (deixa o que já está no botão)
           if (!globalWeaponToggleIcon) {
               console.log('[WeaponToggle] Nenhum weaponicon global encontrado');
               return;
           }
           // Verifica se já tem o ícone aplicado corretamente
           const existingImg = toggleBtn.querySelector('img.weapon-toggle-icon');
           if (existingImg && existingImg.src === globalWeaponToggleIcon) {
               console.log('[WeaponToggle] Ícone já aplicado corretamente');
               return;
           }
           console.log('[WeaponToggle] Aplicando ícone global:', globalWeaponToggleIcon);
           // Limpa todo o conteúdo do botão
           toggleBtn.innerHTML = ;
           // Insere nova imagem (mesmo comportamento dos ícones de skills)
           const img = document.createElement('img');
           img.src = globalWeaponToggleIcon;
           img.alt = toggleBtn.dataset.nome || 'Arma Especial';
           img.className = 'weapon-toggle-icon';
           // Não aplica estilos inline - deixa o CSS fazer o trabalho
           // Adiciona handler de erro para debug
           img.onerror = function () {
               console.error('[WeaponToggle] Erro ao carregar imagem:', globalWeaponToggleIcon);
           };
           img.onload = function () {
               console.log('[WeaponToggle] Imagem carregada com sucesso:', globalWeaponToggleIcon);
           };
           toggleBtn.appendChild(img);
       }
       // Observa quando o botão de toggle é criado
       function observeWeaponToggleButton() {
           // Tenta aplicar imediatamente se o botão já existe
           if (document.querySelector('.weapon-bar-toggle')) {
               applyGlobalWeaponIcon();
           }
           // Tenta novamente após delays para garantir que o botão foi criado
           setTimeout(() => {
               applyGlobalWeaponIcon();
           }, 100);
           setTimeout(() => {
               applyGlobalWeaponIcon();
           }, 500);
           // Observa mudanças no DOM para detectar quando o botão é criado
           const observer = new MutationObserver((mutations) => {
               mutations.forEach((mutation) => {
                   mutation.addedNodes.forEach((node) => {
                       if (node.nodeType === 1) {
                           // Verifica se o nó adicionado é o botão ou contém o botão
                           if (node.classList && node.classList.contains('weapon-bar-toggle')) {
                               setTimeout(() => applyGlobalWeaponIcon(), 10);
                           } else if (node.querySelector && node.querySelector('.weapon-bar-toggle')) {
                               setTimeout(() => applyGlobalWeaponIcon(), 10);
                           }
                       }
                   });
               });
           });
           const iconBar = document.querySelector('.icon-bar');
           if (iconBar) {
               observer.observe(iconBar, { childList: true, subtree: true });
           }
       }
       const boot = () => {
           // Resolve o ícone do character antes de tudo
           resolveCharacterWeaponIcon();
           // Observa criação do botão de toggle
           observeWeaponToggleButton();
           // Verificar se existe alguma skill ou subskill com arma
           function checkHasAnyWeapon() {
               // Verifica skills principais
               if (document.querySelectorAll('.skill-icon[data-weapon]').length > 0) {
                   return true;
               }
               // Verifica subskills
               const skillIcons = document.querySelectorAll('.skill-icon[data-subs]');
               for (const el of skillIcons) {
                   try {
                       const subs = JSON.parse(el.getAttribute('data-subs') || '[]');
                       if (Array.isArray(subs) && subs.some(s => s && s.weapon)) {
                           return true;
                       }
                   } catch (e) { }
               }
               return false;
           }
           const hasAnyWeapon = checkHasAnyWeapon();
           if (!hasAnyWeapon) {
               // Limpar estado visual para chars sem arma (previne cache entre páginas)
               const topRail = document.querySelector('.top-rail.skills');
               if (topRail) {
                   topRail.classList.remove('weapon-mode-on');
               }
               document.querySelectorAll('.skill-icon.has-weapon-available').forEach(el => {
                   el.classList.remove('has-weapon-available');
                   el.classList.remove('weapon-equipped');
                   el.style.removeProperty('--weapon-badge-url');
                   const ind = el.querySelector('.weapon-indicator');
                   if (ind) ind.remove();
               });
               // Remover botão de toggle se existir
               const toggleBtn = document.querySelector('.weapon-bar-toggle');
               if (toggleBtn) toggleBtn.remove();
               // Atualizar estado global para desligado
               if (typeof window.__setGlobalWeaponEnabled === 'function') {
                   window.__setGlobalWeaponEnabled(false);
               }
               return;
           }
           ensureModal();
           // Estado inicial do toggle
           let init = false;
           try {
               if (localStorage.getItem('glaWeaponEnabled') === '1') init = true;
           } catch (x) { }
           setTimeout(() => applyWeaponState(init), 150);
       };
       if (document.readyState === 'loading') {
           document.addEventListener('DOMContentLoaded', boot);
       } else {
           boot();
       }
   })();

</script> <style>

   /* Character-box precisa de position relative para conter o modal */
   .character-box {
       position: relative;
   }
   /* Modal posicionado dentro da character-box */
   .weapon-modal {
       position: absolute;
       inset: 0;
       z-index: 100;
       display: flex;
       align-items: center;
       justify-content: center;
       pointer-events: none;
   }
   .weapon-modal.show {
       pointer-events: all;
   }
   /* Overlay escurece apenas a character-box - aparece PRIMEIRO */
   .weapon-modal-overlay {
       position: absolute;
       inset: 0;
       background: rgba(0, 0, 0, .65);
       backdrop-filter: blur(4px);
       -webkit-backdrop-filter: blur(4px);
       opacity: 0;
       transition: opacity .15s ease;
   }
   .weapon-modal.show .weapon-modal-overlay {
       opacity: 1;
   }
   /* Conteúdo aparece DEPOIS do overlay */
   .weapon-modal-content {
       position: relative;
       z-index: 1;
       transform: scale(0.96);
       background: linear-gradient(145deg, #2d1a1a, #1e1212);
       border: 1px solid rgba(255, 100, 100, .2);
       border-radius: 14px;
       max-width: 420px;
       width: 90%;
       opacity: 0;
       transition: transform .18s ease .08s, opacity .15s ease .08s;
       overflow: hidden;
   }
   .weapon-modal.show .weapon-modal-content {
       transform: scale(1);
       opacity: 1;
   }
   .weapon-modal-header {
       display: flex;
       align-items: center;
       justify-content: space-between;
       padding: 16px 20px;
       border-bottom: 1px solid rgba(255, 100, 100, .12);
       background: linear-gradient(90deg, rgba(255, 80, 80, .06), transparent);
   }
   .weapon-modal-header h3 {
       margin: 0;
       font-size: 16px;
       font-weight: 600;
       color: #fff;
   }
   .weapon-modal-close {
       background: transparent;
       border: 1px solid rgba(255, 255, 255, .1);
       color: rgba(255, 255, 255, .5);
       font-size: 18px;
       font-family: Arial, sans-serif;
       line-height: 1;
       cursor: pointer;
       padding: 0;
       width: 28px;
       height: 28px;
       display: inline-flex;
       align-items: center;
       justify-content: center;
       text-align: center;
       border-radius: 6px;
       transition: background .15s, color .15s, border-color .15s;
   }
   .weapon-modal-close:hover {
       background: rgba(255, 80, 80, .15);
       border-color: rgba(255, 80, 80, .3);
       color: #FF7043;
   }
   .weapon-modal-body {
       padding: 20px;
       color: rgba(255, 255, 255, .85);
       line-height: 1.65;
       font-size: 14px;
   }
   .weapon-modal-body p {
       margin: 0 0 12px;
       display: block !important;
   }
   .weapon-modal-body p:last-child,
   .weapon-modal-body p.weapon-info-link {
       margin: 0;
   }
   .weapon-modal-body p.weapon-info-link:empty {
       display: none !important;
   }
   .weapon-modal-body strong {
       color: #FF7043;
       font-weight: 600;
   }
   .weapon-modal-body .weapon-info-link a {
       color: #FF7043;
       text-decoration: none;
       font-weight: 600;
   }
   .weapon-modal-body .weapon-info-link a:hover {
       text-decoration: underline;
   }
   .weapon-modal-footer {
       display: flex;
       align-items: center;
       justify-content: space-between;
       padding: 14px 20px;
       border-top: 1px solid rgba(255, 100, 100, .1);
       background: rgba(0, 0, 0, .1);
       gap: 12px;
   }
   .weapon-modal-checkbox {
       display: inline-flex;
       align-items: center;
       gap: 6px;
       font-size: 12px;
       color: rgba(255, 255, 255, .5);
       cursor: pointer;
       transition: color .15s;
   }
   .weapon-modal-checkbox:hover {
       color: rgba(255, 255, 255, .75);
   }
   .weapon-modal-checkbox input[type="checkbox"] {
       accent-color: #FF5722;
       margin: 0;
       flex-shrink: 0;
   }
   .weapon-modal-checkbox span {
       line-height: 1;
   }
   .weapon-modal-btn {
       background: #BF360C;
       border: none;
       color: #fff;
       padding: 10px 24px;
       border-radius: 6px;
       font-weight: 600;
       font-size: 13px;
       line-height: 1;
       cursor: pointer;
       transition: background .15s;
       display: inline-flex;
       align-items: center;
       justify-content: center;
   }
   .weapon-modal-btn:hover {
       background: #D84315;
   }
   .weapon-modal-btn:active {
       background: #A52714;
   }
   @media (max-width: 600px) {
       .weapon-modal-content {
           width: 92%;
           max-width: none;
       }
       .weapon-modal-header,
       .weapon-modal-body,
       .weapon-modal-footer {
           padding: 14px 16px;
       }
       .weapon-modal-footer {
           flex-direction: column;
           gap: 12px;
       }
       .weapon-modal-btn {
           width: 100%;
       }
   }

</style>