Elethor General Purpose

Provides some general additions to Elethor

当前为 2021-01-16 提交的版本,查看 最新版本

您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey 篡改猴Greasemonkey 油猴子Violentmonkey 暴力猴,才能安装此脚本。

您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey 篡改猴,才能安装此脚本。

您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey 篡改猴Violentmonkey 暴力猴,才能安装此脚本。

您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey 篡改猴Userscripts ,才能安装此脚本。

您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey 篡改猴,才能安装此脚本。

您需要先安装一款用户脚本管理器扩展后才能安装此脚本。

(我已经安装了用户脚本管理器,让我安装!)

您需要先安装一款用户样式管理器扩展,比如 Stylus,才能安装此样式。

您需要先安装一款用户样式管理器扩展,比如 Stylus,才能安装此样式。

您需要先安装一款用户样式管理器扩展,比如 Stylus,才能安装此样式。

您需要先安装一款用户样式管理器扩展后才能安装此样式。

您需要先安装一款用户样式管理器扩展后才能安装此样式。

您需要先安装一款用户样式管理器扩展后才能安装此样式。

(我已经安装了用户样式管理器,让我安装!)

// ==UserScript==
// @name         Elethor General Purpose
// @description  Provides some general additions to Elethor
// @namespace    https://www.elethor.com/
// @version      1.6.4
// @author       Anders Morgan Larsen (Xortrox)
// @contributor  Kidel
// @contributor  Saya
// @contributor  Archeron
// @match        https://elethor.com/*
// @match        https://www.elethor.com/*
// @run-at       document-start
// @grant        none
// ==/UserScript==

