MyDealz Reactions Viewer 2025

Zeigt die Reaktionen auf Kommentare eines Benutzers an

  1. // ==UserScript==
  2. // @name MyDealz Reactions Viewer 2025
  3. // @namespace http://tampermonkey.net/
  4. // @version 1.0
  5. // @description Zeigt die Reaktionen auf Kommentare eines Benutzers an
  6. // @author MD928835
  7. // @license MIT
  8. // @match https://www.mydealz.de/profile/*
  9. // ==/UserScript==
  10.  
  11. (function() {
  12. 'use strict';
  13.  
  14. function createProgressDialog(username, maxPages) {
  15. const dialog = document.createElement('div');
  16. dialog.style.cssText = 'position:fixed; top:50%; left:50%; transform:translate(-50%,-50%); z-index:9999; background:white; padding:20px; border-radius:8px; box-shadow:0 0 10px rgba(0,0,0,0.3); width:450px;';
  17. dialog.innerHTML = `
  18. <h2 style="margin-top:0; border-bottom:1px solid #ddd; padding-bottom:10px;">Analysiere Kommentare von ${username}</h2>
  19. <div style="margin:10px 0;">
  20. <div id="progressText">Untersuche Aktivitätsseite auf Kommentare (1/${maxPages})</div>
  21. <div style="background:#eee; height:20px; border-radius:4px; margin:10px 0;">
  22. <div id="progressBar" style="background:#4CAF50; height:100%; width:0; border-radius:4px;"></div>
  23. </div>
  24. <div id="progressDetails" style="font-family:monospace; min-height:20px;"></div>
  25. </div>
  26. <div style="text-align:right; margin-top:15px;">
  27. <button id="cancelButton" style="background-color:#5cb85c; border:1px solid #4cae4c; color:white; padding:6px 12px; border-radius:4px; cursor:pointer;">Auswertung abbrechen</button>
  28. </div>
  29. `;
  30. document.body.appendChild(dialog);
  31. document.getElementById('cancelButton').addEventListener('click', () => {
  32. dialog.remove();
  33. window.stop();
  34. location.reload(true);
  35. return false;
  36. });
  37. let currentPageDots = 0;
  38. return {
  39. dialog,
  40. updateProgress: (currentPage) => {
  41. const percent = Math.min(((currentPage) / (maxPages + 1)) * 100, 100);
  42. document.getElementById('progressBar').style.width = `${percent}%`;
  43. document.getElementById('progressText').textContent = `Untersuche Aktivitätsseite auf Kommentare (${currentPage}/${maxPages})`;
  44. // Zurücksetzen der Punkte bei neuer Seite
  45. document.getElementById('progressDetails').textContent = '';
  46. currentPageDots = 0;
  47. },
  48. addProgressDetail: (type) => {
  49. if (currentPageDots >= 20) return; // Maximal 20 Punkte pro Seite
  50. const details = document.getElementById('progressDetails');
  51. details.textContent += type === 'wait' ? 'W' : '.';
  52. currentPageDots++;
  53. }
  54. };
  55. }
  56.  
  57. // Funktion global verfügbar machen
  58. window.viewReactions = async function(username) {
  59. function checkPopups() {
  60. const popup = window.open(null, '_blank', 'width=100,height=100');
  61. if (!popup || popup.closed) {
  62. alert("Bitte PopUps für diese Seite erlauben und erneut versuchen.");
  63. return false;
  64. }
  65. popup.close();
  66. return true;
  67. }
  68. if (!checkPopups()) return;
  69. let stopProcessing = false;
  70. const YEAR_IN_MS = 365 * 864e5;
  71. const n = username;
  72. let p = 0;
  73. const results = [];
  74. async function fetchWithRetry(url, options, maxRetries = 5) {
  75. for (let i = 0; i < maxRetries; i++) {
  76. if (stopProcessing) return null;
  77. try {
  78. const response = await fetch(url, options);
  79. if (response.status === 429) {
  80. progressUI.addProgressDetail('wait');
  81. if (i === maxRetries - 1) {
  82. alert("Der Server ist zur Zeit überlastet. Bitte später erneut versuchen.");
  83. progressUI.dialog.remove();
  84. window.stop();
  85. location.reload(true);
  86. return null;
  87. }
  88. await new Promise(t => setTimeout(t, 5000));
  89. continue;
  90. }
  91. return response;
  92. } catch (e) {
  93. if (i === maxRetries - 1) {
  94. progressUI.dialog.remove();
  95. throw e;
  96. }
  97. }
  98. }
  99. return null;
  100. }
  101. const firstPageResponse = await fetchWithRetry(`https://www.mydealz.de/profile/${n}?page=1`);
  102. if (!firstPageResponse) return;
  103. const firstPageHtml = await firstPageResponse.text();
  104. if (p === 0) {
  105. const match = firstPageHtml.match(/window\.__INITIAL_STATE__.*?"lastPage":(\d+)/);
  106. p = match ? parseInt(match[1]) : 1;
  107. }
  108. const progressUI = createProgressDialog(username, p);
  109. for (let i = 1; i <= p; i++) {
  110. if (stopProcessing) break;
  111. const pageResponse = i === 1 ?
  112. { text: () => firstPageHtml } :
  113. await fetchWithRetry(`https://www.mydealz.de/profile/${n}?page=${i}`);
  114. if (!pageResponse) break;
  115. const pageText = await pageResponse.text();
  116. progressUI.updateProgress(i);
  117. const matches = [...pageText.matchAll(/href=(https:\/\/www\.mydealz\.de\/.*?-(\d+)#(?:comment|reply)-(\d+))/g)];
  118. const wrapper = document.createElement('div');
  119. wrapper.innerHTML = pageText;
  120. const titles = [];
  121. wrapper.querySelectorAll('.userHtml').forEach(e => {
  122. if (e.textContent.includes('kommentiert')) {
  123. const strong = e.querySelector('strong');
  124. if (strong) titles.push(strong.textContent);
  125. }
  126. });
  127. for (let j = 0; j < matches.length; j++) {
  128. if (stopProcessing) break;
  129. const match = matches[j];
  130. try {
  131. const reactionsResponse = await fetchWithRetry("https://www.mydealz.de/graphql", {
  132. method: 'POST',
  133. headers: { 'Content-Type': 'application/json' },
  134. body: JSON.stringify({
  135. query: `query commentReactions($commentId:ID!){commentReactions(commentId:$commentId){counts{type count}}}`,
  136. variables: { commentId: match[3] }
  137. })
  138. });
  139. if (!reactionsResponse) break;
  140. progressUI.addProgressDetail('comment');
  141. const reactionsData = await reactionsResponse.json();
  142. const counts = reactionsData.data.commentReactions.counts;
  143. const likes = counts.find(x => x.type === "LIKE")?.count || 0;
  144. const funny = counts.find(x => x.type === "FUNNY")?.count || 0;
  145. const helpful = counts.find(x => x.type === "HELPFUL")?.count || 0;
  146. const commentDateResponse = await fetchWithRetry("https://www.mydealz.de/graphql", {
  147. method: 'POST',
  148. headers: { 'Content-Type': 'application/json' },
  149. body: JSON.stringify({
  150. query: 'query comment($id:ID!){comment(id:$id){createdAt}}',
  151. variables: { id: match[3] }
  152. })
  153. });
  154. if (!commentDateResponse) break;
  155. const createdAt = (await commentDateResponse.json()).data.comment.createdAt;
  156. if (new Date(createdAt).getTime() < Date.now() - YEAR_IN_MS) {
  157. progressUI.dialog.remove();
  158. const resultWindow = window.open("", "", "width=800,height=600");
  159. resultWindow.document.write(`<style>.hidden{display:none;}.comment-line{line-height:1;}</style><script>function toggleReactionsOnly(){const c=document.getElementById('reactionsOnly');Array.from(document.getElementsByClassName('comment-line')).forEach(e=>{e.classList.toggle('hidden',c.checked&&e.getAttribute('data-reactions')==0);})}</script><pre><div style="position:sticky;top:0;background:white;padding:5px;border-bottom:1px solid #ccc">Auswertung der Reactions für ${n}<label><input type="checkbox" id="reactionsOnly" onclick="toggleReactionsOnly()"> Nur Kommentare mit Reactions anzeigen</label></div>${results.map(x=>`<div class="comment-line" data-reactions="${x.l+x.f+x.h}"><a href="${x.url}" target="_blank">${x.url}</a>${x.isReply?' ':''} L:${x.l} F:${x.f} H:${x.h}${x.h>2?"*":""} ${x.date} ${x.title}</div>`).join('')}\n\nZusammenfassung:\n${results[results.length-1].date} - ${results[0].date}\n${results.length} Kommentare davon ${results.filter(x=>x.l+x.f+x.h>0).length} mit mindestens einer Reaction\nL:${results.reduce((a,c)=>a+c.l,0)} F:${results.reduce((a,c)=>a+c.f,0)} H:${results.reduce((a,c)=>a+c.h,0)} davon ${results.filter(x=>x.h>2).length} mit * (mindestens 3 Hilfreich-Bewertungen)</pre>`);
  160. return;
  161. }
  162. const elementType = match[1].includes('#reply-') ? 'reply' : 'comment';
  163. const url = `https://www.mydealz.de/${match[2]}#${elementType}-${match[3]}`;
  164. results.push({
  165. url: url,
  166. id: match[3],
  167. l: likes,
  168. f: funny,
  169. h: helpful,
  170. date: createdAt,
  171. title: titles[j] || '',
  172. isReply: elementType === 'reply'
  173. });
  174. } catch (e) {
  175. if (e.response?.status === 429) {
  176. await new Promise(resolve => setTimeout(resolve, 5000));
  177. j--;
  178. continue;
  179. }
  180. console.error(e);
  181. }
  182. }
  183. if (i < p) await new Promise(resolve => setTimeout(resolve, 5000));
  184. }
  185. progressUI.dialog.remove();
  186. const resultWindow = window.open("", "", "width=800,height=600");
  187. resultWindow.document.write(`<style>.hidden{display:none;}.comment-line{line-height:1;}</style><script>function toggleReactionsOnly(){const c=document.getElementById('reactionsOnly');Array.from(document.getElementsByClassName('comment-line')).forEach(e=>{e.classList.toggle('hidden',c.checked&&e.getAttribute('data-reactions')==0);})}</script><pre><div style="position:sticky;top:0;background:white;padding:5px;border-bottom:1px solid #ccc">Auswertung der Reactions für ${n}<label><input type="checkbox" id="reactionsOnly" onclick="toggleReactionsOnly()"> Nur Kommentare mit Reactions anzeigen</label></div>${results.map(x=>`<div class="comment-line" data-reactions="${x.l+x.f+x.h}"><a href="${x.url}" target="_blank">${x.url}</a>${x.isReply?' ':''} L:${x.l} F:${x.f} H:${x.h}${x.h>2?"*":""} ${x.date} ${x.title}</div>`).join('')}\n\nZusammenfassung:\n${results[results.length-1].date} - ${results[0].date}\n${results.length} Kommentare davon ${results.filter(x=>x.l+x.f+x.h>0).length} mit mindestens einer Reaction\nL:${results.reduce((a,c)=>a+c.l,0)} F:${results.reduce((a,c)=>a+c.f,0)} H:${results.reduce((a,c)=>a+c.h,0)} davon ${results.filter(x=>x.h>2).length} mit * (mindestens 3 Hilfreich-Bewertungen)</pre>`);
  188. };
  189.  
  190. // Füge Button zur Profilseite hinzu, aber nur wenn wir auf einer Profilseite sind
  191. if (window.location.pathname.startsWith('/profile/')) {
  192. const username = window.location.pathname.split('/')[2];
  193. const buttonContainer = document.createElement('div');
  194. buttonContainer.style.cssText = 'margin-top:10px;';
  195. const button = document.createElement('button');
  196. button.id = 'showReactionsButton';
  197. button.textContent = 'Reactions anzeigen';
  198. button.style.cssText = 'background-color:#5cb85c; border:1px solid #4cae4c; color:white; padding:6px 12px; border-radius:4px; cursor:pointer;';
  199. buttonContainer.appendChild(button);
  200. const targetElement = document.querySelector('.userProfile-header');
  201. if (targetElement) {
  202. targetElement.appendChild(buttonContainer);
  203. }
  204. document.getElementById('showReactionsButton')?.addEventListener('click', () => {
  205. window.viewReactions(username);
  206. });
  207. }
  208. })();

QingJ © 2025

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