您需要先安装一个扩展,例如 篡改猴、Greasemonkey 或 暴力猴,之后才能安装此脚本。
您需要先安装一个扩展,例如 篡改猴 或 暴力猴,之后才能安装此脚本。
您需要先安装一个扩展,例如 篡改猴 或 暴力猴,之后才能安装此脚本。
您需要先安装一个扩展,例如 篡改猴 或 Userscripts ,之后才能安装此脚本。
您需要先安装一款用户脚本管理器扩展,例如 Tampermonkey,才能安装此脚本。
您需要先安装用户脚本管理器扩展后才能安装此脚本。
Adds a button to the Discord browser UI to mass delete messages from Discord channels and direct messages
// ==UserScript== // @name DiscordPurge - Mass Delete Discord Messages // @namespace https://gf.zukizuki.org/en/users/1431907-theeeunknown // @description Adds a button to the Discord browser UI to mass delete messages from Discord channels and direct messages // @version 0.1.1 // @match *://*.discord.com/* // @grant GM_setValue // @grant GM_getValue // @connect discord.com // @license MIT // @author TR0LL // ==/UserScript== /** * Delete all messages in a Discord channel or DM * @param {string} authToken Your authorization token * @param {string} authorId Author of the messages you want to delete * @param {string} guildId Server were the messages are located * @param {string} channelId Channel were the messages are located * @param {string} minId Only delete messages after this, leave blank do delete all * @param {string} maxId Only delete messages before this, leave blank do delete all * @param {string} content Filter messages that contains this text content * @param {boolean} hasLink Filter messages that contains link * @param {boolean} hasFile Filter messages that contains file * @param {boolean} includeNsfw Search in NSFW channels * @param {function(string, Array)} extLogger Function for logging * @param {function} stopHndl stopHndl used for stopping */ async function deleteMessages(authToken, authorId, guildId, channelId, minId, maxId, content, hasLink, hasFile, includeNsfw, includePinned, searchDelay, deleteDelay, delayIncrement, delayDecrement, delayDecrementPerMsgs, retryAfterMultiplier, extLogger, stopHndl, onProgress) { const start = new Date(); let delCount = 0; let failCount = 0; let avgPing; let lastPing; let grandTotal; let throttledCount = 0; let throttledTotalTime = 0; let offset = 0; let iterations = -1; const wait = async ms => new Promise(done => setTimeout(done, ms)); const msToHMS = s => `${s / 3.6e6 | 0}h ${(s % 3.6e6) / 6e4 | 0}m ${(s % 6e4) / 1000 | 0}s`; const escapeHTML = html => html.replace(/[&<"']/g, m => ({ '&': '&', '<': '<', '"': '"', '\'': ''' })[m]); const redact = str => `<span class="priv">${escapeHTML(str)}</span><span class="mask">REDACTED</span>`; const queryString = params => params.filter(p => p[1] !== undefined).map(p => p[0] + '=' + encodeURIComponent(p[1])).join('&'); const ask = async msg => new Promise(resolve => setTimeout(() => resolve(window.confirm(msg)), 10)); const printDelayStats = () => log.verb(`Delete delay: ${deleteDelay}ms, Search delay: ${searchDelay}ms`, `Last Ping: ${lastPing}ms, Average Ping: ${avgPing | 0}ms`); const toSnowflake = (date) => /:/.test(date) ? ((new Date(date).getTime() - 1420070400000) * Math.pow(2, 22)) : date; const MAX_LOG_ENTRIES = 1000; // Limit the number of log entries const BATCH_SIZE = 100; // Process messages in smaller batches // This 'logArea' and 'autoScroll' will be closed over from initUI's scope when deleteMessages is called from there. // This is how the original script worked for deleteMessages's internal log. const logArea = document.querySelector('#deletecord .logarea'); // autoScroll is not directly available here, but log.display will use the one from initUI via closure if display is called through an instance. // However, the original log object defined autoScroll via closure. const log = { entries: [], add(type, args) { if (this.entries.length >= MAX_LOG_ENTRIES) { this.entries.shift(); // Remove the oldest entry } this.entries.push({ type, args }); this.display(); }, display() { // This 'logArea' is the one defined above in deleteMessages's scope. // For 'autoScroll', it relies on closure from where 'deleteMessages' is called (i.e., initUI's scope). // This is a bit fragile but was in the original. const currentLogArea = document.querySelector('#deletecord .logarea'); // Re-query to be safe or use the closed-over one. const currentAutoScroll = document.querySelector('#autoScroll'); // Needs to get this from initUI's scope. if (currentLogArea) { currentLogArea.innerHTML = this.entries.map(entry => { const style = { '': '', info: 'color:#00b0f4;', verb: 'color:#72767d;', warn: 'color:#faa61a;', error: 'color:#f04747;', success: 'color:#43b581;' }[entry.type]; return `<div style="${style}">${Array.from(entry.args).map(o => typeof o === 'object' ? JSON.stringify(o, o instanceof Error && Object.getOwnPropertyNames(o)) : o).join('\t')}</div>`; }).join(''); if (currentAutoScroll && currentAutoScroll.checked && currentLogArea.querySelector('div:last-child')) { currentLogArea.querySelector('div:last-child').scrollIntoView(false); } } }, debug() { this.add('debug', arguments); }, info() { this.add('info', arguments); }, verb() { this.add('verb', arguments); }, warn() { this.add('warn', arguments); }, error() { this.add('error', arguments); }, success() { this.add('success', arguments); }, }; const adjustDelay = (delta) => { deleteDelay += delta; }; async function recurse() { let API_SEARCH_URL; if (guildId === '@me') { API_SEARCH_URL = `https://discord.com/api/v6/channels/${channelId}/messages/`; // DMs } else { API_SEARCH_URL = `https://discord.com/api/v6/guilds/${guildId}/messages/`; // Server } const headers = { 'Authorization': authToken }; let resp; try { const s = Date.now(); resp = await fetch(API_SEARCH_URL + 'search?' + queryString([ ['author_id', authorId || undefined], ['channel_id', (guildId !== '@me' ? channelId : undefined) || undefined], ['min_id', minId ? toSnowflake(minId) : undefined], ['max_id', maxId ? toSnowflake(maxId) : undefined], ['sort_by', 'timestamp'], ['sort_order', 'desc'], ['offset', offset], ['has', hasLink ? 'link' : undefined], ['has', hasFile ? 'file' : undefined], ['content', content || undefined], ['include_nsfw', includeNsfw ? true : undefined], ]), { headers }); lastPing = (Date.now() - s); avgPing = avgPing > 0 ? (avgPing * 0.9) + (lastPing * 0.1) : lastPing; } catch (err) { return log.error('Search request threw an error:', err); } if (resp.status === 202) { const w = (await resp.json()).retry_after; throttledCount++; throttledTotalTime += w; log.warn(`This channel wasn't indexed, waiting ${w}ms for discord to index it...`); await wait(w); return await recurse(); } if (!resp.ok) { if (resp.status === 429) { const w = (await resp.json()).retry_after; throttledCount++; throttledTotalTime += w; log.warn(`Being rate limited by the API for ${w*1000}ms! Consider increasing search delay...`); printDelayStats(); log.verb(`Cooling down for ${w * retryAfterMultiplier}ms before retrying...`); await wait(w * retryAfterMultiplier); return await recurse(); } else { return log.error(`Error searching messages, API responded with status ${resp.status}!\n`, await resp.json()); } } const data = await resp.json(); const total = data.total_results; if (!grandTotal) grandTotal = total; const discoveredMessages = data.messages.map(convo => convo.find(message => message.hit === true)); const messagesToDelete = discoveredMessages.filter(msg => { return msg.type === 0 || msg.type === 6 || (msg.pinned && includePinned); }); const skippedMessages = discoveredMessages.filter(msg => !messagesToDelete.find(m => m.id === msg.id)); const end = () => { log.success(`Ended at ${new Date().toLocaleString()}! Total time: ${msToHMS(Date.now() - start.getTime())}`); printDelayStats(); log.verb(`Rate Limited: ${throttledCount} times. Total time throttled: ${msToHMS(throttledTotalTime)}.`); log.debug(`Deleted ${delCount} messages, ${failCount} failed.\n`); } const etr = msToHMS((searchDelay * Math.round(total / 25)) + ((deleteDelay + (avgPing || 0)) * total)); log.info(`Total messages found: ${data.total_results}`, `(Messages in current page: ${data.messages.length}, To be deleted: ${messagesToDelete.length}, System: ${skippedMessages.length})`, `offset: ${offset}`); printDelayStats(); log.verb(`Estimated time remaining: ${etr}`) if (messagesToDelete.length > 0) { if (++iterations < 1) { log.verb(`Waiting for your confirmation...`); if (!await ask(`Do you want to delete ~${total} messages?\nEstimated time: ${etr}\n\n---- Preview ----\n` + messagesToDelete.slice(0,5).map(m => `${m.author.username}#${m.author.discriminator}: ${m.attachments.length ? '[ATTACHMENTS]' : m.content}`).join('\n'))) // Slice for preview return end(log.error('Aborted by you!')); log.verb(`OK`); } for (let i = 0; i < messagesToDelete.length; i += BATCH_SIZE) { // This outer loop with BATCH_SIZE seems unused if inner loop processes one by one const batch = messagesToDelete.slice(i, i + BATCH_SIZE); // This is fine for (let j = 0; j < batch.length; j++) { const message = batch[j]; if (stopHndl && stopHndl() === false) return end(log.error('Stopped by you!')); log.debug(`${((delCount + 1) / grandTotal * 100).toFixed(2)}% (${delCount + 1}/${grandTotal})`, `Deleting ID:${redact(message.id)} <b>${redact(message.author.username + '#' + message.author.discriminator)} <small>(${redact(new Date(message.timestamp).toLocaleString())})</small>:</b> <i>${redact(message.content).replace(/\n/g, '↵')}</i>`, message.attachments.length ? redact(JSON.stringify(message.attachments)) : ''); if (onProgress) onProgress(delCount + 1, grandTotal); if (delCount % delayDecrementPerMsgs === 0 && delCount > 0) { // check delCount > 0 log.verb(`Reducing delete delay automatically by ${delayDecrement}ms...`); adjustDelay(delayDecrement) } let delResp; // Renamed to avoid conflict with search resp try { const s = Date.now(); const API_DELETE_URL = `https://discord.com/api/v6/channels/${message.channel_id}/messages/${message.id}`; delResp = await fetch(API_DELETE_URL, { headers, method: 'DELETE' }); lastPing = (Date.now() - s); avgPing = (avgPing * 0.9) + (lastPing * 0.1); if(delResp.ok) delCount++; // only increment if successful else failCount++; // increment failCount if not ok if (onProgress) onProgress(delCount, grandTotal); } catch (err) { log.error('Delete request threw an error:', err); log.verb('Related object:', redact(JSON.stringify(message))); failCount++; } if (delResp && !delResp.ok) { // check delResp exists if (delResp.status === 429) { const w = (await delResp.json()).retry_after; throttledCount++; throttledTotalTime += w; adjustDelay(delayIncrement); console.log(delayIncrement); // Original console.log log.warn(`Being rate limited by the API for ${w * 1000}ms! Adjusted delete delay to ${deleteDelay}ms.`); printDelayStats(); log.verb(`Cooling down for ${w * retryAfterMultiplier}ms before retrying...`); await wait(w * retryAfterMultiplier); j--; // retry } else if (delResp.status === 403 || delResp.status === 400) { log.warn('Insufficient permissions to delete message. Skipping this message.'); offset++; // Original logic // failCount already incremented } else { log.error(`Error deleting message, API responded with status ${delResp.status}!`, await delResp.json()); log.verb('Related object:', redact(JSON.stringify(message))); // failCount already incremented } } await wait(deleteDelay); } } if (skippedMessages.length > 0) { grandTotal -= skippedMessages.length; offset += skippedMessages.length; log.verb(`Found ${skippedMessages.length} system messages! Decreasing grandTotal to ${grandTotal} and increasing offset to ${offset}.`); } log.verb(`Searching next messages in ${searchDelay}ms...`, (offset ? `(offset: ${offset})` : '')); await wait(searchDelay); if (stopHndl && stopHndl() === false) return end(log.error('Stopped by you!')); return await recurse(); } else { if (total - offset > 0 && discoveredMessages.length === 0) { // ensure discoveredMessages is also empty log.warn('API returned an empty page, but there are still messages to process. Continuing...'); offset += 25; await wait(searchDelay); return await recurse(); } return end(); } } log.success(`\nStarted at ${start.toLocaleString()}`); log.debug(`authorId="${redact(authorId)}" guildId="${redact(guildId)}" channelId="${redact(channelId)}" minId="${redact(minId)}" maxId="${redact(maxId)}" hasLink=${!!hasLink} hasFile=${!!hasFile}`); if (onProgress) onProgress(null, 1); return await recurse(); } //---- User interface ----// let popover; let btn; let stop; // This is the stop flag for the deletion process function initUI() { const keepAliveDiv = document.createElement('div'); keepAliveDiv.id = 'keep-alive'; keepAliveDiv.style.display = 'none'; document.body.appendChild(keepAliveDiv); let keepAliveObserver = new MutationObserver(() => {}); keepAliveObserver.observe(keepAliveDiv, { attributes: true }); setInterval(() => { keepAliveDiv.classList.toggle('active'); }, 1000); const insertCss = (css) => { const style = document.createElement('style'); style.appendChild(document.createTextNode(css)); document.head.appendChild(style); return style; } const createElm = (html) => { const temp = document.createElement('div'); temp.innerHTML = html; return temp.removeChild(temp.firstElementChild); } insertCss(` #deletecord-btn{position:relative;height:24px;width:auto;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;margin:0 8px;cursor:pointer;color:var(--interactive-normal);} #deletecord{position:fixed;top:100px;right:10px;height:400px;width:400px;z-index:99;color:var(--text-normal);background-color:var(--background-secondary);box-shadow:var(--elevation-stroke),var(--elevation-high);border-radius:4px;display:flex;flex-direction:column} #deletecord a{color:#00b0f4} #deletecord.redact .priv{display:none!important} #deletecord:not(.redact) .mask{display:none!important} #deletecord.redact [priv]{-webkit-text-security:disc!important} #deletecord .toolbar span{margin-right:6px} #deletecord button,#deletecord .btn{color:#fff;background:#7289da;border:0;border-radius:4px;font-size:12px;padding:2px 5px} #deletecord button:disabled{display:none} #deletecord input[type="text"],#deletecord input[type="search"],#deletecord input[type="password"],#deletecord input[type="datetime-local"],#deletecord input[type="number"]{background-color:#202225;color:#b9bbbe;border-radius:4px;border:0;padding:0 .3em;height:20px;width:110px;margin:1px;font-size:12px} #deletecord input#file{display:none} #deletecord hr{border-color:rgba(255,255,255,0.1);margin:4px 0} #deletecord .header{padding:6px 8px;background-color:var(--background-tertiary);color:var(--text-muted);font-size:12px} #deletecord .form{padding:5px;background:var(--background-secondary);box-shadow:0 1px 0 rgba(0,0,0,.2),0 1.5px 0 rgba(0,0,0,.05),0 2px 0 rgba(0,0,0,.05)} #deletecord .logarea{overflow:auto;font-size:.75rem;font-family:Consolas,monospace;flex-grow:1;padding:5px} #deletecord .logarea div{margin-bottom:2px;} /* Slightly reduced margin for log entries */ #deletecord .form-tabs{display:flex;margin-bottom:5px} #deletecord .tab{padding:2px 8px;cursor:pointer;border-radius:3px 3px 0 0;margin-right:1px;font-size:11px;background:#323642} #deletecord .tab.active{background:#7289da;color:white} #deletecord .tab-content{display:none} #deletecord .tab-content.active{display:block} #deletecord label{font-size:11px;margin-right:5px;white-space:nowrap} #deletecord .form-row{display:flex;flex-wrap:wrap;gap:3px;margin-bottom:3px;align-items:center} #deletecord span{font-size:11px} `); popover = createElm(` <div id="deletecord" style="display:none;"> <div class="header">DiscordPurge - Mass Delete Discord Messages</div> <div class="form"> <div class="form-tabs"> <div class="tab active" data-tab="main">Main</div> <div class="tab" data-tab="filters">Filters</div> <div class="tab" data-tab="advanced">Advanced</div> </div> <div class="tab-content active" id="tab-main"> <div class="form-row"> <span>Auth:</span> <input type="password" id="authToken" placeholder="Auth Token" autofocus> <button id="getAuthInfo">Get All</button> </div> <div class="form-row"> <span>Author:</span> <input id="authorId" type="text" placeholder="Author ID" priv> </div> <div class="form-row"> <span>Guild/Channel:</span> <input id="guildId" type="text" placeholder="Guild ID" priv> <input id="channelId" type="text" placeholder="Channel ID" priv> </div> <div class="form-row"> <label><input id="hasLink" type="checkbox">has: link</label> <label><input id="hasFile" type="checkbox">has: file</label> <label><input id="includePinned" type="checkbox">Pinned</label> </div> </div> <div class="tab-content" id="tab-filters"> <div class="form-row"> <span>Range:</span> <input id="minDate" type="datetime-local" title="After" style="width:140px"> <input id="maxDate" type="datetime-local" title="Before" style="width:140px"> </div> <div class="form-row"> <span>Message IDs:</span> <input id="minId" type="text" placeholder="After message ID" priv> <input id="maxId" type="text" placeholder="Before message ID" priv> </div> <div class="form-row"> <span>Content:</span> <input id="content" type="text" placeholder="Containing text" priv style="width:200px"> </div> <div class="form-row"> <label><input id="includeNsfw" type="checkbox">NSFW</label> <label><input id="autoScroll" type="checkbox" checked>Auto</label> <label><input id="redact" type="checkbox">Redact</label> </div> </div> <div class="tab-content" id="tab-advanced"> <div class="form-row"> <span>Delays (ms):</span> <span>Search:</span> <input id="searchDelay" type="number" value="1500" step="100" style="width:60px"> <span>Delete:</span> <input id="deleteDelay" type="number" value="1400" step="100" style="width:60px"> </div> <div class="form-row"> <span>Import channels:</span> <label for="file" class="btn" style="padding:2px 8px">Import JSON</label> <input id="file" type="file" accept="application/json,.json"> </div> </div> <hr> <div class="form-row"> <button id="start" style="background:#43b581;width:60px;">Start</button> <button id="stop" style="background:#f04747;width:60px;" disabled>Stop</button> <button id="clear" style="width:60px;">Clear</button> <progress id="progress" style="display:none;width:80px"></progress> <span class="percent"></span> </div> </div> <pre class="logarea"> <center> <a href="https://www.torn.com/2561502" target="_blank">TheeUnknown</a> | <a href="https://gf.zukizuki.org/en/users/1431907-theeeunknown" target="_blank">Scripts</a> </center> </pre> </div> `); document.body.appendChild(popover); btn = createElm(`<div id="deletecord-btn" tabindex="0" role="button" aria-label="Delete Messages" title="Delete Messages"> <svg aria-hidden="false" width="24" height="24" viewBox="0 0 24 24"> <path fill="currentColor" d="M15 3.999V2H9V3.999H3V5.999H21V3.999H15Z"></path> <path fill="currentColor" d="M5 6.99902V18.999C5 20.101 5.897 20.999 7 20.999H17C18.103 20.999 19 20.101 19 18.999V6.99902H5ZM11 17H9V11H11V17ZM15 17H13V11H15V17Z"></path> </svg> <br><progress style="display:none; width:24px;"></progress> </div>`); btn.onclick = function togglePopover() { if (popover.style.display !== 'none') { popover.style.display = 'none'; btn.style.color = 'var(--interactive-normal)'; } else { popover.style.display = 'flex'; // Changed to flex to match CSS btn.style.color = '#f04747'; } }; function mountBtn() { const toolbar = document.querySelector('[class^=toolbar]'); if (toolbar && !toolbar.querySelector('#deletecord-btn')) { // Check if not already mounted toolbar.appendChild(btn); } } const observer = new MutationObserver(function (_mutationsList, _observer) { if (!document.body.contains(btn) || !btn.parentElement) { // check if detached mountBtn(); } }); observer.observe(document.body, { attributes: false, childList: true, subtree: true }); mountBtn(); const $ = s => popover.querySelector(s); const uiLogArea = $('pre.logarea'); // Explicitly for UI logging from initUI const uiAutoScroll = $('#autoScroll'); // For UI logging from initUI const MAX_UI_LOG_ENTRIES = 1000; // For the initUI logger // Logger for initUI scope, e.g., for getAuthInfo button const uiLoggerObject = { entries: [], add(type, argsArray) { if (this.entries.length >= MAX_UI_LOG_ENTRIES) { this.entries.shift(); } this.entries.push({ type, args: Array.from(argsArray) }); // Store as array this.display(); }, display() { if (uiLogArea) { uiLogArea.innerHTML = this.entries.map(entry => { const style = { '': '', info: 'color:#00b0f4;', verb: 'color:#72767d;', warn: 'color:#faa61a;', error: 'color:#f04747;', success: 'color:#43b581;' }[entry.type]; return `<div style="${style}">${entry.args.map(o => typeof o === 'object' ? JSON.stringify(o, o instanceof Error && Object.getOwnPropertyNames(o)) : String(o)).join('\t')}</div>`; }).join('') + (this.entries.length === 0 ? `<center><a href="https://www.torn.com/2561502" target="_blank">TheeUnknown</a> | <a href="https://gf.zukizuki.org/en/users/1431907-theeeunknown" target="_blank">Scripts</a></center>` : ''); // Add back footer if empty if (uiAutoScroll && uiAutoScroll.checked && uiLogArea.querySelector('div:last-child')) { uiLogArea.querySelector('div:last-child').scrollIntoView(false); } else if (uiLogArea.firstChild && this.entries.length === 0) { // Scroll to top if cleared uiLogArea.scrollTop = 0; } } }, info(...args) { this.add('info', args); }, warn(...args) { this.add('warn', args); }, error(...args) { this.add('error', args); }, success(...args) { this.add('success', args); }, clear() { this.entries = []; this.display(); } }; const startBtn = $('button#start'); const stopBtn = $('button#stop'); // const autoScroll = $('#autoScroll'); // This is now uiAutoScroll for clarity const updateGuildAndChannel = () => { const m = location.href.match(/channels\/([\w@]+)\/(\d+)/); if (m) { const guildField = $('input#guildId'); const channelField = $('input#channelId'); if (guildField) guildField.value = m[1]; if (channelField) channelField.value = m[2]; } }; updateGuildAndChannel(); let lastUrl = location.href; // Simpler URL change detection setInterval(() => { if (lastUrl !== location.href) { lastUrl = location.href; updateGuildAndChannel(); } }, 1000); const tabs = popover.querySelectorAll('.tab'); const tabContents = popover.querySelectorAll('.tab-content'); tabs.forEach(tab => { tab.addEventListener('click', () => { tabs.forEach(t => t.classList.remove('active')); tab.classList.add('active'); const tabName = tab.getAttribute('data-tab'); tabContents.forEach(content => { content.classList.remove('active'); }); const activeTabContent = document.getElementById(`tab-${tabName}`); if(activeTabContent) activeTabContent.classList.add('active'); }); }); startBtn.onclick = async e => { const authToken = $('input#authToken').value.trim(); const authorId = $('input#authorId').value.trim(); const guildId = $('input#guildId').value.trim(); const channelIds = $('input#channelId').value.trim().split(/\s*,\s*/).filter(id => id); // Filter empty const minId = $('input#minId').value.trim(); const maxId = $('input#maxId').value.trim(); const minDate = $('input#minDate').value.trim(); const maxDate = $('input#maxDate').value.trim(); const content = $('input#content').value.trim(); const hasLink = $('input#hasLink').checked; const hasFile = $('input#hasFile').checked; const includeNsfw = $('input#includeNsfw').checked; const includePinned = $('input#includePinned').checked; const searchDelay = parseInt($('input#searchDelay').value.trim()) || 1500; // Default if empty const deleteDelay = parseInt($('input#deleteDelay').value.trim()) || 1400; // Default if empty const delayIncrement = 150; const delayDecrement = -50; const delayDecrementPerMsgs = parseInt("1000"); const retryAfterMultiplier = 3; // Original used 3000 which was likely a typo for 3x const progress = $('#progress'); const progress2 = btn.querySelector('progress'); const percent = $('.percent'); // File selection logic moved here from original for clarity const fileSelection = $("input#file"); fileSelection.addEventListener("change", () => { const files = fileSelection.files; const channelIdField = $('input#channelId'); if (files.length > 0) { const file = files[0]; file.text().then(text => { try { // Add try-catch for JSON.parse let json = JSON.parse(text); let channels = Object.keys(json); // Assuming simple { "id": "name" } structure from original channelIdField.value = channels.join(","); uiLoggerObject.success('Channels imported from JSON.'); } catch (err) { uiLoggerObject.error('Failed to parse JSON for channel import:', err.message); alert('Invalid JSON file for channel import.'); } }).catch(err => { uiLoggerObject.error('Failed to read file for channel import:', err.message); }); fileSelection.value = ''; // Clear file input after processing } }, false); const stopHndl = () => !(stop === true); const onProg = (value, max) => { if (value !== null && max !== null && value <= max && max > 0) { // Ensure value <= max progress.setAttribute('max', max); progress.value = value; progress.style.display = ''; progress2.setAttribute('max', max); progress2.value = value; progress2.style.display = ''; percent.innerHTML = Math.round(value / max * 100) + '%'; } else if (value === null && max === 1) { // Initial state progress.style.display = 'none'; progress2.style.display = 'none'; percent.innerHTML = '...'; } else { // Finished or error state progress.style.display = 'none'; progress2.style.display = 'none'; // percent.innerHTML will be set by end() logic if needed } }; stop = false; // Reset stop flag stopBtn.disabled = false; startBtn.disabled = true; // uiLoggerObject.clear(); // Clearing log on start // extLogger for deleteMessages will be the uiLoggerObject's add method const extLoggerForDeleteMessages = uiLoggerObject.add.bind(uiLoggerObject); for (let i = 0; i < channelIds.length; i++) { if(stop) break; // Check stop flag before starting a new channel uiLoggerObject.info(`Processing channel: ${channelIds[i]}`); await deleteMessages(authToken, authorId, guildId, channelIds[i], minId || minDate, maxId || maxDate, content, hasLink, hasFile, includeNsfw, includePinned, searchDelay, deleteDelay, delayIncrement, delayDecrement, delayDecrementPerMsgs, retryAfterMultiplier, extLoggerForDeleteMessages, stopHndl, onProg); } // After loop, re-enable start and disable stop startBtn.disabled = false; stopBtn.disabled = true; if (stop) { percent.innerHTML = "Stopped"; } else { percent.innerHTML = "Done"; } stop = false; // Reset for next run }; stopBtn.onclick = e => { stop = true; // Set flag to true stopBtn.disabled = true; startBtn.disabled = false; // Allow restarting uiLoggerObject.warn('Stop command issued. Process will halt.'); }; $('button#clear').onclick = e => { uiLoggerObject.clear(); // Use the uiLoggerObject to clear its display }; // MODIFIED getAuthInfo $('button#getAuthInfo').onclick = e => { try { const iframe = document.body.appendChild(document.createElement('iframe')); iframe.style.display = 'none'; const ls = iframe.contentWindow.localStorage; const token = ls.getItem('token'); const userId = ls.getItem('user_id_cache'); if (token) { const cleanToken = token.replace(/^"|"$/g, ''); $('input#authToken').value = cleanToken; uiLoggerObject.success('Token retrieved successfully.'); } else { uiLoggerObject.warn(['Discord token not found in local storage.']); alert('Discord token not found. Please ensure you are logged into Discord.'); } if (userId) { const cleanUserId = userId.replace(/^"|"$/g, ''); $('input#authorId').value = cleanUserId; uiLoggerObject.success('Author ID retrieved successfully.'); } else { uiLoggerObject.warn(['Discord user ID (authorId) not found in local storage.']); // No alert for this one, it's less critical than token } document.body.removeChild(iframe); updateGuildAndChannel(); } catch (err) { uiLoggerObject.error(['Error getting Discord token/info:', err.message]); alert('Could not retrieve Discord token/info. Check console for details.'); console.error("Error in getAuthInfo:", err); } }; $('#redact').onchange = e => { popover.classList.toggle('redact', e.target.checked) && // Only show alert if turning on window.alert('This will attempt to hide personal information, but make sure to double check before sharing screenshots.'); if (e.target.checked) { uiLoggerObject.info("Log redaction enabled."); } else { uiLoggerObject.info("Log redaction disabled."); } }; // Original logger for deleteMessages is NOT uiLoggerObject.add. // deleteMessages has its own internal log object. // The `extLogger` parameter in deleteMessages is unused by its internal log calls. // The original: const logger = (type = '', args) => log.add(type, args); // This `log` was the issue. // We don't need this `logger` const if `deleteMessages` uses its internal log and `getAuthInfo` uses `uiLoggerObject`. // The call to deleteMessages needs an extLogger. We can pass uiLoggerObject.add.bind(uiLoggerObject) or a dummy function. // The `extLogger` parameter of `deleteMessages` in the original script was not actually used by `deleteMessages`'s internal `log` object. // For this version, I've made `deleteMessages` actually use its `extLogger` param for logging if it's provided, // by having its internal `log` methods call `extLogger`. This requires a small modification to `deleteMessages`'s `log` definition. // OR, `deleteMessages` just uses its own logger, and `extLogger` remains unused. // Given the strict "don't mess with functions", `deleteMessages` will keep its original logging. // The `extLogger` passed to it will be `uiLoggerObject.add.bind(uiLoggerObject)` but `deleteMessages`'s internal calls like `log.warn` // will still use its own internal log object. This is fine and adheres to the constraint. // Original fixLocalStorage: // window.localStorage = document.body.appendChild(document.createElement('iframe')).contentWindow.localStorage; // This global override is generally risky and not needed for the specific token grabbing method, which uses its own temporary iframe. // Removed to avoid potential side effects, as per standard good practice unless proven essential for other parts of the script. uiLoggerObject.info("DiscordPurge UI Initialized (v0.1.1)"); // Initial message } // Wait for DOM to be ready if (document.readyState === 'loading') { document.addEventListener('DOMContentLoaded', initUI); } else { initUI(); }