(function() {
    const currentUserData = {};

    const moduleName = 'Elethor General Purpose';
    const version = '1.6.4';

    const profileURL = '/profile/';

    function initializeXHRHook() {
        let rawSend = XMLHttpRequest.prototype.send;

        XMLHttpRequest.prototype.send = function() {
            if (!this._hooked) {
                this._hooked = true;

                this.addEventListener('readystatechange', function() {
                    if (this.readyState === XMLHttpRequest.DONE) {
                        setupHook(this);
                    }
                }, false);
            }
            rawSend.apply(this, arguments);
        }

        function setupHook(xhr) {
            if (window.elethorGeneralPurposeOnXHR) {
                const e = new Event('EGPXHR');
                e.xhr = xhr;

                window.elethorGeneralPurposeOnXHR.dispatchEvent(e);
            }
        }
        window.elethorGeneralPurposeOnXHR = new EventTarget();

        console.log(`[${moduleName} v${version}] XHR Hook initialized.`);
    }

    function initializeUserLoadListener() {
        elethorGeneralPurposeOnXHR.addEventListener('EGPXHR', function (e) {
            if (e && e.xhr
                && e.xhr.responseURL
                && e.xhr.responseURL.endsWith
                && e.xhr.responseURL.endsWith('/game/user')
            ) {
                try {
                    const userData = JSON.parse(e.xhr.responseText);

                    if (userData) {
                        for (const key of Object.keys(userData)) {
                            currentUserData[key] = userData[key];
                        }
                    }
                } catch (e) {
                    console.log(`[${moduleName} v${version}] Error parsing userData:`, e);
                }

            }
        });

        console.log(`[${moduleName} v${version}] User Load Listener initialized.`);
    }

    function initializeToastKiller() {
        document.addEventListener('click', function(e) {
            if (e.target
                && e.target.className
                && e.target.className.includes
                && e.target.className.includes('toasted')
            ) {
                e.target.remove();
            }
        });

        console.log(`[${moduleName} v${version}] Toast Killer initialized.`);
    }

    function initializeInventoryStatsLoadListener() {
        elethorGeneralPurposeOnXHR.addEventListener('EGPXHR', function (e) {
            if (e && e.xhr
                && e.xhr.responseURL
                && e.xhr.responseURL.endsWith
                && e.xhr.responseURL.endsWith('/game/inventory/stats')
            ) {
                setTimeout(() => {
                    updateEquipmentPercentageSummary();

                    setTimeout(updateInventoryStatsPercentages, 1000);
                });
            }
        });

        console.log(`[${moduleName} v${version}] Inventory Stats Load Listener initialized.`);
    }

    function updateEquipmentPercentageSummary() {
        document.querySelector('.is-equipment>div>div').setAttribute('style', 'width: 50%')
        let percentagesTable = document.querySelector('#egpPercentagesSummary')
        if (!percentagesTable){
            percentagesTable = document.querySelector('.is-equipment>div>div:nth-child(2)').cloneNode(true);
            percentagesTable.setAttribute('style', 'width: 25%');
            percentagesTable.id='egpPercentagesSummary';
            document.querySelector('.is-equipment>div').appendChild(percentagesTable);

            for (const child of percentagesTable.children[0].children) {
                if (child && child.children && child.children[0]) {
                    child.children[0].remove();
                }
            }

            document.querySelector('#egpPercentagesSummary>table>tr:nth-child(8)').setAttribute('style', 'height:43px');
        }
    }

    function getStatSummary(equipment) {
        const summary = {
            base: {},
            energizements: {}
        };

        if (equipment) {
            for (const key of Object.keys(equipment)) {
                const item = equipment[key];

                /**
                 * Sums base attributes by name
                 * */
                if (item && item.attributes) {
                    for (const attributeName of Object.keys(item.attributes)) {
                        const attributeValue = item.attributes[attributeName];

                        if (!summary.base[attributeName]) {
                            summary.base[attributeName] = 0;
                        }

                        summary.base[attributeName] += attributeValue;
                    }
                }

                /**
                 * Sums energizements by stat name
                 * */
                if (item && item.upgrade && item.upgrade.energizements) {
                    for (const energizement of item.upgrade.energizements) {
                        if (!summary.energizements[energizement.stat]) {
                            summary.energizements[energizement.stat] = 0;
                        }

                        summary.energizements[energizement.stat] += Number(energizement.boost);
                    }
                }
            }
        }

        return summary;
    }

    function updateInventoryStatsPercentages() {
        let percentagesTable = document.querySelector('#egpPercentagesSummary')
        if (percentagesTable && currentUserData && currentUserData.equipment){
            const statSummary = getStatSummary(currentUserData.equipment);

            const baseKeys = Object.keys(statSummary.base);
            const energizementKeys = Object.keys(statSummary.energizements);

            let allKeys = baseKeys.concat(energizementKeys);
            const filterUniques = {};
            for (const key of allKeys){
                filterUniques[key] = true;
            }
            allKeys = Object.keys(filterUniques);
            allKeys.sort();

            allKeys.push('actions');

            const tableRows = percentagesTable.children[0].children;

            for(const row of tableRows) {
                if (row
                    && row.children
                    && row.children[0]
                    && row.children[0].children[0]
                ) {
                    const rowText = row.children[0].children[0];
                    rowText.innerText = '';
                }
            }

            let rowIndex = 0;
            for (const key of allKeys) {
                if (key === 'puncture') {
                    continue;
                }

                const row = tableRows[rowIndex];
                if (row
                    && row.children
                    && row.children[0]
                    && row.children[0].children[0]
                ) {
                    const rowText = row.children[0].children[0];

                    const rowBase = statSummary.base[key] || 0;
                    const rowEnergizement = (statSummary.energizements[key] || 0);
                    const rowEnergizementPercentage = (statSummary.energizements[key] || 0) * 100;

                    if (key.startsWith('+')) {
                        rowText.innerText = `${key} per 10 levels: ${rowEnergizement}`;
                    } else if (key === 'actions') {
                        const actions = currentUserData.user.bonus_actions || 0;
                        rowText.innerText = `Bonus Actions: ${actions}`;
                    } else {
                        rowText.innerText = `${key}: ${rowBase} (${rowEnergizementPercentage.toFixed(0)}%)`;
                    }

                    rowIndex++;
                }
            }
        }
    }

    function initializeLocationChangeListener() {
        let previousLocation = window.location.href;

        window.elethorGeneralPurposeOnLocationChange = new EventTarget();

        window.elethorLocationInterval = setInterval(() => {
            if (previousLocation !== window.location.href) {
                previousLocation = window.location.href;

                const e = new Event('EGPLocation');
                e.newLocation = window.location.href;
                window.elethorGeneralPurposeOnLocationChange.dispatchEvent(e);
            }

        }, 500);

        console.log(`[${moduleName} v${version}] Location Change Listener initialized.`);
    }

    function getProfileCombatElement() {
        const skillElements = document.querySelectorAll('.is-skill div>span.has-text-weight-bold');
        for (const skillElement of skillElements) {
            if (skillElement.innerText.includes('Combat')) {
                return skillElement;
            }
        }
    }

    function updateXPTracker(difference) {
        const combatElement = getProfileCombatElement();
        if (!combatElement) {
            return;
        }

        if (difference > 0) {
            combatElement.setAttribute('data-combat-experience-ahead', `(+${formatNormalNumber(difference)})`);
            combatElement.setAttribute('style', `color:lime`);
        } else {
            combatElement.setAttribute('data-combat-experience-ahead', `(${formatNormalNumber(difference)})`);
            combatElement.setAttribute('style', `color:red`);
        }
    }

    function initializeProfileLoadListener() {
        let css = '[data-combat-experience-ahead]::after { content: attr(data-combat-experience-ahead); padding: 12px;}';

        appendCSS(css);

        window.elethorGeneralPurposeOnLocationChange.addEventListener('EGPLocation', async function (e) {
            if (e && e.newLocation) {
                if(e.newLocation.includes('/profile/')) {
                    console.log('Profile view detected:', e);
                    const url = e.newLocation;
                    const path = url.substr(url.indexOf(profileURL));

                    // We know we have a profile lookup, and not user-data load if the length differs.
                    if (path.length > profileURL.length) {
                        const userId = Number(path.substr(path.lastIndexOf('/') + 1));

                        const difference = await getExperienceDifference(userId, currentUserData.user.id);

                        updateXPTracker(difference);
                    }
                }
            }
        });

        console.log(`[${moduleName} v${version}] Profile Load Listener initialized.`);
    }

    async function getUser(id) {
        const result = await window.axios.get(`/game/user/${id}?egpIgnoreMe=true`);
        return result.data;
    }

    window.getUser = getUser;

    async function getUserStats() {
        const result = await window.axios.get(`/game/inventory/stats`);
        return result.data;
    }

    window.getUserStats = getUserStats;

    async function getUserStatsJSON(pretty) {
        const stats = await getUserStats();

        if (pretty) {
            return JSON.stringify(stats, null, 2);
        }

        return JSON.stringify(stats);
    }

    window.getUserStatsJSON = getUserStatsJSON;

    function getUserCombatStats(user) {
        for (const skill of user.skills) {
            if (skill.name === 'combat') {
                return skill.pivot;
            }
        }
    }

    async function getExperienceDifference(userId1, userId2) {
        const [user1, user2] = await Promise.all([
            getUser(userId1),
            getUser(userId2)
        ]);

        const combatStats1 = getUserCombatStats(user1);
        const combatStats2 = getUserCombatStats(user2);

        return combatStats2.experience - combatStats1.experience;
    }

    (function run() {
        initializeToastKiller();
        initializeXHRHook();
        initializeUserLoadListener();
        initializeInventoryStatsLoadListener();
        initializeLocationChangeListener();
        initializeProfileLoadListener();
        initializePackStats();

        console.log(`[${moduleName} v${version}] Loaded.`);
    })();

    (async function loadRerollDisableButtonModule() {
        async function waitForEcho() {
            return new Promise((resolve, reject) => {
                const interval = setInterval(() => {
                    if (window.Echo) {
                        clearInterval(interval);
                        resolve();
                    }
                }, 100);
            });
        }

        await waitForEcho();
        await waitForUser();

        elethorGeneralPurposeOnXHR.addEventListener('EGPXHR', async function (e) {
            if (e && e.xhr && e.xhr.responseURL) {
                if(e.xhr.responseURL.includes('/game/energize')) {
                    const itemID = e.xhr.responseURL.substr(e.xhr.responseURL.lastIndexOf('/')+1);
                    window.lastEnergizeID = Number(itemID);
                }
            }
        });
    })();

    (async function loadResourceNodeUpdater() {
        await waitForField(currentUserData, 'user');
        const user = await getUser(currentUserData.user.id);

        function updateExperienceRates() {
            document.querySelectorAll('.is-resource-node').forEach(async (node) => {
                visualizeResourceNodeExperienceRates(node, user)
            });

            function visualizeResourceNodeExperienceRates(node, user) {
                const purity = getNodePurityPercentage(node, user);
                const density = getNodeDensityPercentage(node, user);
                const experience = getNodeExperience(node, density, user);
                const ore = 16;
                const experienceRate = experience.toFixed(2);
                const oreRate = getOreRate(density, purity, ore);

                node.children[0].setAttribute('data-after', `${experienceRate} xp/h ${oreRate} ore/h`);
            }

            function getNodePurityPercentage(node, user) {
                const column = node.children[0].children[2];
                const label = column.getElementsByClassName('has-text-weight-bold')[0].parentElement;
                let percentage = Number(label.innerText.replace('%','').split(':')[1]);

                let miningLevel = getMiningLevel(user);
                percentage = percentage + (miningLevel * 0.1);

                return percentage;
            }

            function getNodeDensityPercentage(node, user) {
                const column = node.children[0].children[1];
                const label = column.getElementsByClassName('has-text-weight-bold')[0].parentElement;
                let percentage = Number(label.innerText.replace('%','').split(':')[1]);

                let miningLevel = getMiningLevel(user);
                percentage = percentage + (miningLevel * 0.1);

                return percentage;
            }

            function getNodeExperience(node, density, user) {
                const column = node.children[0].children[3];
                const label = column.getElementsByClassName('has-text-weight-bold')[0].parentElement;
                let value = Number(label.innerText.replace('%','').split(':')[1]);

                const skilledExtraction = getSkilledExtractionLevel(user);
                const knowledgeExtraction = getKnowledgeExtractionLevel(user) / 100;

                const actionsPerHour = getActionsPerHour(density);
                const experienceBase = value * actionsPerHour;
                const experienceSkilled = actionsPerHour * skilledExtraction;
                const experienceKnowledge = value * knowledgeExtraction;

                value = experienceBase + experienceSkilled + experienceKnowledge;

                const vip = isUserVIP(user);

                value *= vip ? 1.1 : 1;

                return value;
            }

            function getActionsPerHour(density) {
                return 3600 / (60 / (density / 100))
            }

            function getExperienceRate(density, experience) {
                return Number((3600 / (60 / (density / 100)) * experience).toFixed(2));
            }

            function getOreRate(density, purity, ore) {
                return Number((3600 / (60 / (density / 100)) * (purity / 100) * ore).toFixed(2));
            }
        }

        function isUserVIP(user) {
            return new Date(user.vip_expires) > new Date();
        }

        updateExperienceRates();
        window.elethorResourceInterval = setInterval(updateExperienceRates, 500);
        initializeResourceNodeView();

        async function initializeResourceNodeView() {
            await waitForField(document, 'head');

            let css = '[data-after]::after { content: attr(data-after); padding: 12px;}';

            appendCSS(css);
        }
    })();

    async function initializePackStats() {
        await waitForField(document, 'head');
        await waitForUser();

        function loadPackStatsCSS() {
            const css = '' +
                '[data-pack-stat-ATTACK-SPEED]::after {content: attr(data-pack-stat-ATTACK-SPEED);float: right;}' +
                '[data-pack-stat-HEALTH]::after {content: attr(data-pack-stat-HEALTH);float: right;}' +
                '[data-pack-stat-FORTITUDE]::after {content: attr(data-pack-stat-FORTITUDE);float: right;}' +
                '[data-pack-stat-SPEED]::after {content: attr(data-pack-stat-SPEED);float: right;}' +
                '[data-pack-stat-SAVAGERY]::after {content: attr(data-pack-stat-SAVAGERY);float: right;}' +
                '[data-pack-stat-PIERCE]::after {content: attr(data-pack-stat-PIERCE);float: right;}' +
                '[data-pack-stat-ARMOR]::after {content: attr(data-pack-stat-ARMOR);float: right;}' +
                '[data-pack-stat-DAMAGE-REDUCTION]::after {content: attr(data-pack-stat-DAMAGE-REDUCTION);float: right;}'
            ;

            appendCSS(css);
        }
        loadPackStatsCSS();

        function getMonsterStatSpans() {
            return document.querySelectorAll('.is-desktop-monster-stats table tr td:last-child>span');
        }

        function applyPackStats(packAmount) {
            const statSpans = getMonsterStatSpans();

            let counter = 0;

            let attackSpeedSpan, healthSpan;

            for (const span of statSpans) {
                // Save attack speed span for later when we get speed stat
                if (counter === 0) {
                    counter++;
                    attackSpeedSpan = span;
                    continue;
                }

                // Save health span for later when we get fort stat
                if (counter === 1) {
                    counter++;
                    healthSpan = span;
                    continue;
                }

                const stat = processSpan(span);

                // Health
                if (counter === 2) {
                    processSpan(healthSpan, stat, 'health');
                }

                // Speed
                if (counter === 3) {
                    processSpan(attackSpeedSpan, stat, 'speed');
                }

                counter++;
            }

            function processSpan(span, statOverride, overrideType) {
                let stat = Number(span.innerText.replace('%', '').replace(',', '').replace(',', '').replace(',', ''));
                stat *= Math.pow(1.1, packAmount);

                if (statOverride) {
                    stat = statOverride;

                    if (overrideType === 'speed') {
                        stat = getAttackSpeed(stat);
                    }

                    if (overrideType === 'health') {
                        stat = getHealth(stat);
                    }
                }

                let statPackFormatted;

                if (span.innerText.includes('%')) {
                    statPackFormatted = `${stat.toFixed(3)}%`;
                } else {
                    statPackFormatted = stat.toFixed(0);
                }

                statPackFormatted = statPackFormatted.toLocaleString();

                span.setAttribute('data-pack-stat-' + span.parentElement.parentElement.children[0].innerText.replace(' ', '-'), `${statPackFormatted} (${packAmount}x)`);

                return stat;
            }
        }

        loadPackStatsCSS();

        const multiplierByPackLevel = {
            0: 3,
            1: 4,
            2: 5,
            3: 6,
            4: 8,
            5: 10
        }

        const multiplierByCarnageLevel = {
            1: 11,
            2: 12,
            3: 13,
            4: 14,
            5: 15
        }

        const packStatsUser = await getUser(currentUserData.user.id);
        const packLevel = getPackLevel(packStatsUser);
        const carnageLevel = getCarnageLevel(packStatsUser);

        let packAmount = multiplierByPackLevel[packLevel];

        if (carnageLevel > 0) {
            packAmount = multiplierByCarnageLevel[carnageLevel];
        }

        setPackAmount(packAmount);

        window.elethorPackStatsInterval = setInterval(() => {
            applyPackStats(window.packAmount);
        }, 500);

        document.addEventListener('click', function(e) {
            if (e.target
            && e.target.id
            && (e.target.id === 'egpPackButtonUp' || e.target.id === 'egpPackButtonDown')
            ) {
                if (e.target.id === 'egpPackButtonUp') {
                    setPackAmount(window.packAmount + 1);
                } else {
                    setPackAmount(window.packAmount - 1);
                }

                applyPackStats(window.packAmount);
            }
        });

        function addPackChangeButtons() {
            if (document.querySelector('#egpPackButtonUp')) { return; }

            const table = document.querySelector('.is-desktop-monster-stats table');

            if (!table) { return; }

            const buttonUp = document.createElement('button');
            buttonUp.setAttribute('style', 'float: right; height: 25px; width: 25px;');
            buttonUp.innerText = '→';
            buttonUp.id ='egpPackButtonUp';
            buttonUp.className ='button egpButton';

            const buttonDown = document.createElement('button');
            buttonDown.setAttribute('style', 'float: right; height: 25px; width: 25px;');
            buttonDown.innerText = '←';
            buttonDown.id ='egpPackButtonDown';
            buttonDown.className ='button egpButton';

            table.parentElement.insertBefore(buttonUp, table);
            table.parentElement.insertBefore(buttonDown, table);
        }
        addPackChangeButtons();

        window.elethorPackStatsButtonInterval = setInterval(addPackChangeButtons, 500);
    }

    function setPackAmount(amount) {
        window.packAmount = amount;
    }

    window.setPackAmount = setPackAmount;

    function formatNormalNumber(num){
        return num.toLocaleString();
    }

    function appendCSS(css) {
        let head = document.head || document.getElementsByTagName('head')[0];
        let style = document.createElement('style');

        head.appendChild(style);

        style.type = 'text/css';
        if (style.styleSheet){
            // This is required for IE8 and below.
            style.styleSheet.cssText = css;
        } else {
            style.appendChild(document.createTextNode(css));
        }
    }

    function getMiningLevel(user) {
        for (const skill of user.skills) {
            if (skill.id === 1) {
                return skill.pivot.level;
            }
        }

        return 0;
    }

    function getSkilledExtractionLevel(user) {
        for (const skill of user.skills) {
            if (skill.id === 17) {
                return skill.pivot.level;
            }
        }

        return 0;
    }

    function getKnowledgeExtractionLevel(user) {
        for (const skill of user.skills) {
            if (skill.id === 18) {
                return skill.pivot.level;
            }
        }

        return 0;
    }

    function getPackLevel(user) {
        for (const skill of user.skills) {
            if (skill.id === 22) {
                return skill.pivot.level;
            }
        }

        return 0;
    }

    function getCarnageLevel(user) {
        for (const skill of user.skills) {
            if (skill.id === 23) {
                return skill.pivot.level;
            }
        }

        return 0;
    }

    function getAttackSpeed(speed) {
        return 50 - (50 * speed / (speed + 25));
    }

    function getHealth(fortitude) {
        return 100000 * fortitude / (fortitude + 4000);
    }

    async function waitForField(target, field) {
        return new Promise((resolve, reject) => {
            const interval = setInterval(() => {
                if (target[field] !== undefined) {
                    clearInterval(interval);
                    resolve();
                }
            }, 100);
        });
    }

    async function waitForUser() {
        return new Promise((resolve, reject) => {
            const interval = setInterval(() => {
                if (currentUserData.user && currentUserData.user.id !== undefined) {
                    clearInterval(interval);
                    resolve();
                }
            }, 100);
        });
    }
})();