Deletecord - Mass Delete Discord Messages

在Discord浏览器UI中添加按钮,以批量删除Discord频道和私信中的消息

  1. // ==UserScript==
  2. // @name Deletecord - Mass Delete Discord Messages
  3. // @description Adds a button to the Discord browser UI to mass delete messages from Discord channels and direct messages
  4. // @description:ja DiscordのブラウザUIにボタンを追加し、Discordのチャンネルおよびダイレクトメッセージからメッセージを一括削除します
  5. // @description:zh-CN 在Discord浏览器UI中添加按钮,以批量删除Discord频道和私信中的消息
  6. // @description:zh-HK 在Discord瀏覽器UI中添加按鈕,以批量刪除Discord頻道和私信中的消息
  7. // @description:fr Ajoute un bouton à l'interface utilisateur du navigateur Discord pour supprimer en masse les messages des canaux et des messages directs de Discord
  8. // @namespace https://github.com/bekkibau/deletecord
  9. // @version 0.1
  10. // @match https://discord.com/*
  11. // @supportURL https://github.com/bekkibau/deletecord/issues
  12. // @contributionURL https://www.buymeacoffee.com/bekkibau
  13. // @grant none
  14. // @license MIT
  15. // ==/UserScript==
  16.  
  17. /**
  18. * Delete all messages in a Discord channel or DM
  19. * @param {string} authToken Your authorization token
  20. * @param {string} authorId Author of the messages you want to delete
  21. * @param {string} guildId Server were the messages are located
  22. * @param {string} channelId Channel were the messages are located
  23. * @param {string} minId Only delete messages after this, leave blank do delete all
  24. * @param {string} maxId Only delete messages before this, leave blank do delete all
  25. * @param {string} content Filter messages that contains this text content
  26. * @param {boolean} hasLink Filter messages that contains link
  27. * @param {boolean} hasFile Filter messages that contains file
  28. * @param {boolean} includeNsfw Search in NSFW channels
  29. * @param {function(string, Array)} extLogger Function for logging
  30. * @param {function} stopHndl stopHndl used for stopping
  31. * @author bekkibau <https://www.github.com/bekkibau>
  32. * @see https://github.com/bekkibau/deletecord
  33. */
  34. async function deleteMessages(authToken, authorId, guildId, channelId, minId, maxId, content, hasLink, hasFile, includeNsfw, includePinned, searchDelay, deleteDelay, delayIncrement, delayDecrement, delayDecrementPerMsgs, retryAfterMultiplier, extLogger, stopHndl, onProgress) {
  35. const start = new Date();
  36. let delCount = 0;
  37. let failCount = 0;
  38. let avgPing;
  39. let lastPing;
  40. let grandTotal;
  41. let throttledCount = 0;
  42. let throttledTotalTime = 0;
  43. let offset = 0;
  44. let iterations = -1;
  45.  
  46. const wait = async ms => new Promise(done => setTimeout(done, ms));
  47. const msToHMS = s => `${s / 3.6e6 | 0}h ${(s % 3.6e6) / 6e4 | 0}m ${(s % 6e4) / 1000 | 0}s`;
  48. const escapeHTML = html => html.replace(/[&<"']/g, m => ({ '&': '&amp;', '<': '&lt;', '"': '&quot;', '\'': '&#039;' })[m]);
  49. const redact = str => `<span class="priv">${escapeHTML(str)}</span><span class="mask">REDACTED</span>`;
  50. const queryString = params => params.filter(p => p[1] !== undefined).map(p => p[0] + '=' + encodeURIComponent(p[1])).join('&');
  51. const ask = async msg => new Promise(resolve => setTimeout(() => resolve(window.confirm(msg)), 10));
  52. const printDelayStats = () => log.verb(`Delete delay: ${deleteDelay}ms, Search delay: ${searchDelay}ms`, `Last Ping: ${lastPing}ms, Average Ping: ${avgPing | 0}ms`);
  53. const toSnowflake = (date) => /:/.test(date) ? ((new Date(date).getTime() - 1420070400000) * Math.pow(2, 22)) : date;
  54.  
  55. const MAX_LOG_ENTRIES = 1000; // Limit the number of log entries
  56. const BATCH_SIZE = 100; // Process messages in smaller batches
  57.  
  58. const log = {
  59. entries: [],
  60. add(type, args) {
  61. if (this.entries.length >= MAX_LOG_ENTRIES) {
  62. this.entries.shift(); // Remove the oldest entry
  63. }
  64. this.entries.push({ type, args });
  65. this.display();
  66. },
  67. display() {
  68. logArea.innerHTML = this.entries.map(entry => {
  69. const style = { '': '', info: 'color:#00b0f4;', verb: 'color:#72767d;', warn: 'color:#faa61a;', error: 'color:#f04747;', success: 'color:#43b581;' }[entry.type];
  70. 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>`;
  71. }).join('');
  72. if (autoScroll.checked) logArea.querySelector('div:last-child').scrollIntoView(false);
  73. },
  74. debug() { this.add('debug', arguments); },
  75. info() { this.add('info', arguments); },
  76. verb() { this.add('verb', arguments); },
  77. warn() { this.add('warn', arguments); },
  78. error() { this.add('error', arguments); },
  79. success() { this.add('success', arguments); },
  80. };
  81.  
  82. // Ensure logArea is correctly referenced
  83. const logArea = document.querySelector('#deletecord .logarea');
  84.  
  85. const adjustDelay = (delta) => {
  86. //searchDelay += delta; //In reality, the search happens rarely, so the search delay should default to a high value to avoid needing to change it
  87. deleteDelay += delta;
  88. //log.verb(`Adjusting delay, by ${delta} ms to ${deleteDelay} ms...`);
  89. };
  90.  
  91. async function recurse() {
  92. let API_SEARCH_URL;
  93. if (guildId === '@me') {
  94. API_SEARCH_URL = `https://discord.com/api/v6/channels/${channelId}/messages/`; // DMs
  95. }
  96. else {
  97. API_SEARCH_URL = `https://discord.com/api/v6/guilds/${guildId}/messages/`; // Server
  98. }
  99.  
  100. const headers = {
  101. 'Authorization': authToken
  102. };
  103.  
  104. let resp;
  105. try {
  106. const s = Date.now();
  107. resp = await fetch(API_SEARCH_URL + 'search?' + queryString([
  108. ['author_id', authorId || undefined],
  109. ['channel_id', (guildId !== '@me' ? channelId : undefined) || undefined],
  110. ['min_id', minId ? toSnowflake(minId) : undefined],
  111. ['max_id', maxId ? toSnowflake(maxId) : undefined],
  112. ['sort_by', 'timestamp'],
  113. ['sort_order', 'desc'],
  114. ['offset', offset],
  115. ['has', hasLink ? 'link' : undefined],
  116. ['has', hasFile ? 'file' : undefined],
  117. ['content', content || undefined],
  118. ['include_nsfw', includeNsfw ? true : undefined],
  119. ]), { headers });
  120. lastPing = (Date.now() - s);
  121. avgPing = avgPing > 0 ? (avgPing * 0.9) + (lastPing * 0.1) : lastPing;
  122. } catch (err) {
  123. return log.error('Search request threw an error:', err);
  124. }
  125.  
  126. // not indexed yet
  127. if (resp.status === 202) {
  128. const w = (await resp.json()).retry_after;
  129. throttledCount++;
  130. throttledTotalTime += w;
  131. log.warn(`This channel wasn't indexed, waiting ${w}ms for discord to index it...`);
  132. await wait(w);
  133. return await recurse();
  134. }
  135.  
  136. if (!resp.ok) {
  137. // searching messages too fast
  138. if (resp.status === 429) {
  139. const w = (await resp.json()).retry_after;
  140. throttledCount++;
  141. throttledTotalTime += w;
  142. //adjustDelay(w); // Adjust delay based on retry_after value
  143. log.warn(`Being rate limited by the API for ${w*1000}ms! Consider increasing search delay...`);
  144. printDelayStats();
  145. log.verb(`Cooling down for ${w * retryAfterMultiplier}ms before retrying...`);
  146.  
  147. await wait(w * retryAfterMultiplier);
  148. return await recurse();
  149. } else {
  150. return log.error(`Error searching messages, API responded with status ${resp.status}!\n`, await resp.json());
  151. }
  152. }
  153.  
  154. const data = await resp.json();
  155. const total = data.total_results;
  156. if (!grandTotal) grandTotal = total;
  157. const discoveredMessages = data.messages.map(convo => convo.find(message => message.hit === true));
  158. const messagesToDelete = discoveredMessages.filter(msg => {
  159. return msg.type === 0 || msg.type === 6 || (msg.pinned && includePinned);
  160. });
  161. const skippedMessages = discoveredMessages.filter(msg => !messagesToDelete.find(m => m.id === msg.id));
  162.  
  163. const end = () => {
  164. log.success(`Ended at ${new Date().toLocaleString()}! Total time: ${msToHMS(Date.now() - start.getTime())}`);
  165. printDelayStats();
  166. log.verb(`Rate Limited: ${throttledCount} times. Total time throttled: ${msToHMS(throttledTotalTime)}.`);
  167. log.debug(`Deleted ${delCount} messages, ${failCount} failed.\n`);
  168. }
  169.  
  170. const etr = msToHMS((searchDelay * Math.round(total / 25)) + ((deleteDelay + avgPing) * total));
  171. 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}`);
  172. printDelayStats();
  173. log.verb(`Estimated time remaining: ${etr}`)
  174.  
  175.  
  176. if (messagesToDelete.length > 0) {
  177.  
  178. if (++iterations < 1) {
  179. log.verb(`Waiting for your confirmation...`);
  180. if (!await ask(`Do you want to delete ~${total} messages?\nEstimated time: ${etr}\n\n---- Preview ----\n` +
  181. messagesToDelete.map(m => `${m.author.username}#${m.author.discriminator}: ${m.attachments.length ? '[ATTACHMENTS]' : m.content}`).join('\n')))
  182. return end(log.error('Aborted by you!'));
  183. log.verb(`OK`);
  184. }
  185.  
  186. for (let i = 0; i < messagesToDelete.length; i += BATCH_SIZE) {
  187. const batch = messagesToDelete.slice(i, i + BATCH_SIZE);
  188. for (let j = 0; j < batch.length; j++) {
  189. const message = batch[j];
  190. if (stopHndl && stopHndl() === false) return end(log.error('Stopped by you!'));
  191.  
  192. log.debug(`${((delCount + 1) / grandTotal * 100).toFixed(2)}% (${delCount + 1}/${grandTotal})`,
  193. `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>`,
  194. message.attachments.length ? redact(JSON.stringify(message.attachments)) : '');
  195. if (onProgress) onProgress(delCount + 1, grandTotal);
  196. if (delCount % delayDecrementPerMsgs === 0) { //decrement delay every N processed messages
  197. log.verb(`Reducing delete delay automatically by ${delayDecrement}ms...`);
  198. adjustDelay(delayDecrement)
  199. }
  200.  
  201. let resp;
  202. try {
  203. const s = Date.now();
  204. const API_DELETE_URL = `https://discord.com/api/v6/channels/${message.channel_id}/messages/${message.id}`;
  205. resp = await fetch(API_DELETE_URL, {
  206. headers,
  207. method: 'DELETE'
  208. });
  209. lastPing = (Date.now() - s);
  210. avgPing = (avgPing * 0.9) + (lastPing * 0.1);
  211. delCount++;
  212. if (onProgress) onProgress(delCount, grandTotal); // Update progress after each delete
  213. } catch (err) {
  214. log.error('Delete request throwed an error:', err);
  215. log.verb('Related object:', redact(JSON.stringify(message)));
  216. failCount++;
  217. }
  218.  
  219. if (!resp.ok) {
  220. // deleting messages too fast
  221. if (resp.status === 429) {
  222. const w = (await resp.json()).retry_after;
  223. throttledCount++;
  224. throttledTotalTime += w;
  225. adjustDelay(delayIncrement); // Adjust delay based on retry_after value
  226. console.log(delayIncrement);
  227. log.warn(`Being rate limited by the API for ${w * 1000}ms! Adjusted delete delay to ${deleteDelay}ms.`);
  228. printDelayStats();
  229. log.verb(`Cooling down for ${w * retryAfterMultiplier}ms before retrying...`);
  230. await wait(w * retryAfterMultiplier);
  231. j--; // retry
  232. } else if (resp.status === 403 || resp.status === 400) {
  233. log.warn('Insufficient permissions to delete message. Skipping this message.');
  234. offset++;
  235. failCount++;
  236. } else {
  237. log.error(`Error deleting message, API responded with status ${resp.status}!`, await resp.json());
  238. log.verb('Related object:', redact(JSON.stringify(message)));
  239. failCount++;
  240. }
  241. }
  242.  
  243.  
  244.  
  245.  
  246. await wait(deleteDelay);
  247. }
  248. }
  249.  
  250. if (skippedMessages.length > 0) {
  251. grandTotal -= skippedMessages.length;
  252. offset += skippedMessages.length;
  253. log.verb(`Found ${skippedMessages.length} system messages! Decreasing grandTotal to ${grandTotal} and increasing offset to ${offset}.`);
  254. }
  255.  
  256. log.verb(`Searching next messages in ${searchDelay}ms...`, (offset ? `(offset: ${offset})` : ''));
  257. await wait(searchDelay);
  258.  
  259. if (stopHndl && stopHndl() === false) return end(log.error('Stopped by you!'));
  260.  
  261. return await recurse();
  262. } else {
  263. if (total - offset > 0) {
  264. log.warn('API returned an empty page, but there are still messages to process. Continuing...');
  265. offset += 25; // Increment offset to continue pagination
  266. await wait(searchDelay);
  267. return await recurse();
  268. }
  269. return end();
  270. }
  271. }
  272.  
  273. log.success(`\nStarted at ${start.toLocaleString()}`);
  274. log.debug(`authorId="${redact(authorId)}" guildId="${redact(guildId)}" channelId="${redact(channelId)}" minId="${redact(minId)}" maxId="${redact(maxId)}" hasLink=${!!hasLink} hasFile=${!!hasFile}`);
  275. if (onProgress) onProgress(null, 1);
  276. return await recurse();
  277. }
  278.  
  279. //---- User interface ----//
  280.  
  281. let popover;
  282. let btn;
  283. let stop;
  284.  
  285. function initUI() {
  286.  
  287. // Keep the tab active by periodically triggering DOM mutations
  288. const keepAliveDiv = document.createElement('div');
  289. keepAliveDiv.id = 'keep-alive';
  290. keepAliveDiv.style.display = 'none';
  291. document.body.appendChild(keepAliveDiv);
  292.  
  293. let keepAliveObserver = new MutationObserver(() => {});
  294. keepAliveObserver.observe(keepAliveDiv, { attributes: true });
  295.  
  296. setInterval(() => {
  297. keepAliveDiv.classList.toggle('active');
  298. }, 1000);
  299.  
  300.  
  301. const insertCss = (css) => {
  302. const style = document.createElement('style');
  303. style.appendChild(document.createTextNode(css));
  304. document.head.appendChild(style);
  305. return style;
  306. }
  307.  
  308. const createElm = (html) => {
  309. const temp = document.createElement('div');
  310. temp.innerHTML = html;
  311. return temp.removeChild(temp.firstElementChild);
  312. }
  313.  
  314. insertCss(`
  315. #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);}
  316. #deletecord{position:fixed;top:100px;right:10px;bottom:10px;width:780px;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}
  317. #deletecord a{color:#00b0f4}
  318. #deletecord.redact .priv{display:none!important}
  319. #deletecord:not(.redact) .mask{display:none!important}
  320. #deletecord.redact [priv]{-webkit-text-security:disc!important}
  321. #deletecord .toolbar span{margin-right:8px}
  322. #deletecord button,#deletecord .btn{color:#fff;background:#7289da;border:0;border-radius:4px;font-size:14px}
  323. #deletecord button:disabled{display:none}
  324. #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 .5em;height:24px;width:144px;margin:2px}
  325. #deletecord input#file{display:none}
  326. #deletecord hr{border-color:rgba(255,255,255,0.1)}
  327. #deletecord .header{padding:12px 16px;background-color:var(--background-tertiary);color:var(--text-muted)}
  328. #deletecord .form{padding:8px;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)}
  329. #deletecord .logarea{overflow:auto;font-size:.75rem;font-family:Consolas,Liberation Mono,Menlo,Courier,monospace;flex-grow:1;padding:10px}
  330. `);
  331.  
  332. popover = createElm(`
  333. <div id="deletecord" style="display:none;">
  334. <div class="header">
  335. deletecord - mass delete messages
  336. </div>
  337. <div class="form">
  338. <div style="display:flex;flex-wrap:wrap;">
  339. <span>Authorization <a
  340. href="https://github.com/bekkibau/deletecord/wiki/authToken" title="Help"
  341. target="_blank">?</a> <button id="getToken">get</button><br>
  342. <input type="password" id="authToken" placeholder="Auth Token" autofocus>*<br>
  343. <span>Author <a href="https://github.com/bekkibau/deletecord/wiki/authorId"
  344. title="Help" target="_blank">?</a> <button id="getAuthor">get</button></span>
  345. <br><input id="authorId" type="text" placeholder="Author ID" priv></span>
  346. <span>Guild/Channel <a
  347. href="https://github.com/bekkibau/deletecord/wiki/channelId" title="Help"
  348. target="_blank">?</a>
  349. <button id="getGuildAndChannel">get</button><br>
  350. <input id="guildId" type="text" placeholder="Guild ID" priv><br>
  351. <input id="channelId" type="text" placeholder="Channel ID" priv><br>
  352. <label><input id="includeNsfw" type="checkbox">NSFW Channel</label><br><br>
  353. <label for="file" title="Import list of channels from messages/index.json file"> Import: <span
  354. class="btn">...</span> <input id="file" type="file" accept="application/json,.json"></label>
  355. </span><br>
  356. <span>Range <a href="https://github.com/bekkibau/deletecord/wiki/messageId"
  357. title="Help" target="_blank">?</a><br>
  358. <input id="minDate" type="datetime-local" title="After" style="width:auto;"><br>
  359. <input id="maxDate" type="datetime-local" title="Before" style="width:auto;"><br>
  360. <input id="minId" type="text" placeholder="After message with Id" priv><br>
  361. <input id="maxId" type="text" placeholder="Before message with Id" priv><br>
  362. </span>
  363. <span>Search messages <a
  364. href="https://github.com/bekkibau/deletecord/wiki/filters" title="Help"
  365. target="_blank">?</a><br>
  366. <input id="content" type="text" placeholder="Containing text" priv><br>
  367. <label><input id="hasLink" type="checkbox">has: link</label><br>
  368. <label><input id="hasFile" type="checkbox">has: file</label><br>
  369. <label><input id="includePinned" type="checkbox">Include pinned</label>
  370. </span><br>
  371. <span>Search Delay <a
  372. href="https://github.com/bekkibau/deletecord/wiki/delay" title="Help"
  373. target="_blank">?</a><br>
  374. <input id="searchDelay" type="number" value="1500" step="100"><br>
  375. </span>
  376. <span>Delete Delay <a
  377. href="https://github.com/bekkibau/deletecord/wiki/delay" title="Help"
  378. target="_blank">?</a><br>
  379. <input id="deleteDelay" type="number" value="1400" step="100">
  380. </span>
  381. </div>
  382. <hr>
  383. <button id="start" style="background:#43b581;width:80px;">Start</button>
  384. <button id="stop" style="background:#f04747;width:80px;" disabled>Stop</button>
  385. <button id="clear" style="width:80px;">Clear log</button>
  386. <label><input id="autoScroll" type="checkbox" checked>Auto scroll</label>
  387. <label title="Hide sensitive information for taking screenshots"><input id="redact" type="checkbox">Screenshot
  388. mode</label>
  389. <progress id="progress" style="display:none;"></progress> <span class="percent"></span>
  390. </div>
  391. <pre class="logarea">
  392. <center>Star this project on <a href="https://github.com/bekkibau/deletecord" target="_blank">github.com/bekkibau/deletecord</a>!\n\n
  393. <a href="https://github.com/bekkibau/deletecord/issues" target="_blank">Issues or help</a>
  394. </center>
  395. </pre>
  396. </div>
  397. `);
  398.  
  399. document.body.appendChild(popover);
  400.  
  401. btn = createElm(`<div id="deletecord-btn" tabindex="0" role="button" aria-label="Delete Messages" title="Delete Messages">
  402. <svg aria-hidden="false" width="24" height="24" viewBox="0 0 24 24">
  403. <path fill="currentColor" d="M15 3.999V2H9V3.999H3V5.999H21V3.999H15Z"></path>
  404. <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>
  405. </svg>
  406. <br><progress style="display:none; width:24px;"></progress>
  407. </div>`);
  408.  
  409. btn.onclick = function togglePopover() {
  410. if (popover.style.display !== 'none') {
  411. popover.style.display = 'none';
  412. btn.style.color = 'var(--interactive-normal)';
  413. }
  414. else {
  415. popover.style.display = '';
  416. btn.style.color = '#f04747';
  417. }
  418. };
  419.  
  420. function mountBtn() {
  421. const toolbar = document.querySelector('[class^=toolbar]');
  422. if (toolbar) toolbar.appendChild(btn);
  423. }
  424.  
  425. const observer = new MutationObserver(function (_mutationsList, _observer) {
  426. if (!document.body.contains(btn)) mountBtn(); // re-mount the button to the toolbar
  427. });
  428. observer.observe(document.body, { attributes: false, childList: true, subtree: true });
  429.  
  430. mountBtn();
  431.  
  432. const $ = s => popover.querySelector(s);
  433. const logArea = $('pre');
  434. const startBtn = $('button#start');
  435. const stopBtn = $('button#stop');
  436. const autoScroll = $('#autoScroll');
  437.  
  438. startBtn.onclick = async e => {
  439. const authToken = $('input#authToken').value.trim();
  440. const authorId = $('input#authorId').value.trim();
  441. const guildId = $('input#guildId').value.trim();
  442. const channelIds = $('input#channelId').value.trim().split(/\s*,\s*/);
  443. const minId = $('input#minId').value.trim();
  444. const maxId = $('input#maxId').value.trim();
  445. const minDate = $('input#minDate').value.trim();
  446. const maxDate = $('input#maxDate').value.trim();
  447. const content = $('input#content').value.trim();
  448. const hasLink = $('input#hasLink').checked;
  449. const hasFile = $('input#hasFile').checked;
  450. const includeNsfw = $('input#includeNsfw').checked;
  451. const includePinned = $('input#includePinned').checked;
  452. const searchDelay = parseInt($('input#searchDelay').value.trim());
  453. const deleteDelay = parseInt($('input#deleteDelay').value.trim());
  454. const delayIncrement = 150; //ms
  455. const delayDecrement = -50; //ms
  456. const delayDecrementPerMsgs = parseInt("1000") //msgs; 1000 messages at ~1300ms delay is about half an hour.
  457. const retryAfterMultiplier = 3000; //1000 to convert to seconds, 3x for extra delay
  458. const progress = $('#progress');
  459. const progress2 = btn.querySelector('progress');
  460. const percent = $('.percent');
  461.  
  462. const fileSelection = $("input#file");
  463. fileSelection.addEventListener("change", () => {
  464. const files = fileSelection.files;
  465. const channelIdField = $('input#channelId');
  466. if (files.length > 0) {
  467. const file = files[0];
  468. file.text().then(text => {
  469. let json = JSON.parse(text);
  470. let channels = Object.keys(json);
  471. channelIdField.value = channels.join(",");
  472. });
  473. }
  474. }, false);
  475.  
  476. const stopHndl = () => !(stop === true);
  477.  
  478. const onProg = (value, max) => {
  479. if (value && max && value > max) max = value;
  480. progress.setAttribute('max', max);
  481. progress.value = value;
  482. progress.style.display = max ? '' : 'none';
  483. progress2.setAttribute('max', max);
  484. progress2.value = value;
  485. progress2.style.display = max ? '' : 'none';
  486. percent.innerHTML = value && max ? Math.round(value / max * 100) + '%' : '';
  487. };
  488.  
  489.  
  490. stop = stopBtn.disabled = !(startBtn.disabled = true);
  491. for (let i = 0; i < channelIds.length; i++) {
  492. await deleteMessages(authToken, authorId, guildId, channelIds[i], minId || minDate, maxId || maxDate, content, hasLink, hasFile, includeNsfw, includePinned, searchDelay, deleteDelay, delayIncrement, delayDecrement, delayDecrementPerMsgs,retryAfterMultiplier, logger, stopHndl, onProg);
  493. stop = stopBtn.disabled = !(startBtn.disabled = false);
  494. }
  495. };
  496. stopBtn.onclick = e => stop = stopBtn.disabled = !(startBtn.disabled = false);
  497. $('button#clear').onclick = e => { logArea.innerHTML = ''; };
  498. $('button#getToken').onclick = e => {
  499. window.dispatchEvent(new Event('beforeunload'));
  500. const ls = document.body.appendChild(document.createElement('iframe')).contentWindow.localStorage;
  501. $('input#authToken').value = JSON.parse(localStorage.token);
  502. };
  503. $('button#getAuthor').onclick = e => {
  504. $('input#authorId').value = JSON.parse(localStorage.user_id_cache);
  505. };
  506. $('button#getGuildAndChannel').onclick = e => {
  507. const m = location.href.match(/channels\/([\w@]+)\/(\d+)/);
  508. $('input#guildId').value = m[1];
  509. $('input#channelId').value = m[2];
  510. };
  511. $('#redact').onchange = e => {
  512. popover.classList.toggle('redact') &&
  513. window.alert('This will attempt to hide personal information, but make sure to double check before sharing screenshots.');
  514. };
  515.  
  516. const logger = (type = '', args) => log.add(type, args); // Use log.add method
  517.  
  518. // fixLocalStorage
  519. window.localStorage = document.body.appendChild(document.createElement('iframe')).contentWindow.localStorage;
  520. }
  521.  
  522. initUI();
  523.  
  524.  
  525. //END.

QingJ © 2025

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