[Popmundo] Pichador Automático

Grafite automático para o Popmundo.

// ==UserScript==
// @name        [Popmundo] Pichador Automático
// @namespace   Violentmonkey Scripts
// @author      Popper
// @match       https://*.popmundo.com/World/Popmundo.aspx/Character/Items/*
// @grant       none
// @version     0.35
// @description Grafite automático para o Popmundo.
// ==/UserScript==

(function() {
    'use strict';

    // Configurações
    const COOLDOWN_DURATION = 5 * 60 * 1000; // 5 minutos
    const SPRAY_CAN_NAMES = ["Lata de spray", "Spray Can"];
    const LOCALE_TYPE_CLUB = "1"; // Clube
    let isRunning = false;
    let clubs = [];
    let currentClubIndex = 0;
    let cooldownEndTime = 0;
    let currentCity = null;
    let cityId = null;

    // Estilos CSS ajustados ao Popmundo
    function injectStyles() {
        const style = document.createElement('style');
        style.textContent = `
            .graffiti-panel {
                margin-bottom: 20px;
                position: relative;
                z-index: 1000;
            }
            .graffiti-panel .box {
                background: #fff;
                border: 1px solid #d3d3d3;
                padding: 10px;
            }
            .graffiti-panel .header {
                background: #e6e6e6;
                padding: 5px 10px;
                border-bottom: 1px solid #d3d3d3;
            }
            .graffiti-panel h2 {
                margin: 0;
                color: #003087;
                font-size: 16px;
                font-weight: bold;
            }
            .graffiti-panel .description {
                color: #333;
                margin: 5px 0 0;
                font-size: 12px;
            }
            .graffiti-panel .content {
                padding: 10px 0;
            }
            .graffiti-panel .status {
                color: #0066cc;
                font-weight: bold;
                margin: 10px 0;
                font-size: 12px;
            }
            .graffiti-panel .actionbuttons {
                margin: 10px 0;
            }
            .graffiti-panel .actionbuttons input[type="button"] {
                background: #666666;
                color: white;
                border: 1px solid #444444;
                padding: 5px 10px;
                cursor: pointer;
                font-size: 12px;
            }
            .graffiti-panel .actionbuttons input[type="button"]:disabled {
                background: #cccccc;
                border-color: #999999;
                cursor: not-allowed;
            }
            .graffiti-panel .progress {
                margin: 10px 0;
                font-size: 12px;
                color: #555;
            }
            .graffiti-panel .dataTable {
                width: 100%;
                border-collapse: collapse;
                margin-top: 10px;
                max-height: 150px;
                overflow-y: auto;
                font-size: 11px;
            }
            .graffiti-panel .dataTable thead {
                background: #e6e6e6;
            }
            .graffiti-panel .dataTable th {
                width: 100%;
                padding: 5px 10px;
                text-align: left;
                border-bottom: 1px solid #d3d3d3;
                position: sticky;
                top: 0;
                box-sizing: border-box;
            }
            .graffiti-panel .dataTable td {
                padding: 5px 10px;
                border-bottom: 1px solid #eee;
                color: #333;
            }
        `;
        document.head.appendChild(style);
    }

    // Interface do usuário
    function setupUI() {
        const container = document.createElement('div');
        container.className = 'graffiti-panel';
        container.innerHTML = `
            <div class="box">
                <div class="header">
                    <h2>Pichador Automático</h2>
                    <p class="description">Automatically tag clubs with graffiti in your current city!</p>
                </div>
                <div class="content">
                    <div class="status" id="status">Ready to start</div>
                    <p class="actionbuttons">
                        <input type="button" id="startBtn" value="Start Tagging">
                    </p>
                    <div class="progress" id="progress"></div>
                    <table class="data dataTable" id="logTable">
                        <thead><tr><th>Activity Log</th></tr></thead>
                        <tbody></tbody>
                    </table>
                </div>
            </div>
        `;

        const target = document.querySelector('#checkedlist') || document.querySelector('#aspnetForm') || document.body;
        target.parentNode.insertBefore(container, target);

        document.getElementById('startBtn').addEventListener('click', startTagging);
        injectStyles();
    }

    // Função de log
    function log(message) {
        const tbody = document.querySelector('#logTable tbody');
        if (tbody) {
            const row = document.createElement('tr');
            row.innerHTML = `<td>${new Date().toLocaleTimeString()} - ${message}</td>`;
            tbody.appendChild(row);
            tbody.scrollTop = tbody.scrollHeight;
        }
        console.log(`[Pichador] ${message}`);
    }

    // Atualizar status
    function updateStatus(message) {
        const statusEl = document.getElementById('status');
        if (statusEl) statusEl.innerHTML = message;
    }

    // Atualizar progresso
    function updateProgress(message) {
        const progressEl = document.getElementById('progress');
        if (progressEl) progressEl.innerHTML = message;
    }

    // Criar iframe oculto
    async function createIframe() {
        const iframe = document.createElement('iframe');
        iframe.style.display = 'none';
        document.body.appendChild(iframe);
        return iframe;
    }

    // Carregar página no iframe e aguardar
    async function loadIframePage(iframe, url) {
        return new Promise((resolve, reject) => {
            iframe.onload = () => {
                setTimeout(() => {
                    if (iframe.contentDocument) {
                        resolve(iframe.contentDocument);
                    } else {
                        reject(new Error(`Iframe content not accessible: ${url}`));
                    }
                }, 2000);
            };
            iframe.onerror = () => reject(new Error(`Failed to load iframe: ${url}`));
            iframe.src = url;
        });
    }

    // Detectar cidade atual e ID da cidade
    async function detectCurrentCity(iframe) {
        log(`🔍 Buscando cidade...`);
        const cityUrl = `https://${window.location.hostname}/World/Popmundo.aspx/City`;
        const doc = await loadIframePage(iframe, cityUrl);
        const cityHeader = doc.querySelector('#ctl00_cphLeftColumn_ctl00_hdrMain');
        const findLocalesLink = doc.querySelector('#ctl00_cphLeftColumn_ctl00_lnkFindLocales');
        if (cityHeader && cityHeader.textContent.startsWith("Bem-vindo a ")) {
            currentCity = cityHeader.textContent.replace("Bem-vindo a ", "").trim();
            log(`🏙️ Cidade: ${currentCity}`);
            if (findLocalesLink) {
                const href = findLocalesLink.getAttribute('href');
                cityId = href.split('/').pop();
                return true;
            } else {
                log("❌ Link de locais não encontrado");
                return false;
            }
        }
        log("❌ Cidade não detectada");
        return false;
    }

    // Obter lista de clubes
    async function fetchClubs(iframe) {
        if (!cityId) {
            log("❌ ID da cidade não disponível");
            return false;
        }
        log(`🎯 Buscando clubes em ${currentCity}...`);
        const url = `https://${window.location.hostname}/World/Popmundo.aspx/City/Locales/${cityId}`;
        let doc;
        try {
            doc = await loadIframePage(iframe, url);
        } catch (error) {
            log(`❌ Erro ao carregar locais`);
            return false;
        }

        const typeDropdown = doc.querySelector('#ctl00_cphLeftColumn_ctl00_ddlLocaleType');
        if (!typeDropdown) {
            log("❌ Dropdown de tipo não encontrado");
            return false;
        }
        typeDropdown.value = LOCALE_TYPE_CLUB;

        const findBtn = doc.querySelector('#ctl00_cphLeftColumn_ctl00_btnFind') ||
                       doc.querySelector('input[id*="btnFind"]');
        if (!findBtn) {
            log("❌ Botão de busca não encontrado");
            return false;
        }
        findBtn.click();

        await new Promise(resolve => setTimeout(resolve, 3000));
        const updatedDoc = iframe.contentDocument;
        const clubLinks = updatedDoc.querySelectorAll('table#tablelocales tbody tr td:first-child a[href*="/Locale/"]');

        if (clubLinks.length === 0) {
            log("❌ Nenhum clube encontrado");
            return false;
        }

        clubs = Array.from(clubLinks).map(link => link.href);
        currentClubIndex = 0;
        log(`✅ Encontrados ${clubs.length} clubes`);
        return true;
    }

    // Verificar se o clube já foi pichado
    async function checkGraffiti(iframe, clubUrl) {
        const clubName = clubUrl.split('/').pop();
        log(`👀 Verificando pichação no clube ${clubName}...`);
        const doc = await loadIframePage(iframe, clubUrl);
        const graffitiDiv = doc.querySelector('#ctl00_cphLeftColumn_ctl00_divGraffiti');
        const isTagged = !!graffitiDiv;
        log(isTagged ? `✅ Já pichado` : `❌ Não pichado`);
        return isTagged;
    }

    // Mover para o clube
    async function moveToClub(iframe, clubUrl) {
        const clubName = clubUrl.split('/').pop();
        log(`🚶 Se movendo até o clube ${clubName}...`);
        const doc = await loadIframePage(iframe, clubUrl);
        const moveLink = doc.querySelector('img[src*="movetolocale.png"]')?.parentElement ||
                        Array.from(doc.querySelectorAll('a')).find(a => a.textContent.trim() === "Mover-se para este local");
        if (moveLink) {
            await loadIframePage(iframe, moveLink.href);
            log(`✅ Chegou ao clube ${clubName}`);
            return true;
        }
        log(`❌ Falha ao mover para ${clubName}`);
        return false;
    }

    // Usar lata de spray
    async function useSprayCan(iframe) {
        log(`🎨 Pichando...`);
        const itemsUrl = `https://${window.location.hostname}/World/Popmundo.aspx/Character/Items/`;
        const doc = await loadIframePage(iframe, itemsUrl);

        const itemRows = doc.querySelectorAll('#checkedlist tbody tr.hoverable');
        for (const row of itemRows) {
            const itemNameElement = row.querySelector('td.middle a[id*="lnkItem"]');
            if (itemNameElement) {
                const itemText = itemNameElement.textContent.trim();
                if (SPRAY_CAN_NAMES.some(name => itemText.includes(name))) {
                    const useBtn = row.querySelector('td.right input[type="image"][title="Usar"]');
                    if (useBtn) {
                        useBtn.click();
                        await new Promise(resolve => setTimeout(resolve, 1000));
                        log(`✅ Pichação concluída`);
                        return true;
                    } else {
                        log(`❌ Botão "Usar" não encontrado`);
                    }
                }
            }
        }
        log(`❌ Lata de spray não encontrada`);
        return false;
    }

    // Processo principal
    async function startTagging() {
        if (isRunning) return;
        isRunning = true;
        const startBtn = document.getElementById('startBtn');
        if (startBtn) {
            startBtn.disabled = true;
            startBtn.value = 'Tagging...';
        }

        try {
            const now = Date.now();
            if (now < cooldownEndTime) {
                const remaining = Math.ceil((cooldownEndTime - now) / 60000);
                log(`⏳ Em espera por ${remaining}m`);
                updateStatus(`⏳ Cooldown (${remaining}m)`);
                return;
            }

            const iframe = await createIframe();

            // Detecta a cidade atual e o ID
            const cityDetected = await detectCurrentCity(iframe);
            if (!cityDetected) {
                log("❌ Falha ao detectar cidade");
                return;
            }

            // Busca clubes na cidade atual
            if (clubs.length === 0) {
                const foundClubs = await fetchClubs(iframe);
                if (!foundClubs) {
                    log('❌ Nenhum clube para pichar');
                    return;
                }
            }

            updateStatus('🎨 Pichando clubes...');
            while (currentClubIndex < clubs.length) {
                const clubUrl = clubs[currentClubIndex];
                const clubName = clubUrl.split('/').pop();
                updateProgress(`📈 ${currentClubIndex + 1}/${clubs.length} (${Math.round((currentClubIndex + 1) / clubs.length * 100)}%)`);

                if (await checkGraffiti(iframe, clubUrl)) {
                    log(`⏩ Pulando ${clubName}`);
                } else {
                    if (await moveToClub(iframe, clubUrl)) {
                        if (await useSprayCan(iframe)) {
                            cooldownEndTime = Date.now() + COOLDOWN_DURATION;
                            log(`⏳ Pausa até ${new Date(cooldownEndTime).toLocaleTimeString()}`);
                            await new Promise(resolve => setTimeout(resolve, COOLDOWN_DURATION));
                        } else {
                            log(`❌ Sem lata de spray para ${clubName}`);
                        }
                    }
                }

                currentClubIndex++;
                await new Promise(resolve => setTimeout(resolve, 1000));
            }

            updateStatus('🏁 Finalizado!');
            updateProgress('');
            log('🎉 Todos os clubes pichados');
            clubs = [];
        } catch (error) {
            log(`❌ Erro: ${error.message}`);
            updateStatus('❌ Erro');
        } finally {
            isRunning = false;
            if (startBtn) {
                startBtn.disabled = false;
                startBtn.value = 'Start Tagging';
            }
        }
    }

    // Inicialização
    function initialize() {
        if (document.readyState === 'complete' || document.readyState === 'interactive') {
            setupUI();
        } else {
            document.addEventListener('DOMContentLoaded', setupUI);
            setTimeout(() => {
                if (!document.querySelector('.graffiti-panel')) {
                    setupUI();
                }
            }, 1000);
        }
    }

    initialize();
})();

QingJ © 2025

镜像随时可能失效,请加Q群300939539或关注我们的公众号极客氢云获取最新地址