Greasy Fork is available in English.

Quest Reader

Makes it more convenient to read quests

2020/03/22のページです。最新版はこちら。

このスクリプトの質問や評価の投稿はこちら通報はこちらへお寄せください。
  1. // ==UserScript==
  2. // @name Quest Reader
  3. // @author naileD
  4. // @namespace QuestReader
  5. // @include https://tgchan.org/kusaba/*
  6. // @include https://tezakia.net/kusaba/*
  7. // @include https://questden.org/kusaba/*
  8. // @description Makes it more convenient to read quests
  9. // @run-at document-start
  10. // @version 35
  11. // @grant none
  12. // @icon data:image/vnd.microsoft.icon;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAIAAACQkWg2AAAACXBIWXMAAAsSAAALEgHS3X78AAAANklEQVQokWNgoBOI2mJKpEomMvQgNAxRPUy4JGjjJJqoZoSrZmBgWOZzGlk/mlKILBMafxAAAE1pG/UEXzMMAAAAAElFTkSuQmCC
  13. // ==/UserScript==
  14. "use strict";
  15. //entry point is more or less at the end of the script
  16.  
  17. //enums
  18. const PostType = { UPDATE: 0, AUTHORCOMMENT: 1, SUGGESTION: 2, COMMENT: 3 };
  19. const ThreadType = { QUEST: 0, DISCUSSION: 1, OTHER: 2 };
  20. const BoardThreadTypes = { //board names and cooresponding types of threads they contain
  21. quest: ThreadType.QUEST,
  22. questarch: ThreadType.QUEST,
  23. graveyard: ThreadType.QUEST,
  24. questdis: ThreadType.DISCUSSION,
  25. meep: ThreadType.OTHER,
  26. moo: ThreadType.OTHER,
  27. draw: ThreadType.OTHER,
  28. tg: ThreadType.OTHER,
  29. };
  30. const BoardDefaultNames = {
  31. quest: "Suggestion",
  32. questarch: "Suggestion",
  33. graveyard: "Suggestion",
  34. questdis: "Anonymous",
  35. meep: "Bob",
  36. moo: "Anonymous",
  37. draw: "Anonymous",
  38. tg: "Anonymous",
  39. };
  40.  
  41. //function that removes questden's prototype library's overrides of native functions where applicable
  42. var restoreNative = (doc) => {
  43. var functionsToRemove = ["Function.bind", "Element.hasAttribute", "Element.getElementsByClassName", "Element.Methods.getElementsByClassName", "HTMLElement.prototype.getElementsByClassName",
  44. "Element.scrollTo", "Element.Methods.scrollTo", "HTMLElement.prototype.scrollTo", "Element.remove", "Element.Methods.remove", "HTMLElement.prototype.remove", "Array.prototype.toJSON"];
  45. var functionsToRestore = ["Object.keys", "Object.values", "Array.prototype.find", "Array.prototype.reverse", "Array.prototype.indexOf", "Array.prototype.entries",
  46. "Array.prototype.map", "Array.prototype.reduce", "Array.from", "String.prototype.endsWith", "String.prototype.sub", "String.prototype.startsWith", "Function.prototype.bind"];
  47. //restoration is done by creating a new window and copying over unmodified functions from that window
  48. var frame = doc.createElement("iframe");
  49. frame.style.display = "none";
  50. frame.style.visibility = "hidden";
  51. doc.documentElement.appendChild(frame);
  52. var safeWindow = frame.contentWindow;
  53. var getObjectAndMethod = (path, root) => {
  54. path = path.split(".");
  55. path.reverse();
  56. var methodName = path.shift();
  57. var object = path.reduceRight((obj, prop) => obj[prop], root);
  58. return { object: object, method: methodName };
  59. }
  60. functionsToRemove.forEach(path => {
  61. var unsafe = getObjectAndMethod(path, doc.defaultView);
  62. delete unsafe.object[unsafe.method];
  63. });
  64. functionsToRestore.forEach(path => {
  65. var unsafe = getObjectAndMethod(path, doc.defaultView);
  66. var safe = getObjectAndMethod(path, safeWindow);
  67. unsafe.object[unsafe.method] = safe.object[safe.method];
  68. });
  69. //sigh; there's some existing functions that rely on the broken functionality of this overriden method, so I can't outright remove the override
  70. doc.getElementsByClassName = function(selector) { return [...Object.getPrototypeOf(this).getElementsByClassName.call(this, selector)]; };
  71. doc._getElementsByXPath = () => { return []; }; //this slow function is now unnecessary since we restored getElementsByClassName
  72. frame.remove();
  73. }
  74.  
  75. //UpdateAnalyzer class
  76. //Input: document of the quest
  77. //Output: a Map object with all the quest's posts, where keys are post IDs and values are post types. The post types are Update (0), AuthorComment (1), Suggestion (2), Comment (3); There's no comments... yet.
  78. //Usage: var results = new UpdateAnalyzer().processQuest(document);
  79. class UpdateAnalyzer {
  80. constructor(options = {}) {
  81. this.regex = UpdateAnalyzer.getRegexes();
  82. this.postCache = null; //Used to transfer posts cache to/from this class. Used for debugging purposes.
  83. this.useCache = options.useCache; //Used for debugging purposes.
  84. this.debug = options.debug;
  85. this.debugAfterDate = options.debugAfterDate;
  86. this.passive = options.passive; //passive mode; treat the thread as a text-quest and ignore any fixes
  87. this.defaultName = options.defaultName || "Suggestion";
  88. }
  89.  
  90. analyzeQuest(questDoc) {
  91. var posts = !this.postCache ? this.getPosts(questDoc) : JSON.parse(this.postCache);
  92. var authorID = posts[0].userID; //authodID is the userID of the first post
  93. this.threadID = posts[0].postID; //threadID is the postID of the first post
  94.  
  95. this.totalFiles = this.getTotalFileCount(posts);
  96. var questFixes = this.getFixes(this.passive ? 0 : this.threadID); //for quests where we can't correctly determine authors and updates, we use a built-in database of fixes
  97. if (this.debug && (questFixes.imageQuest !== undefined || Object.values(questFixes).some(fix => Object.values(fix).length > 0))) { console.log(`Quest has manual fixes`); console.log(questFixes); }
  98. var graphData = this.getUserGraphData(posts, questFixes, authorID); //get user names as nodes and edges for building user graph
  99. var users = this.buildUserGraph(graphData.nodes, graphData.edges); //build a basic user graph... whatever that means!
  100. this.author = this.find(users[authorID]);
  101. this.getUserPostAndFileCounts(posts, users, questFixes); //count the amount of posts and files each user made
  102. this.imageQuest = !this.passive && this.isImageQuest(questFixes); //image quest is when the author posts files at least 50% of the time
  103. if (this.debug) console.log(`Image quest: ${this.imageQuest}`);
  104. if (this.imageQuest) { //in case this is an image quest, merge users a bit differently
  105. users = this.buildUserGraph(graphData.nodes, graphData.edges, graphData.strongNodes, authorID); //build the user graph again, but with some restrictions
  106. this.author = this.find(users[authorID]);
  107. this.processFilePosts(posts, users, questFixes); //analyze file names and merge users based on when one file name is predicted from another
  108. this.getUserPostAndFileCounts(posts, users, questFixes); //count the amount of posts and files each user posted
  109. this.mergeCommonFilePosters(posts, users, questFixes); //merge certain file-posting users with the quest author
  110. this.mergeMajorityFilePoster(posts, users, questFixes); //consider a user who posted 50%+ of the files in the thread as the author
  111. }
  112. var postUsers = this.setPostUsers(posts, users, questFixes); //do final user resolution
  113. var postTypes = this.getFinalPostTypes(posts, questFixes); //determine which posts are updates
  114. return { postTypes: postTypes, postUsers: postUsers };
  115. }
  116.  
  117. getPosts(questDoc) {
  118. var posts = new Map(); //dictionary => postID / post object; need to use Map so that the post order is preserved
  119. var headers = questDoc.body.querySelector(":scope > form").getElementsByClassName("postwidth");
  120. for (var i = 0; i < headers.length; i++) {
  121. var postHeaderElement = headers[i];
  122. var postID = postHeaderElement.firstElementChild.name;
  123. postID = parseInt(postID !== "s" ? postID : postHeaderElement.querySelector(`a[name]:not([name="s"])`).name);
  124. var uidElement = postHeaderElement.querySelector(".uid");
  125. var uid = uidElement.textContent.substring(4);
  126. var labelEl = postHeaderElement.querySelector("label");
  127. var subject = labelEl.querySelector(".filetitle");
  128. subject = subject ? subject.textContent.trim() : "";
  129. var trip = labelEl.querySelector(".postertrip");
  130. var name;
  131. if (trip) { //use tripcode instead of name if it exists
  132. name = trip.textContent;
  133. }
  134. else {
  135. name = labelEl.querySelector(".postername").textContent.trim();
  136. name = name == this.defaultName ? "" : name.toLowerCase();
  137. }
  138. var fileName = "";
  139. var fileElement = postHeaderElement.querySelector(".filesize");
  140. if (fileElement) { //try to get the original file name
  141. fileName = fileElement.querySelector("a").href;
  142. var match = fileName.match(this.regex.fileExtension);
  143. var fileExt = match ? match[0] : ""; //don't need .toLowerCase()
  144. if (fileExt == ".png" || fileExt == ".gif" || fileExt == ".jpg" || fileExt == ".jpeg") {
  145. var fileInfo = fileElement.lastChild.textContent.split(", ");
  146. if (fileInfo.length >= 3) {
  147. fileName = fileInfo[2].split("\n")[0];
  148. }
  149. }
  150. else {
  151. fileName = fileName.substr(fileName.lastIndexOf("/") + 1); //couldn't find original file name, use file name from the server instead
  152. }
  153. fileName = fileName.replace(this.regex.fileExtension, ""); //ignore file's extension
  154. }
  155. var contentElement = postHeaderElement.nextElementSibling;
  156. var activeContent = !!contentElement.querySelector("img, iframe"); //does a post contain icons
  157. var postData = { postID: postID, userID: uid, userName: name, fileName: fileName, activeContent: activeContent };
  158. if (this.useCache) {
  159. postData.textUpdate = this.regex.fraction.test(subject) || this.containsQuotes(contentElement);
  160. }
  161. else {
  162. postData.subject = subject;
  163. postData.contentElement = contentElement;
  164. }
  165. if (this.useCache || this.debug || this.debugAfterDate) {
  166. postData.date = Date.parse(labelEl.lastChild.nodeValue);
  167. }
  168. posts.set(postID, postData);
  169. }
  170. var postsArray = [...posts.values(posts)]; //convert to an array
  171. if (this.useCache) { //We stringify the object into JSON and then encode it into a Uint8Array to save space, otherwise the database would be too large
  172. this.postCache = JSON.stringify(postsArray); //Removing Array.prototype.toJSON allows us to safely use JSON.stringify again \o/
  173. }
  174. return postsArray;
  175. }
  176.  
  177. getTotalFileCount(posts) {
  178. var totalFileCount = 0;
  179. posts.forEach(post => { if (post.fileName || post.activeContent) totalFileCount++; });
  180. return totalFileCount;
  181. }
  182.  
  183. isImageQuest(questFixes, ignore) {
  184. if (questFixes.imageQuest !== undefined) {
  185. return questFixes.imageQuest;
  186. }
  187. else {
  188. return (this.author.fileCount / this.author.postCount) >= 0.5;
  189. }
  190. }
  191.  
  192. getUserGraphData(posts, questFixes, authorID) {
  193. var graphData = { nodes: new Set(), strongNodes: new Set(), edges: {} };
  194. posts.forEach(post => {
  195. graphData.nodes.add(post.userID);
  196. if (post.userName) {
  197. graphData.nodes.add(post.userName);
  198. graphData.edges[`${post.userID}${post.userName}`] = { E1: post.userName, E2: post.userID };
  199. }
  200. if (post.fileName || post.activeContent) { //strong nodes are user IDs that posted files
  201. graphData.strongNodes.add(post.userID);
  202. if (post.userName) {
  203. graphData.strongNodes.add(post.userName);
  204. }
  205. if (post.fileName && post.activeContent && post.userID != authorID) { //users that made posts with both file and icons are most likely the author
  206. graphData.edges[`${authorID}${post.userID}`] = { E1: authorID, E2: post.userID, hint: "fileAndIcons" };
  207. }
  208. }
  209. });
  210. for (var missedID in questFixes.missedAuthors) { //add missing links to the author from manual fixes
  211. graphData.edges[`${authorID}${missedID}`] = { E1: authorID, E2: missedID, hint: "missedAuthors" };
  212. graphData.strongNodes.add(missedID);
  213. }
  214. graphData.edges = Object.values(graphData.edges);
  215. return graphData;
  216. }
  217.  
  218. buildUserGraph(nodes, edges, strongNodes, authorID) {
  219. var users = {};
  220. var edgesSet = new Set(edges);
  221. nodes.forEach(node => {
  222. users[node] = this.makeSet(node);
  223. });
  224. if (!strongNodes) {
  225. edgesSet.forEach(edge => this.union(users[edge.E1], users[edge.E2]));
  226. }
  227. else {
  228. edgesSet.forEach(edge => { //merge strong with strong and weak with weak
  229. if ((strongNodes.has(edge.E1) && strongNodes.has(edge.E2)) || (!strongNodes.has(edge.E1) && !strongNodes.has(edge.E2))) {
  230. this.union(users[edge.E1], users[edge.E2]);
  231. edgesSet.delete(edge);
  232. }
  233. });
  234. var author = this.find(users[authorID]);
  235. edgesSet.forEach(edge => { //merge strong with weak, but only for users which aren't the author
  236. if (this.find(users[edge.E1]) != author && this.find(users[edge.E2]) != author) {
  237. this.union(users[edge.E1], users[edge.E2]);
  238. }
  239. });
  240. }
  241. return users;
  242. }
  243.  
  244. processFilePosts(posts, users, questFixes) {
  245. var last2Files = new Map();
  246. var filePosts = posts.filter(post => post.fileName && !questFixes.wrongImageUpdates[post.postID]);
  247. filePosts.forEach(post => {
  248. var postUser = this.find(users[post.userID]);
  249. var postFileName = post.fileName.match(this.regex.lastNumber) ? post.fileName : null; //no use processing files without numbers
  250. if (post.userName && this.find(users[post.userName]) == this.author) {
  251. postUser = this.author;
  252. }
  253. if (!last2Files.has(postUser)) {
  254. last2Files.set(postUser, [ null, null ]);
  255. }
  256. last2Files.get(postUser).shift();
  257. last2Files.get(postUser).push(postFileName);
  258. last2Files.forEach((last2, user) => {
  259. if (user == postUser) {
  260. return;
  261. }
  262. if ((last2[0] !== null && this.fileNamePredicts(last2[0], post.fileName)) || (last2[1] !== null && this.fileNamePredicts(last2[1], post.fileName))) {
  263. if (this.debug || (this.debugAfterDate && this.debugAfterDate < post.date)) {
  264. console.log(`https://questden.org/kusaba/quest/res/${this.threadID}.html#${post.postID} merged (file name) ${postUser.id} with ${user.id} (author: ${this.author.id})`);
  265. }
  266. var mergedUser = this.union(user, postUser);
  267. last2Files.delete(user.parent != user ? user : postUser);
  268. last2Files.get(mergedUser).shift();
  269. last2Files.get(mergedUser).push(postFileName);
  270. if (this.find(this.author) == mergedUser) {
  271. this.author = mergedUser;
  272. }
  273. }
  274. });
  275. });
  276. return true;
  277. }
  278.  
  279. getUserPostAndFileCounts(posts, users, questFixes) {
  280. for (var userID in users) {
  281. users[userID].postCount = 0;
  282. users[userID].fileCount = 0;
  283. }
  284. posts.forEach(post => {
  285. var user = this.decidePostUser(post, users, questFixes);
  286. user.postCount++;
  287. if (post.fileName || post.activeContent) {
  288. user.fileCount++;
  289. }
  290. });
  291. }
  292.  
  293. fileNamePredicts(fileName1, fileName2) {
  294. var match1 = fileName1.match(this.regex.lastNumber);
  295. var match2 = fileName2.match(this.regex.lastNumber);
  296. if (!match1 || !match2) {
  297. return false;
  298. }
  299. var indexDifference = match2.index - match1.index;
  300. if (indexDifference > 1 || indexDifference < -1) {
  301. return false;
  302. }
  303. var numberDifference = parseInt(match2[1]) - parseInt(match1[1]);
  304. if (numberDifference !== 2 && numberDifference !== 1) {
  305. return false;
  306. }
  307. var name1 = fileName1.replace(this.regex.lastNumber, "");
  308. var name2 = fileName2.replace(this.regex.lastNumber, "");
  309. return this.stringsAreSimilar(name1, name2);
  310. }
  311.  
  312. stringsAreSimilar(string1, string2) {
  313. var lengthDiff = string1.length - string2.length;
  314. if (lengthDiff > 1 || lengthDiff < -1) {
  315. return false;
  316. }
  317. var s1 = lengthDiff > 0 ? string1 : string2;
  318. var s2 = lengthDiff > 0 ? string2 : string1;
  319. for (var i = 0, j = 0, diff = 0; i < s1.length; i++, j++) {
  320. if (s1[i] !== s2[j]) {
  321. diff++;
  322. if (diff === 2) {
  323. return false;
  324. }
  325. if (lengthDiff !== 0) {
  326. j--;
  327. }
  328. }
  329. }
  330. return true;
  331. }
  332.  
  333. mergeMajorityFilePoster(posts, users, questFixes) {
  334. if (this.author.fileCount > this.totalFiles / 2) {
  335. return;
  336. }
  337. for (var userID in users) {
  338. if (users[userID].fileCount >= this.totalFiles / 2 && users[userID] != this.author) {
  339. if (this.debug || (this.debugAfterDate && this.debugAfterDate < posts[posts.length - 1].date)) {
  340. console.log(`https://questden.org/kusaba/quest/res/${this.threadID}.html merged majority file poster ${users[userID].id} ${(100 * users[userID].fileCount / this.totalFiles).toFixed(1)}%`);
  341. }
  342. var parent = this.union(this.author, users[userID]);
  343. var child = users[userID].parent != users[userID] ? users[userID] : this.author;
  344. parent.fileCount += child.fileCount;
  345. parent.postCount += child.postCount;
  346. this.author = parent;
  347. return;
  348. }
  349. }
  350. }
  351.  
  352. mergeCommonFilePosters(posts, users, questFixes) {
  353. var merged = [];
  354. var filteredUsers = Object.values(users).filter(user => user.parent == user && user.fileCount >= 3 && user.fileCount / user.postCount > 0.5 && user != this.author);
  355. var usersSet = new Set(filteredUsers);
  356. posts.forEach(post => {
  357. if ((post.fileName || post.activeContent) && !questFixes.wrongImageUpdates[post.postID] && this.isTextPostAnUpdate(post)) {
  358. for (var user of usersSet) {
  359. if (this.find(users[post.userID]) == user) {
  360. if (this.debug || (this.debugAfterDate && this.debugAfterDate < post.date)) {
  361. console.log(`https://questden.org/kusaba/quest/res/${this.threadID}.html new common poster ${users[post.userID].id}`);
  362. }
  363. var parent = this.union(this.author, user);
  364. var child = user.parent != user ? user : this.author;
  365. parent.fileCount += child.fileCount;
  366. parent.postCount += child.postCount;
  367. this.author = parent;
  368. usersSet.delete(user);
  369. break;
  370. }
  371. }
  372. }
  373. });
  374. }
  375.  
  376. setPostUsers(posts, users, questFixes) {
  377. var postUsers = new Map();
  378. posts.forEach(post => {
  379. post.user = this.decidePostUser(post, users, questFixes);
  380. postUsers.set(post.postID, post.user);
  381. });
  382. return postUsers;
  383. }
  384.  
  385. decidePostUser(post, users, questFixes) {
  386. var user = this.find(users[post.userID]);
  387. if (post.userName) {
  388. if (questFixes.ignoreTextPosts[post.userName]) { //choose to the one that isn't the author
  389. if (user == this.author) {
  390. user = this.find(users[post.userName]);
  391. }
  392. }
  393. else if (this.find(users[post.userName]) == this.author) { //choose the one that is the author
  394. user = this.author;
  395. }
  396. }
  397. return user;
  398. }
  399.  
  400. getFinalPostTypes(posts, questFixes) {
  401. // Updates are posts made by the author and, in case of image quests, author posts that contain files or icons
  402. var postTypes = new Map();
  403. posts.forEach(post => {
  404. var postType = PostType.SUGGESTION;
  405. if (post.user == this.author) {
  406. if (post.fileName || post.activeContent) { //image post
  407. if (!questFixes.wrongImageUpdates[post.postID]) {
  408. postType = PostType.UPDATE;
  409. }
  410. else if (!questFixes.ignoreTextPosts[post.userID] && !questFixes.ignoreTextPosts[post.userName]) {
  411. postType = PostType.AUTHORCOMMENT;
  412. }
  413. }
  414. else if (!questFixes.ignoreTextPosts[post.userID] && !questFixes.ignoreTextPosts[post.userName]) { //text post
  415. if (!questFixes.wrongTextUpdates[post.postID] && (!this.imageQuest || this.isTextPostAnUpdate(post))) {
  416. postType = PostType.UPDATE;
  417. }
  418. else {
  419. postType = PostType.AUTHORCOMMENT;
  420. }
  421. }
  422. if (questFixes.missedTextUpdates[post.postID]) {
  423. postType = PostType.UPDATE;
  424. }
  425. }
  426. if (this.debugAfterDate && this.debugAfterDate < post.date) {
  427. if (postType == PostType.SUGGESTION && post.fileName) console.log(`https://questden.org/kusaba/quest/res/${this.threadID}.html#${post.postID} new non-update`);
  428. if (postType == PostType.AUTHORCOMMENT) console.log(`https://questden.org/kusaba/quest/res/${this.threadID}.html#${post.postID} new author comment`);
  429. if (postType == PostType.UPDATE && this.imageQuest && !post.fileName && !post.activeContent) console.log(`https://questden.org/kusaba/quest/res/${this.threadID}.html#${post.postID} new text update`);
  430. }
  431. postTypes.set(post.postID, postType);
  432. });
  433. return postTypes;
  434. }
  435.  
  436. getPostUsers(posts) {
  437. var postUsers = new Map();
  438. posts.forEach(post => { postUsers.set(post.postID, post.user); });
  439. return postUsers;
  440. }
  441.  
  442. isTextPostAnUpdate(post) {
  443. if (post.textUpdate === undefined) {
  444. post.textUpdate = this.regex.fraction.test(post.subject) || this.containsQuotes(post.contentElement);
  445. }
  446. return post.textUpdate;
  447. }
  448.  
  449. containsQuotes(contentElement) {
  450. //extract post's text, but ignore text inside spoilers, links, dice rolls or any sort of brackets
  451. var filteredContentText = "";
  452. contentElement.childNodes.forEach(node => {
  453. if (node.className !== "spoiler" && node.nodeName != "A" && (node.nodeName != "B" || !this.regex.diceRoll.test(node.textContent))) {
  454. filteredContentText += node.textContent;
  455. }
  456. });
  457. filteredContentText = filteredContentText.replace(this.regex.bracketedTexts, "").trim();
  458. //if the post contains dialogue, then it's likely to be an update
  459. var quotedTexts = filteredContentText.match(this.regex.quotedTexts) || [];
  460. for (let q of quotedTexts) {
  461. if (this.regex.endsWithPunctuation.test(q)) {
  462. return true;
  463. }
  464. }
  465. return false;
  466. }
  467.  
  468. makeSet(id) {
  469. var node = { id: id, children: [] };
  470. node.parent = node;
  471. return node;
  472. }
  473.  
  474. find(node) { //find with path halving
  475. while (node.parent != node) {
  476. var curr = node;
  477. node = node.parent;
  478. curr.parent = node.parent;
  479. }
  480. return node;
  481. }
  482.  
  483. union(node1, node2) {
  484. var node1root = this.find(node1);
  485. var node2root = this.find(node2);
  486. if (node1root == node2root) {
  487. return node1root;
  488. }
  489. node2root.parent = node1root;
  490. node1root.children.push(node2root); //having a list of children isn't a part of Union-Find, but it makes debugging much easier
  491. node2root.children.forEach(child => node1root.children.push(child));
  492. return node1root;
  493. }
  494.  
  495. static getRegexes() {
  496. if (!this.regex) { //cache as a static class property
  497. this.regex = {
  498. fileExtension: new RegExp("[.][^.]+$"), //finds ".png" in "image.png"
  499. lastNumber: new RegExp("([0-9]+)(?=[^0-9]*$)"), //finds "50" in "image50.png"
  500. fraction: new RegExp("[0-9][ ]*/[ ]*[0-9]"), //finds "1/4" in "Update 1/4"
  501. diceRoll: new RegExp("^rolled [0-9].* = [0-9]+$"), //finds "rolled 10, 20 = 30"
  502. quotedTexts: new RegExp("[\"“”][^\"“”]*[\"“”]","gu"), //finds text inside quotes
  503. endsWithPunctuation: new RegExp("[.,!?][ ]*[\"“”]$"), //finds if a quote ends with a punctuation
  504. bracketedTexts: new RegExp("(\\([^)]*\\))|(\\[[^\\]]*\\])|(\\{[^}]*\\})|(<[^>]*>)", "gu"), //finds text within various kinds of brackets... looks funny
  505. canonID: new RegExp("^[0-9a-f]{6}$")
  506. };
  507. }
  508. return this.regex;
  509. }
  510.  
  511. getFixes(threadID) {
  512. var fixes = UpdateAnalyzer.getAllFixes()[threadID] || {};
  513. //convert array values to lower case and then into object properties for faster access
  514. for (let prop of [ "missedAuthors", "missedTextUpdates", "wrongTextUpdates", "wrongImageUpdates", "ignoreTextPosts" ]) {
  515. if (!fixes[prop]) {
  516. fixes[prop] = { };
  517. }
  518. else if (Array.isArray(fixes[prop])) {
  519. fixes[prop] = fixes[prop].reduce((acc, el) => { if (!el.startsWith("!")) el = el.toLowerCase(); acc[el] = true; return acc; }, { });
  520. }
  521. }
  522. return fixes;
  523. }
  524.  
  525. // Manual fixes. In some cases it's simply impossible (impractical) to automatically determine which posts are updates. So we fix those rare cases manually.
  526. // list last updated on:
  527. // 2020/03/11
  528.  
  529. //missedAuthors: User IDs which should be linked to the author. Either because the automation failed, or the quest has guest authors / is a collaboration. Guest authors also usually need an entry under ignoreTextPosts.
  530. //ignoreTextPosts: User IDs of which text posts should not be set as author comments. It happens when a suggester shares an ID with the author and this suggester makes a text post. Or if the guest authors make suggestions.
  531. //(An empty ignoreTextPosts string matches posts with an empty/default poster name)
  532. //missedImageUpdates: Actually, no such fixes exist. All missed image update posts are added through adding author IDs to missedAuthors.
  533. //missedTextUpdates: Post IDs of text-only posts which are not author comments, but quest updates. It happens when authors make text updates in image quests. Or forget to attach an image to the update post.
  534. //wrongImageUpdates: Post IDs of image posts which are not quest updates. It happens when a suggester shares an ID with the author(s) and this suggester makes an image post. Or a guest author posts a non-update image post.
  535. //wrongTextUpdates: Post IDs of text-only posts which were misidentified as updates. It happens when an author comment contains a valid quote and the script accidentally thinks some dialogue is going on.
  536. //imageQuest: Forcefully set quest type. It happens when the automatically-determined quest type is incorrect. Either because of too many image updates in a text quest, or text updates in an image quest.
  537. //(Also, if most of the author's text posts in an image quest are updates, then it's sometimes simpler to set the quest as a text quest, rather than picking them out one by one.)
  538. static getAllFixes() {
  539. if (!this.allFixes) {
  540. this.allFixes = { //cache as a static class property
  541. 12: { missedAuthors: [ "!g9Qfmdqho2" ] },
  542. 26: { ignoreTextPosts: [ "Coriell", "!DHEj4YTg6g" ] },
  543. 101: { wrongTextUpdates: [ "442" ] },
  544. 171: { wrongTextUpdates: [ "1402" ] },
  545. 504: { missedTextUpdates: [ "515", "597", "654", "1139", "1163", "1180", "7994", "9951" ] },
  546. 998: { ignoreTextPosts: [ "" ] },
  547. 1292: { missedAuthors: [ "Chaptermaster II" ], missedTextUpdates: [ "1311", "1315", "1318" ], ignoreTextPosts: [ "" ] },
  548. 1702: { wrongImageUpdates: [ "2829" ] },
  549. 3090: { ignoreTextPosts: [ "", "!94Ud9yTfxQ", "Glaive" ], wrongImageUpdates: [ "3511", "3574", "3588", "3591", "3603", "3612" ] },
  550. 4602: { missedTextUpdates: [ "4630", "6375" ] },
  551. 7173: { missedTextUpdates: [ "8515", "10326" ] },
  552. 8906: { missedTextUpdates: [ "9002", "9009" ] },
  553. 9190: { missedAuthors: [ "!OeZ2B20kbk" ], missedTextUpdates: [ "26073" ] },
  554. 13595: { wrongTextUpdates: [ "18058" ] },
  555. 16114: { missedTextUpdates: [ "20647" ] },
  556. 17833: { ignoreTextPosts: [ "!swQABHZA/E" ] },
  557. 19308: { missedTextUpdates: [ "19425", "19600", "19912" ] },
  558. 19622: { wrongImageUpdates: [ "30710", "30719", "30732", "30765" ] },
  559. 19932: { missedTextUpdates: [ "20038", "20094", "20173", "20252" ] },
  560. 20501: { ignoreTextPosts: [ "bd2eec" ] },
  561. 21601: { missedTextUpdates: [ "21629", "21639" ] },
  562. 21853: { missedTextUpdates: [ "21892", "21898", "21925", "22261", "22266", "22710", "23308", "23321", "23862", "23864", "23900", "24206", "25479", "25497", "25943", "26453", "26787", "26799",
  563. "26807", "26929", "27328", "27392", "27648", "27766", "27809", "29107", "29145" ] },
  564. 22208: { missedAuthors: [ "fb5d8e" ] },
  565. 24530: { wrongImageUpdates: [ "25023" ] },
  566. 25354: { imageQuest: false},
  567. 26933: { missedTextUpdates: [ "26935", "26955", "26962", "26967", "26987", "27015", "28998" ] },
  568. 29636: { missedTextUpdates: [ "29696", "29914", "30025", "30911" ], wrongImageUpdates: [ "30973", "32955", "33107" ] },
  569. 30350: { imageQuest: false, wrongTextUpdates: [ "30595", "32354", "33704" ] },
  570. 30357: { missedTextUpdates: [ "30470", "30486", "30490", "30512", "33512" ] },
  571. 33329: { wrongTextUpdates: [ "43894" ] },
  572. 37304: { ignoreTextPosts: [ "", "GREEN", "!!x2ZmLjZmyu", "Adept", "Cruxador", "!ifOCf11HXk" ] },
  573. 37954: { missedTextUpdates: [ "41649" ] },
  574. 38276: { ignoreTextPosts: [ "!ifOCf11HXk" ] },
  575. 41510: { missedTextUpdates: [ "41550", "41746" ] },
  576. 44240: { missedTextUpdates: [ "44324", "45768", "45770", "48680", "48687" ] },
  577. 45522: { missedTextUpdates: [ "55885" ] },
  578. 45986: { missedTextUpdates: [ "45994", "46019" ] },
  579. 49306: { missedTextUpdates: [ "54246" ] },
  580. 49400: { ignoreTextPosts: [ "!!IzZTIxBQH1" ] },
  581. 49937: { missedTextUpdates: [ "52386" ] },
  582. 53129: { wrongTextUpdates: [ "53505" ] },
  583. 53585: { missedAuthors: [ "b1e366", "aba0a3", "18212a", "6756f8", "f98e0b", "1c48f4", "f4963f", "45afb1", "b94893", "135d9a" ], ignoreTextPosts: [ "", "!7BHo7QtR6I", "Test Pattern", "Rowan", "Insomnia", "!!L1ZwWyZzZ5" ] },
  584. 54766: { missedAuthors: [ "e16ca8" ], ignoreTextPosts: [ "!!IzZTIxBQH1" ] },
  585. 55639: { wrongImageUpdates: [ "56711", "56345", "56379", "56637" ] },
  586. 56194: { wrongTextUpdates: [ "61608" ] },
  587. 59263: { missedTextUpdates: [ "64631" ] },
  588. 62091: { imageQuest: true},
  589. 65742: { missedTextUpdates: [ "66329", "66392", "67033", "67168" ] },
  590. 67058: { missedTextUpdates: [ "67191", "67685" ] },
  591. 68065: { missedAuthors: [ "7452df", "1d8589" ], ignoreTextPosts: [ "!!IzZTIxBQH1" ] },
  592. 70887: { missedAuthors: [ "e53955", "7c9cdd", "2084ff", "064d19", "51efff", "d3c8d2" ], ignoreTextPosts: [ "!!IzZTIxBQH1" ] },
  593. 72794: { wrongTextUpdates: [ "76740" ] },
  594. 74474: { missedAuthors: [ "309964" ] },
  595. 75425: { missedTextUpdates: [ "75450", "75463", "75464", "75472", "75490", "75505", "77245" ] },
  596. 75763: { missedAuthors: [ "068b0e" ], ignoreTextPosts: [ "!!IzZTIxBQH1" ] },
  597. 76892: { missedTextUpdates: [ "86875", "86884", "87047", "88315" ] },
  598. 79146: { missedAuthors: [ "4a3269" ] },
  599. 79654: { missedTextUpdates: [ "83463", "83529" ] },
  600. 79782: { missedTextUpdates: [ "79975", "80045" ] },
  601. 82970: { missedTextUpdates: [ "84734" ] },
  602. 83325: { missedAuthors: [ "076064" ] },
  603. 84134: { imageQuest: false},
  604. 85235: { missedTextUpdates: [ "85257", "85282", "113215", "114739", "151976", "152022", "159250" ] },
  605. 88264: { missedAuthors: [ "3fec76", "714b9c" ] },
  606. 92605: { ignoreTextPosts: [ "" ] },
  607. 94645: { missedTextUpdates: [ "97352" ] },
  608. 95242: { missedTextUpdates: [ "95263" ] },
  609. 96023: { missedTextUpdates: [ "96242" ] },
  610. 96466: { ignoreTextPosts: [ "Reverie" ] },
  611. 96481: { imageQuest: true},
  612. 97014: { missedTextUpdates: [ "97061", "97404", "97915", "98124", "98283", "98344", "98371", "98974", "98976", "98978", "99040", "99674", "99684" ] },
  613. 99095: { wrongImageUpdates: [ "111452" ] },
  614. 99132: { ignoreTextPosts: [ "" ] },
  615. 100346: { missedTextUpdates: [ "100626", "100690", "100743", "100747", "101143", "101199", "101235", "101239" ] },
  616. 101388: { ignoreTextPosts: [ "Glaive" ] },
  617. 102433: { missedTextUpdates: [ "102519", "102559", "102758" ] },
  618. 102899: { missedTextUpdates: [ "102903" ] },
  619. 103435: { missedTextUpdates: [ "104279", "105950" ] },
  620. 103850: { ignoreTextPosts: [ "" ] },
  621. 106656: { wrongTextUpdates: [ "115606" ] },
  622. 107789: { missedTextUpdates: [ "107810", "107849", "107899" ] },
  623. 108599: { wrongImageUpdates: [ "171382", "172922", "174091", "180752", "180758" ] },
  624. 108805: { wrongImageUpdates: [ "110203" ] },
  625. 109071: { missedTextUpdates: [ "109417" ] },
  626. 112133: { missedTextUpdates: [ "134867" ] },
  627. 112414: { missedTextUpdates: [ "112455" ] },
  628. 113768: { missedAuthors: [ "e9a4f7" ] },
  629. 114133: { ignoreTextPosts: [ "" ] },
  630. 115831: { missedTextUpdates: [ "115862" ] },
  631. 119431: { ignoreTextPosts: [ "" ] },
  632. 120384: { missedAuthors: [ "233aab" ] },
  633. 126204: { imageQuest: true, missedTextUpdates: [ "127069", "127089", "161046", "161060", "161563" ] },
  634. 126248: { missedTextUpdates: [ "193064" ] },
  635. 128706: { missedAuthors: [ "2e2f06", "21b50e", "e0478c", "9c87f6", "931351", "e294f1", "749d64", "f3254a" ] },
  636. 131255: { missedTextUpdates: [ "151218" ] },
  637. 137683: { missedTextUpdates: [ "137723" ] },
  638. 139086: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  639. 139513: { missedTextUpdates: [ "139560" ] },
  640. 141257: { missedTextUpdates: [ "141263", "141290", "141513", "146287" ], ignoreTextPosts: [ "" ], wrongImageUpdates: [ "141265" ] },
  641. 146112: { missedAuthors: [ "//_emily" ] },
  642. 153225: { missedTextUpdates: [ "153615", "153875" ] },
  643. 155665: { missedTextUpdates: [ "155670", "155684", "155740" ] },
  644. 156257: { missedTextUpdates: [ "156956" ] },
  645. 157277: { missedAuthors: [ "23c8f1", "8bb533" ] },
  646. 161117: { missedTextUpdates: [ "167255", "168000" ] },
  647. 162089: { missedTextUpdates: [ "167940" ] },
  648. 164793: { missedAuthors: [ "e973f4" ], ignoreTextPosts: [ "!TEEDashxDA" ] },
  649. 165537: { missedAuthors: [ "a9f6ce" ] },
  650. 173621: { ignoreTextPosts: [ "" ] },
  651. 174398: { missedAuthors: [ "bf0d4e", "158c5c" ] },
  652. 176965: { missedTextUpdates: [ "177012" ] },
  653. 177281: { missedTextUpdates: [ "178846" ] },
  654. 181790: { ignoreTextPosts: [ "Mister Brush" ], wrongImageUpdates: [ "182280" ] },
  655. 183194: { ignoreTextPosts: [ "!CRITTerXzI" ], wrongImageUpdates: [ "183207" ] },
  656. 183637: { imageQuest: false, wrongTextUpdates: [ "183736" ] },
  657. 185345: { wrongTextUpdates: [ "185347" ] },
  658. 185579: { missedTextUpdates: [ "188091", "188697", "188731", "188748", "190868" ] },
  659. 186709: { missedTextUpdates: [ "186735" ] },
  660. 188253: { missedTextUpdates: [ "215980", "215984", "222136" ] },
  661. 188571: { missedTextUpdates: [ "188633" ] },
  662. 188970: { ignoreTextPosts: [ "" ] },
  663. 191328: { missedAuthors: [ "f54a9c", "862cf6", "af7d90", "4c1052", "e75bed", "09e145" ] },
  664. 191976: { missedAuthors: [ "20fc85" ] },
  665. 192879: { missedTextUpdates: [ "193009" ] },
  666. 193934: { missedTextUpdates: [ "212768" ] },
  667. 196310: { missedTextUpdates: [ "196401" ] },
  668. 196517: { missedTextUpdates: [ "196733" ] },
  669. 198458: { missedTextUpdates: [ "198505", "198601", "199570" ] },
  670. 200054: { missedAuthors: [ "a4b4e3" ] },
  671. 201427: { missedTextUpdates: [ "201467", "201844" ] },
  672. 203072: { missedTextUpdates: [ "203082", "203100", "206309", "207033", "208766" ] },
  673. 206945: { missedTextUpdates: [ "206950" ] },
  674. 207011: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  675. 207296: { missedTextUpdates: [ "214551" ] },
  676. 207756: { missedTextUpdates: [ "208926" ] },
  677. 209334: { missedTextUpdates: [ "209941" ] },
  678. 210613: { missedTextUpdates: [ "215711", "220853" ] },
  679. 210928: { missedTextUpdates: [ "215900" ] },
  680. 211320: { ignoreTextPosts: [ "Kindling", "Bahu" ], wrongImageUpdates: [ "211587", "215436" ] },
  681. 212584: { missedAuthors: [ "40a8d3" ] },
  682. 212915: { missedTextUpdates: [ "229550" ] },
  683. 217193: { missedAuthors: [ "7f1ecd", "c00244", "7c97d9", "8c0848", "491db1", "c2c011", "e15f89",
  684. "e31d52", "3ce5b4", "c1f2ce", "5f0943", "1dc978", "d65652", "446ab5", "f906a7", "dad664", "231806" ] },
  685. 217269: { imageQuest: false, wrongTextUpdates: [ "217860", "219314" ] },
  686. 218385: { missedAuthors: [ "812dcf" ] },
  687. 220049: { ignoreTextPosts: [ "Slinkoboy" ], wrongImageUpdates: [ "228035", "337790" ] },
  688. 222777: { imageQuest: false},
  689. 224095: { missedTextUpdates: [ "224196", "224300", "224620", "244476" ] },
  690. 233213: { missedTextUpdates: [ "233498" ], ignoreTextPosts: [ "Bahu" ] },
  691. 234437: { missedTextUpdates: [ "234657" ] },
  692. 237125: { missedTextUpdates: [ "237192" ] },
  693. 237665: { imageQuest: true, ignoreTextPosts: [ "" ] },
  694. 238281: { ignoreTextPosts: [ "TK" ] },
  695. 238993: { missedTextUpdates: [ "239018", "239028", "239094" ] },
  696. 240824: { imageQuest: false},
  697. 241467: { missedTextUpdates: [ "241709" ] },
  698. 242200: { missedTextUpdates: [ "246465", "246473", "246513" ] },
  699. 242657: { missedAuthors: [ "2563d4" ] },
  700. 244225: { missedTextUpdates: [ "245099", "245195", "245201" ] },
  701. 244557: { missedTextUpdates: [ "244561" ], ignoreTextPosts: [ "" ] },
  702. 244830: { missedAuthors: [ "e33093" ] },
  703. 247108: { ignoreTextPosts: [ "Bahu" ], wrongImageUpdates: [ "258883", "265446" ] },
  704. 247714: { missedTextUpdates: [ "247852" ] },
  705. 248067: { ignoreTextPosts: [ "" ] },
  706. 248856: { ignoreTextPosts: [ "" ] },
  707. 248880: { imageQuest: true, ignoreTextPosts: [ "", "!qkgg.NzvRY", "!!EyA2IwLwVl", "!I10GFLsZCw", "!k6uRjGDgAQ", "Seven01a19" ] },
  708. 251909: { missedTextUpdates: [ "255400" ] },
  709. 252195: { missedTextUpdates: [ "260890" ] },
  710. 252944: { missedAuthors: [ "Rizzie" ], ignoreTextPosts: [ "", "!!EyA2IwLwVl", "Seven01a19" ] },
  711. 256339: { missedTextUpdates: [ "256359", "256379", "256404", "256440" ] },
  712. 257726: { missedAuthors: [ "917cac" ] },
  713. 258304: { missedTextUpdates: [ "269087" ] },
  714. 261572: { imageQuest: false},
  715. 261837: { missedAuthors: [ "14149d" ] },
  716. 262128: { missedTextUpdates: [ "262166", "262219", "262455", "262500" ] },
  717. 262574: { missedAuthors: [ "b7798b", "0b5a64", "687829", "446f39", "cc1ccd", "9d3d72", "72d5e4", "932db9", "4d7cb4", "9f327a", "940ab2", "a660d0" ], ignoreTextPosts: [ "" ] },
  718. 263831: { imageQuest: false, wrongTextUpdates: [ "264063", "264716", "265111", "268733", "269012", "270598", "271254", "271852", "271855", "274776", "275128", "280425", "280812", "282417", "284354", "291231", "300074", "305150" ] },
  719. 265656: { ignoreTextPosts: [ "Glaive17" ] },
  720. 266542: { missedAuthors: [ "MidKnight", "c2c011", "f5e4b4", "e973f4", "6547ec" ], ignoreTextPosts: [ "", "!TEEDashxDA", "Not Cirr", "Ñ" ] },
  721. 267348: { ignoreTextPosts: [ "" ] },
  722. 269735: { ignoreTextPosts: [ "---" ] },
  723. 270556: { ignoreTextPosts: [ "Bahu" ], wrongImageUpdates: [ "276022" ] },
  724. 273047: { missedAuthors: [ "db463d", "16f0be", "77df62", "b6733e", "d171a3", "3a95e1", "21d450" ] },
  725. 274088: { missedAuthors: [ "4b0cf3" ], missedTextUpdates: [ "294418" ], ignoreTextPosts: [ "" ] },
  726. 274466: { missedAuthors: [ "c9efe3" ] },
  727. 276562: { missedTextUpdates: [ "277108" ] },
  728. 277371: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  729. 278168: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  730. 280381: { ignoreTextPosts: [ "!7BHo7QtR6I" ] },
  731. 280985: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  732. 283246: { imageQuest: false},
  733. 285210: { ignoreTextPosts: [ "", "Weaver" ] },
  734. 287296: { ignoreTextPosts: [ "", "Asplosionz" ] },
  735. 287815: { missedAuthors: [ "Ñ" ] },
  736. 288346: { missedAuthors: [ "383006", "bf1e7e" ], ignoreTextPosts: [ "383006", "bf1e7e" ] },
  737. 289254: { imageQuest: false},
  738. 292033: { wrongTextUpdates: [ "295088" ] },
  739. 293532: { ignoreTextPosts: [ "" ] },
  740. 294351: { ignoreTextPosts: [ "Weaver" ] },
  741. 295374: { ignoreTextPosts: [ "TK" ] },
  742. 295832: { missedAuthors: [ "ac22cd", "7afbc4", "6f11ff" ], missedTextUpdates: [ "313940" ] },
  743. 295949: { missedTextUpdates: [ "296256", "297926", "298549" ] },
  744. 298133: { missedTextUpdates: [ "298187" ] },
  745. 298860: { imageQuest: true, missedTextUpdates: [ "298871", "298877", "298880", "298908" ] },
  746. 299352: { imageQuest: true, missedTextUpdates: [ "299375", "299627", "303689" ] },
  747. 300694: { ignoreTextPosts: [ "TK" ] },
  748. 300751: { missedTextUpdates: [ "316287" ] },
  749. 303859: { ignoreTextPosts: [ "" ] },
  750. 308257: { missedTextUpdates: [ "314653" ] },
  751. 309753: { missedTextUpdates: [ "309864", "309963", "310292", "310944", "310987", "311202", "311219", "311548" ] },
  752. 310586: { missedTextUpdates: [ "310945", "312747", "313144" ] },
  753. 311021: { missedAuthors: [ "049dfa", "f2a6f9" ] },
  754. 312418: { missedTextUpdates: [ "312786", "312790", "312792", "312984", "313185" ] },
  755. 314825: { ignoreTextPosts: [ "TK" ] },
  756. 314940: { missedTextUpdates: [ "314986", "315198", "329923" ] },
  757. 318478: { ignoreTextPosts: [ "Toxoglossa" ] },
  758. 319491: { ignoreTextPosts: [ "Bahu" ] },
  759. 323481: { missedTextUpdates: [ "323843", "324125", "324574" ] },
  760. 323589: { missedTextUpdates: [ "329499" ] },
  761. 327468: { missedTextUpdates: [ "327480", "337008" ] },
  762. 337661: { ignoreTextPosts: [ "", "hisgooddog" ] },
  763. 338579: { ignoreTextPosts: [ "", "Zealo8", "Ñ" ] },
  764. 343078: { wrongImageUpdates: [ "343219" ] },
  765. 343668: { missedTextUpdates: [ "343671" ] },
  766. 348635: { ignoreTextPosts: [ "" ] },
  767. 351064: { missedTextUpdates: [ "351634", "353263", "355326", "356289" ] },
  768. 351264: { missedTextUpdates: [ "353077" ] },
  769. 354201: { imageQuest: true, missedTextUpdates: [ "354340" ] },
  770. 355404: { ignoreTextPosts: [ "Bahu" ] },
  771. 356715: { missedTextUpdates: [ "356722" ] },
  772. 357723: { missedAuthors: [ "7bad01" ], ignoreTextPosts: [ "", "SoqWizard" ] },
  773. 359879: { imageQuest: false},
  774. 359931: { missedAuthors: [ "Dasaki", "Rynh", "Kinasa", "178c80" ], ignoreTextPosts: [ "", "Gnoll", "Lost Planet", "Dasaki", "Slinkoboy" ] },
  775. 360617: { missedAuthors: [ "7a7217" ] },
  776. 363529: { imageQuest: true, ignoreTextPosts: [ "Tenyoken" ] },
  777. 365082: { missedTextUpdates: [ "381411", "382388" ] },
  778. 366944: { missedTextUpdates: [ "367897" ] },
  779. 367145: { wrongTextUpdates: [ "367887" ] },
  780. 367824: { missedTextUpdates: [ "367841", "367858", "367948" ] },
  781. 375293: { ignoreTextPosts: [ "Bahu" ] },
  782. 382864: { ignoreTextPosts: [ "FlynnMerk" ] },
  783. 387602: { ignoreTextPosts: [ "!a1..dIzWW2" ], wrongImageUpdates: [ "390207", "392018", "394748" ] },
  784. 388264: { ignoreTextPosts: [ "" ] },
  785. 392034: { missedAuthors: [ "046f13" ] },
  786. 392868: { missedAuthors: [ "e1359e" ] },
  787. 393082: { ignoreTextPosts: [ "" ] },
  788. 395700: { missedTextUpdates: [ "395701", "395758" ] },
  789. 395817: { ignoreTextPosts: [ "" ] },
  790. 397819: { ignoreTextPosts: [ "Bahu", "K-Dogg" ], wrongImageUpdates: [ "398064" ] },
  791. 400842: { missedAuthors: [ "b0d466" ], ignoreTextPosts: [ "", "!a1..dIzWW2" ], wrongImageUpdates: [ "412172", "412197" ] },
  792. 403418: { missedAuthors: [ "02cbc6" ] },
  793. 404177: { missedTextUpdates: [ "404633" ] },
  794. 409356: { missedTextUpdates: [ "480664", "485493" ], wrongTextUpdates: [ "492824" ] },
  795. 410618: { ignoreTextPosts: [ "kathryn" ], wrongImageUpdates: [ "417836" ] },
  796. 412463: { ignoreTextPosts: [ "" ] },
  797. 413494: { ignoreTextPosts: [ "Bahu" ] },
  798. 420600: { imageQuest: false},
  799. 421477: { imageQuest: false},
  800. 422052: { missedAuthors: [ "!a1..dIzWW2" ] },
  801. 422087: { ignoreTextPosts: [ "Caz" ] },
  802. 422856: { ignoreTextPosts: [ "", "???" ] },
  803. 424198: { missedAuthors: [ "067a04" ], ignoreTextPosts: [ "!a1..dIzWW2" ] },
  804. 425677: { missedTextUpdates: [ "425893", "426741", "431953" ] },
  805. 426019: { ignoreTextPosts: [ "Taskuhecate" ] },
  806. 427135: { ignoreTextPosts: [ "!7BHo7QtR6I" ] },
  807. 427676: { ignoreTextPosts: [ "FRACTAL" ] },
  808. 428027: { ignoreTextPosts: [ "notrottel", "Bahu", "!a1..dIzWW2", "Trout", "Larro", "", "cuoqet" ], wrongImageUpdates: [ "428285", "498295" ] },
  809. 430036: { missedTextUpdates: [ "430062", "430182", "430416" ], ignoreTextPosts: [ "" ] },
  810. 431445: { imageQuest: false, missedAuthors: [ "efbb86" ] },
  811. 435947: { missedTextUpdates: [ "436059" ] },
  812. 437675: { wrongTextUpdates: [ "445770", "449255", "480401" ] },
  813. 437768: { missedTextUpdates: [ "446536" ] },
  814. 438515: { ignoreTextPosts: [ "TK" ] },
  815. 438670: { ignoreTextPosts: [ "" ] },
  816. 441226: { missedAuthors: [ "6a1ec2", "99090a", "7f2d33" ], wrongImageUpdates: [ "441260" ] },
  817. 441745: { missedTextUpdates: [ "443831" ] },
  818. 447830: { imageQuest: false, missedAuthors: [ "fc985a", "f8b208" ], wrongTextUpdates: [ "448476", "450379", "452161" ] },
  819. 448900: { missedAuthors: [ "0c2256" ] },
  820. 449505: { wrongTextUpdates: [ "450499" ] },
  821. 450563: { missedAuthors: [ "!!AwZwHkBGWx", "Oregano" ], ignoreTextPosts: [ "", "chirps", "!!AwZwHkBGWx", "!!AwZwHkBGWx", "Ham" ] },
  822. 452871: { missedAuthors: [ "General Q. Waterbuffalo", "!cZFAmericA" ], missedTextUpdates: [ "456083" ] },
  823. 453480: { ignoreTextPosts: [ "TK" ], wrongImageUpdates: [ "474233" ] },
  824. 453978: { missedTextUpdates: [ "453986" ] },
  825. 454256: { missedTextUpdates: [ "474914", "474957" ] },
  826. 456185: { ignoreTextPosts: [ "TK" ], wrongTextUpdates: [ "472446" ], wrongImageUpdates: [ "592622" ] },
  827. 456798: { missedTextUpdates: [ "516303" ] },
  828. 458432: { missedAuthors: [ "259cce", "34cbef" ] },
  829. 463595: { missedTextUpdates: [ "463711", "465024", "465212", "465633", "467107", "467286" ], wrongTextUpdates: [ "463623" ] },
  830. 464038: { missedAuthors: [ "df885d", "8474cd" ] },
  831. 465919: { missedTextUpdates: [ "465921" ] },
  832. 469321: { missedTextUpdates: [ "469332" ] },
  833. 471304: { missedAuthors: [ "1766db" ] },
  834. 471394: { missedAuthors: [ "Cirr" ] },
  835. 476554: { ignoreTextPosts: [ "Fish is yum" ] },
  836. 478624: { missedAuthors: [ "88c9b2" ] },
  837. 479712: { ignoreTextPosts: [ "" ] },
  838. 481277: { missedTextUpdates: [ "481301", "482210" ], ignoreTextPosts: [ "Santova" ] },
  839. 481491: { missedTextUpdates: [ "481543", "481575", "484069" ], ignoreTextPosts: [ "Zach Leigh", "Santova", "Outaki Shiba" ] },
  840. 482391: { missedTextUpdates: [ "482501", "482838" ] },
  841. 482629: { missedTextUpdates: [ "484220", "484437" ], ignoreTextPosts: [ "Santova", "Tera Nospis" ] },
  842. 483108: { missedAuthors: [ "2de44c" ], missedTextUpdates: [ "483418", "483658" ], ignoreTextPosts: [ "Santova" ] },
  843. 484423: { missedTextUpdates: [ "484470", "486761", "488602" ], ignoreTextPosts: [ "Tera Nospis", "Zach Leigh" ] },
  844. 484606: { missedTextUpdates: [ "486773" ], ignoreTextPosts: [ "Zach Leigh" ] },
  845. 485964: { missedTextUpdates: [ "489145", "489760" ], ignoreTextPosts: [ "Tera Nospis", "Santova" ] },
  846. 489488: { missedTextUpdates: [ "490389" ] },
  847. 489694: { missedAuthors: [ "2c8bbe", "30a140", "8c4b01", "8fbeb2", "2b7d97", "17675d", "782175", "665fcd", "e91794", "52019c", "8ef0aa", "e493a6", "c847bc" ] },
  848. 489830: { missedAuthors: [ "9ee824", "8817a0", "d81bd3", "704658" ] },
  849. 490689: { ignoreTextPosts: [ "Santova" ] },
  850. 491171: { ignoreTextPosts: [ "Santova", "Zach Leigh", "Zack Leigh", "The Creator" ] },
  851. 491314: { missedTextUpdates: [ "491498" ], ignoreTextPosts: [ "" ] },
  852. 492511: { missedAuthors: [ "???" ] },
  853. 493099: { ignoreTextPosts: [ "Zach Leigh", "Santova" ] },
  854. 494015: { ignoreTextPosts: [ "Coda", "drgruff" ] },
  855. 496561: { ignoreTextPosts: [ "Santova", "DJ LaLonde", "Tera Nospis" ] },
  856. 498874: { ignoreTextPosts: [ "Santova" ] },
  857. 499607: { ignoreTextPosts: [ "Santova", "Tera Nospis" ] },
  858. 499980: { ignoreTextPosts: [ "Santova", "Tera Nospis", "DJ LaLonde" ] },
  859. 500015: { missedTextUpdates: [ "500020", "500029", "500274", "501462", "501464", "501809", "505421" ], ignoreTextPosts: [ "suggestion", "Chelz" ] },
  860. 502751: { ignoreTextPosts: [ "suggestion" ] },
  861. 503053: { missedAuthors: [ "!!WzMJSzZzWx", "Shopkeep", "CAI" ] },
  862. 505072: { missedTextUpdates: [ "565461" ] },
  863. 505569: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  864. 505633: { missedTextUpdates: [ "505694", "529582" ] },
  865. 505796: { ignoreTextPosts: [ "Mister-Saturn" ] },
  866. 506555: { ignoreTextPosts: [ "Tera Nospis", "Santova" ] },
  867. 507761: { ignoreTextPosts: [ "", "Rue" ] },
  868. 508294: { missedAuthors: [ "Lisila" ], missedTextUpdates: [ "508618", "508406" ] },
  869. 509510: { missedTextUpdates: [ "509810", "510805", "510812", "510943", "511042", "512430", "514731", "515963" ] },
  870. 510067: { missedTextUpdates: [ "510081" ] },
  871. 511816: { imageQuest: true, missedAuthors: [ "34cf7d" ], missedTextUpdates: [ "512608" ] },
  872. 512417: { ignoreTextPosts: [ "Uplifted" ] },
  873. 512501: { ignoreTextPosts: [ "" ] },
  874. 512569: { wrongImageUpdates: [ "512810" ] },
  875. 513727: { missedTextUpdates: [ "519251" ], ignoreTextPosts: [ "!mYSM8eo.ng" ] },
  876. 514174: { missedTextUpdates: [ "747164" ] },
  877. 515255: { ignoreTextPosts: [ "" ] },
  878. 516595: { imageQuest: true},
  879. 517144: { ignoreTextPosts: [ "" ] },
  880. 518737: { wrongTextUpdates: [ "521408", "522150", "522185", "522231", "535521" ] },
  881. 518843: { ignoreTextPosts: [ "" ] },
  882. 519463: { imageQuest: false},
  883. 521196: { missedTextUpdates: [ "524608" ] },
  884. 526472: { missedTextUpdates: [ "526524", "559848" ] },
  885. 527296: { ignoreTextPosts: [ "Zealo8" ] },
  886. 527546: { ignoreTextPosts: [ "suggestion" ] },
  887. 527753: { missedAuthors: [ "7672c3", "9d78a6", "cb43c1" ] },
  888. 528891: { ignoreTextPosts: [ "drgruff" ] },
  889. 530940: { missedAuthors: [ "2027bb", "feafa5", "0a3b00" ] },
  890. 533990: { missedTextUpdates: [ "537577" ] },
  891. 534197: { ignoreTextPosts: [ "Stella" ] },
  892. 535302: { ignoreTextPosts: [ "mermaid" ] },
  893. 535783: { ignoreTextPosts: [ "drgruff" ] },
  894. 536268: { missedTextUpdates: [ "536296", "538173" ], ignoreTextPosts: [ "Archivemod" ], wrongImageUpdates: [ "537996" ] },
  895. 537343: { missedTextUpdates: [ "539218" ] },
  896. 537647: { missedTextUpdates: [ "537683" ] },
  897. 537867: { missedAuthors: [ "369097" ] },
  898. 539831: { ignoreTextPosts: [ "" ] },
  899. 540147: { ignoreTextPosts: [ "drgruff" ] },
  900. 541026: { imageQuest: false},
  901. 543428: { missedTextUpdates: [ "545458" ] },
  902. 545071: { missedTextUpdates: [ "545081" ] },
  903. 545791: { ignoreTextPosts: [ "" ] },
  904. 545842: { missedTextUpdates: [ "550972" ] },
  905. 548052: { missedTextUpdates: [ "548172" ], ignoreTextPosts: [ "Lucid" ] },
  906. 548899: { missedTextUpdates: [ "548968", "549003" ] },
  907. 549394: { missedTextUpdates: [ "549403" ] },
  908. 553434: { missedTextUpdates: [ "553610", "553635", "553668", "554166" ] },
  909. 553711: { missedTextUpdates: [ "553722", "553728", "554190" ] },
  910. 553760: { missedTextUpdates: [ "554994", "555829", "556570", "556792", "556803", "556804" ] },
  911. 554694: { missedTextUpdates: [ "557011", "560544" ] },
  912. 556435: { missedAuthors: [ "Azathoth" ], missedTextUpdates: [ "607163" ], wrongTextUpdates: [ "561150" ] },
  913. 557051: { missedTextUpdates: [ "557246", "557260", "557599", "559586" ], wrongTextUpdates: [ "557517" ] },
  914. 557633: { imageQuest: true},
  915. 557854: { missedTextUpdates: [ "557910", "557915", "557972", "558082", "558447", "558501", "561834", "561836", "562289", "632102", "632481", "632509", "632471" ] },
  916. 562193: { ignoreTextPosts: [ "" ] },
  917. 563459: { missedTextUpdates: [ "563582" ] },
  918. 564852: { ignoreTextPosts: [ "Trout" ] },
  919. 564860: { missedTextUpdates: [ "565391" ] },
  920. 565909: { ignoreTextPosts: [ "" ] },
  921. 567119: { missedTextUpdates: [ "573494", "586375" ] },
  922. 567138: { missedAuthors: [ "4cf1b6" ] },
  923. 568248: { missedTextUpdates: [ "569818" ] },
  924. 568370: { ignoreTextPosts: [ "" ] },
  925. 568463: { missedTextUpdates: [ "568470", "568473" ] },
  926. 569225: { missedTextUpdates: [ "569289" ] },
  927. 573815: { wrongTextUpdates: [ "575792" ] },
  928. 578213: { missedTextUpdates: [ "578575" ] },
  929. 581741: { missedTextUpdates: [ "581746" ] },
  930. 582268: { missedTextUpdates: [ "587221" ] },
  931. 585201: { ignoreTextPosts: [ "", "Bahustard", "Siphon" ] },
  932. 586024: { ignoreTextPosts: [ "" ] },
  933. 587086: { missedTextUpdates: [ "587245", "587284", "587443", "587454" ] },
  934. 587562: { ignoreTextPosts: [ "Zealo8" ] },
  935. 588902: { missedTextUpdates: [ "589033" ] },
  936. 589725: { imageQuest: false},
  937. 590502: { ignoreTextPosts: [ "" ], wrongTextUpdates: [ "590506" ] },
  938. 590761: { missedTextUpdates: [ "590799" ], ignoreTextPosts: [ "" ] },
  939. 591527: { missedTextUpdates: [ "591547", "591845" ] },
  940. 592273: { imageQuest: false},
  941. 592625: { wrongTextUpdates: [ "730228" ] },
  942. 593047: { missedTextUpdates: [ "593065", "593067", "593068" ] },
  943. 593899: { ignoreTextPosts: [ "mermaid" ] },
  944. 595081: { ignoreTextPosts: [ "", "VoidWitchery" ] },
  945. 595265: { imageQuest: false, wrongTextUpdates: [ "596676", "596717", "621360", "621452", "621466", "621469", "621503" ] },
  946. 596262: { missedTextUpdates: [ "596291", "596611", "597910", "598043", "598145", "600718", "603311" ] },
  947. 596345: { ignoreTextPosts: [ "mermaid" ] },
  948. 596539: { missedTextUpdates: [ "596960", "596972", "596998", "597414", "614375", "614379", "614407", "616640", "668835", "668844", "668906", "668907", "668937", "668941", "669049", "669050",
  949. "669126", "671651" ], ignoreTextPosts: [ "pugbutt" ] },
  950. 598767: { ignoreTextPosts: [ "FRACTAL" ] },
  951. 602894: { ignoreTextPosts: [ "" ] },
  952. 604604: { missedTextUpdates: [ "605127", "606702" ] },
  953. 609653: { missedTextUpdates: [ "610108", "610137" ] },
  954. 611369: { wrongImageUpdates: [ "620890" ] },
  955. 611997: { missedTextUpdates: [ "612102", "612109" ], wrongTextUpdates: [ "617447" ] },
  956. 613977: { missedTextUpdates: [ "614036" ] },
  957. 615246: { missedTextUpdates: [ "638243", "638245", "638246", "638248" ] },
  958. 615752: { ignoreTextPosts: [ "Uplifted" ] },
  959. 617061: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  960. 617484: { missedTextUpdates: [ "617509", "617830" ] },
  961. 618712: { missedTextUpdates: [ "619097", "619821", "620260" ] },
  962. 620830: { missedAuthors: [ "913f0d" ], ignoreTextPosts: [ "", "Sky-jaws" ] },
  963. 623611: { ignoreTextPosts: [ "!5tTWT1eydY" ] },
  964. 623897: { wrongTextUpdates: [ "625412" ] },
  965. 625364: { missedTextUpdates: [ "635199" ] },
  966. 625814: { missedAuthors: [ "330ce5", "f79974", "53688c", "a19cd5", "defceb" ], missedTextUpdates: [ "625990" ], ignoreTextPosts: [ "" ] },
  967. 627139: { ignoreTextPosts: [ "", "Seal" ] },
  968. 628023: { missedTextUpdates: [ "628323", "629276", "629668" ] },
  969. 628357: { ignoreTextPosts: [ "" ] },
  970. 632345: { ignoreTextPosts: [ "!TEEDashxDA" ] },
  971. 632823: { missedTextUpdates: [ "632860", "633225", "633632", "633649", "633723", "634118" ], ignoreTextPosts: [ "" ] },
  972. 633187: { missedTextUpdates: [ "633407", "633444", "634031", "634192", "634462" ] },
  973. 633487: { missedAuthors: [ "8b8b34", "fe7a48", "20ca72", "668d91" ] },
  974. 634122: { ignoreTextPosts: [ "Apollo" ] },
  975. 639549: { ignoreTextPosts: [ "Apollo" ] },
  976. 641286: { missedTextUpdates: [ "641650" ] },
  977. 642667: { missedTextUpdates: [ "643113" ] },
  978. 642726: { missedTextUpdates: [ "648209", "651723" ] },
  979. 643327: { ignoreTextPosts: [ "" ] },
  980. 644179: { missedTextUpdates: [ "647317" ] },
  981. 645426: { missedTextUpdates: [ "651214", "670665", "671751", "672911", "674718", "684082" ] },
  982. 648109: { missedTextUpdates: [ "711809", "711811" ] },
  983. 648646: { missedTextUpdates: [ "648681" ] },
  984. 651220: { missedTextUpdates: [ "653791" ] },
  985. 651382: { missedAuthors: [ "bbfc3d" ] },
  986. 651540: { missedTextUpdates: [ "651629" ] },
  987. 655158: { ignoreTextPosts: [ "" ] },
  988. 662096: { ignoreTextPosts: [ "" ] },
  989. 662196: { missedAuthors: [ "Penelope" ], ignoreTextPosts: [ "", "Brom", "Wire" ] },
  990. 662452: { ignoreTextPosts: [ "" ] },
  991. 662661: { ignoreTextPosts: [ "" ] },
  992. 663088: { missedAuthors: [ "f68a09", "8177e7" ], ignoreTextPosts: [ "", "!5tTWT1eydY", "Wire", "Brom", "Apollo", "Arhra" ] },
  993. 663996: { missedTextUpdates: [ "673890" ] },
  994. 668009: { missedTextUpdates: [ "668227" ] },
  995. 668216: { imageQuest: false},
  996. 669206: { imageQuest: true, missedAuthors: [ "75347e" ] },
  997. 672060: { missedTextUpdates: [ "673216" ] },
  998. 673444: { ignoreTextPosts: [ "" ] },
  999. 673575: { missedAuthors: [ "a6f913", "3bc92d" ], ignoreTextPosts: [ "!5tTWT1eydY" ] },
  1000. 673811: { missedTextUpdates: [ "682275", "687221", "687395", "688995" ], ignoreTextPosts: [ "" ] },
  1001. 677271: { missedTextUpdates: [ "677384" ] },
  1002. 678114: { imageQuest: false},
  1003. 678608: { missedTextUpdates: [ "678789" ] },
  1004. 679357: { missedTextUpdates: [ "679359", "679983" ] },
  1005. 680125: { ignoreTextPosts: [ "", "BritishHat" ] },
  1006. 680206: { missedAuthors: [ "Gnuk" ] },
  1007. 681620: { missedAuthors: [ "d9faec" ] },
  1008. 683261: { missedAuthors: [ "3/8 MPP, 4/4 MF" ] },
  1009. 686590: { imageQuest: false},
  1010. 688371: { missedTextUpdates: [ "696249", "696257" ], ignoreTextPosts: [ "", "Chaos", "Ariadne", "Melinoe", "\"F\"ingGenius" ] },
  1011. 691136: { missedTextUpdates: [ "697620" ], ignoreTextPosts: [ "" ], wrongImageUpdates: [ "706696" ] },
  1012. 691255: { ignoreTextPosts: [ "" ] },
  1013. 692093: { missedAuthors: [ "Bergeek" ], ignoreTextPosts: [ "Boxdog" ] },
  1014. 692872: { missedTextUpdates: [ "717187" ] },
  1015. 693509: { missedAuthors: [ "640f86" ] },
  1016. 693648: { missedTextUpdates: [ "694655" ] },
  1017. 694230: { ignoreTextPosts: [ "" ] },
  1018. 700573: { missedTextUpdates: [ "702352", "720330" ], ignoreTextPosts: [ "" ] },
  1019. 701456: { ignoreTextPosts: [ "" ] },
  1020. 702865: { ignoreTextPosts: [ "" ] },
  1021. 705639: { wrongTextUpdates: [ "794696" ] },
  1022. 706303: { missedAuthors: [ "5a8006" ] },
  1023. 706439: { missedTextUpdates: [ "714791" ] },
  1024. 706938: { ignoreTextPosts: [ "" ] },
  1025. 711320: { missedTextUpdates: [ "720646", "724022" ] },
  1026. 712179: { missedTextUpdates: [ "712255", "715182" ] },
  1027. 712785: { ignoreTextPosts: [ "" ] },
  1028. 713042: { missedTextUpdates: [ "713704" ] },
  1029. 714130: { imageQuest: true},
  1030. 714290: { missedTextUpdates: [ "714307", "714311" ] },
  1031. 714858: { ignoreTextPosts: [ "" ] },
  1032. 715796: { ignoreTextPosts: [ "" ] },
  1033. 717114: { missedTextUpdates: [ "717454", "717628" ] },
  1034. 718797: { missedAuthors: [ "FRACTAL on the go" ] },
  1035. 718844: { missedAuthors: [ "kome", "Vik", "Friptag" ], missedTextUpdates: [ "721242" ] },
  1036. 719505: { ignoreTextPosts: [ "" ] },
  1037. 719579: { imageQuest: false},
  1038. 722585: { wrongTextUpdates: [ "724938" ] },
  1039. 726944: { ignoreTextPosts: [ "" ] },
  1040. 727356: { ignoreTextPosts: [ "" ] },
  1041. 727581: { missedTextUpdates: [ "728169" ] },
  1042. 727677: { ignoreTextPosts: [ "Melinoe" ] },
  1043. 728411: { missedTextUpdates: [ "728928" ] },
  1044. 730993: { missedTextUpdates: [ "731061" ] },
  1045. 732214: { imageQuest: true, wrongTextUpdates: [ "732277" ] },
  1046. 734610: { ignoreTextPosts: [ "D3w" ] },
  1047. 736484: { ignoreTextPosts: [ "Roman" ], wrongImageUpdates: [ "750212", "750213", "750214" ] },
  1048. 741609: { missedTextUpdates: [ "754524" ] },
  1049. 743976: { ignoreTextPosts: [ "", "Typo" ] },
  1050. 745694: { ignoreTextPosts: [ "Crunchysaurus" ] },
  1051. 750281: { ignoreTextPosts: [ "Autozero" ] },
  1052. 752572: { missedTextUpdates: [ "752651", "752802", "767190" ] },
  1053. 754415: { missedAuthors: [ "Apollo", "riotmode", "!0iuTMXQYY." ], ignoreTextPosts: [ "", "!5tTWT1eydY", "!0iuTMXQYY.", "Indonesian Gentleman" ] },
  1054. 755378: { missedAuthors: [ "!Ykw7p6s1S." ] },
  1055. 758668: { ignoreTextPosts: [ "LD" ] },
  1056. 767346: { ignoreTextPosts: [ "" ] },
  1057. 768858: { ignoreTextPosts: [ "LD" ] },
  1058. 774368: { missedTextUpdates: [ "774500" ] },
  1059. 774930: { missedTextUpdates: [ "794040" ] },
  1060. 778045: { missedTextUpdates: [ "778427", "779363" ] },
  1061. 779564: { ignoreTextPosts: [ "" ] },
  1062. 784068: { wrongTextUpdates: [ "785618" ] },
  1063. 785044: { wrongTextUpdates: [ "801329" ] },
  1064. 789976: { missedTextUpdates: [ "790596", "793934", "800875", "832472" ] },
  1065. 794320: { wrongTextUpdates: [ "795183" ] },
  1066. 798380: { missedTextUpdates: [ "799784", "800444", "800774", "800817", "801212" ] },
  1067. 799546: { missedTextUpdates: [ "801103", "802351", "802753" ] },
  1068. 799612: { missedTextUpdates: [ "799968", "801579" ] },
  1069. 800605: { missedAuthors: [ "Boris Calija", "3373e2", "2016eb", "a80028" ], ignoreTextPosts: [ "", "Boris Calija" ] },
  1070. 802411: { missedTextUpdates: [ "805002" ] },
  1071. 807972: { wrongTextUpdates: [ "811969" ] },
  1072. 809039: { wrongImageUpdates: [ "817508", "817511" ] },
  1073. 811957: { ignoreTextPosts: [ "via Discord" ] },
  1074. 814448: { missedTextUpdates: [ "817938" ] },
  1075. 817541: { missedAuthors: [ "Raptie" ] },
  1076. 822552: { imageQuest: false},
  1077. 823831: { missedAuthors: [ "Retro-LOPIS" ] },
  1078. 827264: { ignoreTextPosts: [ "LD", "DogFace" ] },
  1079. 830006: { missedAuthors: [ "Amaranth" ] },
  1080. 835062: { ignoreTextPosts: [ "Curves" ] },
  1081. 835750: { missedTextUpdates: [ "836870" ] },
  1082. 836521: { wrongTextUpdates: [ "848748" ] },
  1083. 837514: { ignoreTextPosts: [ "LD" ] },
  1084. 839906: { missedTextUpdates: [ "845724" ] },
  1085. 840029: { missedTextUpdates: [ "840044", "840543" ] },
  1086. 841851: { ignoreTextPosts: [ "Serpens", "Joy" ] },
  1087. 842392: { missedTextUpdates: [ "842434", "842504", "842544" ] },
  1088. 844537: { missedTextUpdates: [ "847326" ] },
  1089. 848887: { imageQuest: true, wrongTextUpdates: [ "851878" ] },
  1090. 854088: { missedTextUpdates: [ "860219" ], ignoreTextPosts: [ "Ursula" ] },
  1091. 854203: { ignoreTextPosts: [ "Zenthis" ] },
  1092. 857294: { wrongTextUpdates: [ "857818" ] },
  1093. 858913: { imageQuest: false},
  1094. 863241: { missedTextUpdates: [ "863519" ] },
  1095. 865754: { missedTextUpdates: [ "875371" ], ignoreTextPosts: [ "???" ] },
  1096. 869242: { ignoreTextPosts: [ "" ] },
  1097. 871667: { missedTextUpdates: [ "884575" ] },
  1098. 876808: { imageQuest: false},
  1099. 879456: { missedTextUpdates: [ "881847" ] },
  1100. 881097: { missedTextUpdates: [ "881292", "882339" ] },
  1101. 881374: { ignoreTextPosts: [ "LD" ] },
  1102. 885481: { imageQuest: false, wrongTextUpdates: [ "886892" ] },
  1103. 890023: { missedAuthors: [ "595acb" ] },
  1104. 892578: { ignoreTextPosts: [ "" ] },
  1105. 897318: { missedTextUpdates: [ "897321", "897624" ] },
  1106. 897846: { missedTextUpdates: [ "897854", "897866" ] },
  1107. 898917: { missedAuthors: [ "Cee (mobile)" ] },
  1108. 900852: { missedTextUpdates: [ "900864" ] },
  1109. 904316: { missedTextUpdates: [ "904356", "904491" ] },
  1110. 907309: { missedTextUpdates: [ "907310" ] },
  1111. 913803: { ignoreTextPosts: [ "Typo" ] },
  1112. 915945: { missedTextUpdates: [ "916021" ] },
  1113. 917513: { missedTextUpdates: [ "917515" ] },
  1114. 918806: { missedTextUpdates: [ "935207" ] },
  1115. 921083: { ignoreTextPosts: [ "LawyerDog" ] },
  1116. 923174: { ignoreTextPosts: [ "Marn", "MarnMobile" ] },
  1117. 924317: { ignoreTextPosts: [ "" ] },
  1118. 924496: { ignoreTextPosts: [ "Alyssa" ], wrongImageUpdates: [ "926049", "951786" ] },
  1119. 926927: { missedTextUpdates: [ "928194" ] },
  1120. 929545: { missedTextUpdates: [ "929634" ] },
  1121. 930854: { missedTextUpdates: [ "932282" ] },
  1122. 934026: { missedTextUpdates: [ "934078", "934817" ] },
  1123. 935464: { missedTextUpdates: [ "935544", "935550", "935552", "935880" ] },
  1124. 939572: { missedTextUpdates: [ "940402" ] },
  1125. 940835: { missedTextUpdates: [ "941005", "941067", "941137", "941226", "942383", "944236", "945435" ] },
  1126. 944938: { missedTextUpdates: [ "945119" ] },
  1127. 947959: { missedAuthors: [ "5a5548", "Arhra", "Generator" ], ignoreTextPosts: [ "", "5a5548", "Arhra", "Lennoxicon" ] },
  1128. 949128: { ignoreTextPosts: [ "Breven" ] },
  1129. 950800: { missedTextUpdates: [ "955309", "955582", "956789" ] },
  1130. 951319: { missedTextUpdates: [ "951450" ] },
  1131. 954301: { wrongImageUpdates: [ "954628" ] },
  1132. 955263: { missedAuthors: [ "!gPzojzOMZ6", "SSgt. Eingrid" ] },
  1133. 1000012: { missedAuthors: [ "Happiness" ] },
  1134. };
  1135. }
  1136. return this.allFixes;
  1137. }
  1138. }
  1139.  
  1140. //More or less standard XMLHttpRequest wrapper
  1141. //Input: url
  1142. //Output: Promise that resolves into the XHR object (or a HTTP error code)
  1143. class Xhr {
  1144. static get(url) {
  1145. return new Promise(function(resolve, reject) {
  1146. const xhr = new XMLHttpRequest();
  1147. xhr.onreadystatechange = function(e) {
  1148. if (xhr.readyState === 4) {
  1149. if (xhr.status === 200) {
  1150. resolve(xhr);
  1151. }
  1152. else {
  1153. reject(xhr.status);
  1154. }
  1155. }
  1156. };
  1157. xhr.ontimeout = function () {
  1158. reject("timeout");
  1159. };
  1160. xhr.open("get", url, true);
  1161. xhr.send();
  1162. });
  1163. }
  1164. }
  1165.  
  1166. //QuestReader class
  1167. //Input: none
  1168. //Output: none
  1169. //Usage: new QuestReader.init(settings);
  1170. //settings: a settings object obtained from the object's onSettingsChanged event, allowing you to store settings
  1171. class QuestReader {
  1172. constructor(doc) {
  1173. this.doc = doc;
  1174. this.boardName = doc.location.pathname.match(new RegExp("/kusaba/([a-z]*)/res/"))[1];
  1175. this.threadType = BoardThreadTypes[this.boardName];
  1176. this.defaultName = BoardDefaultNames[this.boardName];
  1177. this.hasTitle = false;
  1178. this.updates = [];
  1179. this.sequences = [];
  1180. this.defaultSettings = this.getDefaultSettings();
  1181. this.setSettings(this.defaultSettings);
  1182. this.threadID = null;
  1183. this.refClass = null;
  1184. this.posts = null;
  1185. this.firstPostElements = [];
  1186. this.cloneCache = {};
  1187. this.controls = {};
  1188. this.total = { authorComments: 0, suggestions: 0};
  1189. this.author = null;
  1190. this.suggesters = null;
  1191. this.scrollIntervalHandle = null;
  1192. this.replyFormDraggable = null;
  1193. this.dayNames = [ "Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat", "Sun"];
  1194. this.currentDateTime = null;
  1195. this.relativeTime = null;
  1196. //regular expressions
  1197. this.reCanonID = new RegExp("^[0-9a-f]{6}$");
  1198. //events
  1199. this.onSettingsLoad = null;
  1200. this.onSettingsChanged = null;
  1201. this.onWikiDataLoad = null;
  1202. this.onWikiDataChanged = null;
  1203. }
  1204.  
  1205. getDefaultSettings() {
  1206. return {
  1207. currentUpdateIndex: 0,
  1208. viewMode: "all", //all, single, sequence
  1209. showSuggestions: "all", //none, last, all
  1210. showAuthorComments: "all", //none, last, all
  1211. showReferences: this.threadType == ThreadType.QUEST ? "nonupdates" : "all", //none, nonupdates, all
  1212. replyFormLocation: "float", //top, bottom, float
  1213. expandImages: "none", //none, updates, all
  1214. maxImageWidth: 100,
  1215. maxImageHeight: 96,
  1216. stretchImages: false,
  1217. showUpdateInfo: false,
  1218. timestampFormat: "server", //server, local, relative, auto, hide
  1219. colorUsers: false,
  1220. showUserPostCounts: false,
  1221. showUserNav: false,
  1222. showUserMultiPost: false,
  1223. showReplyForm: false,
  1224. moveToLast: false,
  1225. wikiPages: [],
  1226. wikiLastSearchTime: 0,
  1227. };
  1228. }
  1229.  
  1230. init(doc) {
  1231. var results = new UpdateAnalyzer({ passive: this.threadType != ThreadType.QUEST, defaultName: this.defaultName }).analyzeQuest(doc); //run UpdateAnalyzer to determine which posts are updates and what not
  1232. this.threadID = results.postTypes.keys().next().value;
  1233. this.refClass = `ref|${doc.body.querySelector(`input[name="board"]`).value}|${this.threadID}|`; //a variable used for finding and creating post reference links
  1234. this.updates = this.getUpdatePostGroups(results.postTypes, results.postUsers); //organize posts into groups where each group has one update post and its trailing suggestions
  1235. this.sequences = this.getUpdateSequences(); //a list of unique update sequences
  1236. this.loadSettings(); //load settings; YouDontSay.jpg
  1237. this.insertStyling(this.doc); //insert html elements for styling
  1238. this.posts = this.buildPostInfo(this.doc, results.postTypes, results.postUsers); //cache post elements and other post data for faster access
  1239. this.initCloneCache(this.doc); //cache some elements for faster insertion
  1240. this.insertControls(this.doc); //insert html elements for controls
  1241. this.insertEvents(this.doc); //insert our own button events plus some global events
  1242. this.modifyLayout(this.doc); //change the default layout by moving elements around to make them fit better
  1243. this.insertTooltips(); //add some explanations to our controls
  1244. this.refresh({checkHash: "correct", smoothScroll: false}); //hide all posts and show only the relevant ones; enable/disable/update controls
  1245. this.useWiki(); //get data from wiki and use them to set up wiki link, disthread link, and other thread links
  1246. }
  1247.  
  1248. getUpdatePostGroups(postTypes, postUsers) {
  1249. var updatePostGroups = [];
  1250. var currentPostGroup = { updatePostID: 0, suggestions: [], authorComments: [] };
  1251. var postTypesArray = [...postTypes];
  1252. //create post groups
  1253. for (let i = postTypesArray.length - 1; i >= 0; i--) {
  1254. if (postTypesArray[i][1] == PostType.UPDATE) {
  1255. currentPostGroup.updatePostID = postTypesArray[i][0];
  1256. updatePostGroups.unshift(currentPostGroup);
  1257. currentPostGroup = { updatePostID: 0, suggestions: [], authorComments: [] };
  1258. }
  1259. else if (postTypesArray[i][1] == PostType.AUTHORCOMMENT) {
  1260. currentPostGroup.authorComments.unshift(postTypesArray[i][0]);
  1261. this.total.authorComments++;
  1262. }
  1263. else { //PostType.SUGGESTION
  1264. currentPostGroup.suggestions.unshift(postTypesArray[i][0]);
  1265. this.total.suggestions++;
  1266. }
  1267. }
  1268. //create sequence groups
  1269. var currentUpdateSequence = [];
  1270. updatePostGroups.forEach(postGroup => {
  1271. currentUpdateSequence.push(postGroup);
  1272. postGroup.sequence = currentUpdateSequence;
  1273. if (postGroup.suggestions.length > 0) {
  1274. currentUpdateSequence = [];
  1275. }
  1276. });
  1277. //set post suggesters
  1278. var allSuggesters = new Set();
  1279. updatePostGroups.forEach(postGroup => {
  1280. postGroup.suggesters = postGroup.suggestions.reduce((suggesters, el) => {
  1281. var suggester = postUsers.get(el);
  1282. suggesters.add(suggester);
  1283. allSuggesters.add(suggester);
  1284. return suggesters;
  1285. }, new Set());
  1286. postGroup.suggesters = [...postGroup.suggesters];
  1287. });
  1288. this.author = postUsers.get(this.threadID);
  1289. this.suggesters = [...allSuggesters];
  1290. return updatePostGroups;
  1291. }
  1292.  
  1293. getUpdateSequences() {
  1294. var sequences = [];
  1295. this.updates.forEach(update => {
  1296. if (update.sequence !== sequences[sequences.length - 1]) {
  1297. sequences.push(update.sequence);
  1298. }
  1299. });
  1300. return sequences;
  1301. }
  1302.  
  1303. currentUpdate() {
  1304. return this.updates[this.currentUpdateIndex];
  1305. }
  1306.  
  1307. firstUpdate() {
  1308. return this.updates[0];
  1309. }
  1310.  
  1311. lastUpdate() {
  1312. return this.updates[this.updates.length - 1];
  1313. }
  1314.  
  1315. buildPostInfo(doc, postTypes, postUsers) {
  1316. var posts = new Map();
  1317.  
  1318. doc.body.querySelector(":scope > form").querySelectorAll(".postwidth > a[name]").forEach(anchor => {
  1319. if (anchor.name == "s") {
  1320. return;
  1321. }
  1322. var header = anchor.parentElement;
  1323. var inner = header.parentElement;
  1324. var postID = parseInt(anchor.name);
  1325. var outer = inner;
  1326. var outerName = postID === this.threadID ? "FORM" : "TABLE";
  1327. while (outer.nodeName != outerName) {
  1328. outer = outer.parentElement;
  1329. }
  1330. posts.set(postID, {
  1331. outer: outer, inner: inner, header: header, user: postUsers.get(postID), type: postTypes.get(postID), timestampFormat: "server", relativeTime: null, serverDateTimeString: "", utcTime: 0, references: null,
  1332. suggesterIsNew: false, userPrevPost: null, userNextPost: null, insertedReferences: false, insertedUserColors: false, insertedUserNav: false, insertedUserMultiPost: false, expandedThumbnail: false,
  1333. imgInfo: null,
  1334. });
  1335. });
  1336. this.getFirstPostElements(posts);
  1337. this.getPostImageInfo(posts);
  1338. this.getPostReferences(posts);
  1339. if (this.threadType === ThreadType.QUEST) {
  1340. this.getUserMultiPostInfo(posts, postUsers);
  1341. }
  1342. this.getUserNavInfo(posts, postUsers);
  1343. this.setUserPostCounts(posts);
  1344. return posts;
  1345. }
  1346.  
  1347. getFirstPostElements(posts) {
  1348. var child = posts.get(this.threadID).inner.firstElementChild;
  1349. while (child && child.nodeName !== "TABLE") {
  1350. if (child.className === "postwidth" || child.nodeName === "BLOCKQUOTE" || child.className === "pony" || child.className === "unicorn" || child.className === "de-refmap") {
  1351. this.firstPostElements.push(child);
  1352. }
  1353. child = child.nextElementSibling;
  1354. }
  1355. }
  1356.  
  1357. getPostImageInfo(posts) {
  1358. var expandLink = this.doc.body.querySelector(`a[href="#top"]`);
  1359. if (expandLink) {
  1360. var reExpandCode = new RegExp(`expandimg\\('([0-9]+)', '(.*)', '(.*)', '([0-9]+)', '([0-9]+)', '([0-9]+)', '([0-9]+)'\\);`);
  1361. expandLink.onclick.toString().split("\n").forEach(el => {
  1362. var matches = el.match(reExpandCode);
  1363. if (matches) {
  1364. var post = posts.get(+matches[1]);
  1365. if (post) {
  1366. post.imgInfo = { imgSrc: matches[2], thumbSrc: matches[3], imgWidth: matches[4], imgHeight: matches[5], thumbWidth: matches[6], thumbHeight: matches[7], };
  1367. if (!post.imgInfo.imgSrc.startsWith("http")) {
  1368. post.imgInfo.imgSrc = this.doc.location.origin + post.imgInfo.imgSrc;
  1369. post.imgInfo.thumbSrc = this.doc.location.origin + post.imgInfo.thumbSrc;
  1370. }
  1371. }
  1372. }
  1373. });
  1374. }
  1375. }
  1376.  
  1377. getPostReferences(posts) {
  1378. var postLinks = posts.get(this.threadID).outer.querySelectorAll(`blockquote a[class^="${this.refClass}"]`); //this is faster than traversing all posts
  1379. postLinks.forEach(link => {
  1380. var parent = link.parentElement;
  1381. while (parent.nodeName !== "BLOCKQUOTE") {
  1382. parent = parent.parentElement;
  1383. }
  1384. parent = parent.parentElement;
  1385. var linkPostID = parent.id.startsWith("reply") ? parseInt(parent.id.substring(5)) : this.threadID;
  1386. var targetID = parseInt(link.classList[0].substring(this.refClass.length));
  1387. var targetInfo = posts.get(targetID);
  1388. if (!targetInfo) {
  1389. return;
  1390. }
  1391. if (!targetInfo.references) {
  1392. targetInfo.references = [];
  1393. }
  1394. targetInfo.references.push(linkPostID);
  1395. });
  1396. }
  1397.  
  1398. getUserMultiPostInfo(postsInfo, postUsers) {
  1399. this.updates.forEach(update => {
  1400. var suggesterPosts = new Map(); //dictionary <user, postIDs[]>; which suggester made which posts for the current update
  1401. update.suggestions.forEach(postID => {
  1402. var suggester = postUsers.get(postID);
  1403. var posts = suggesterPosts.get(suggester) || [];
  1404. posts.push(postID);
  1405. suggesterPosts.set(suggester, posts);
  1406. });
  1407. suggesterPosts.forEach((posts, suggester) => {
  1408. suggester.isNew = suggester.postCount === posts.length;
  1409. for (var postIndex = 0; postIndex < posts.length; postIndex++) {
  1410. var postInfo = postsInfo.get(posts[postIndex]);
  1411. if (!postInfo) {
  1412. continue;
  1413. }
  1414. postInfo.suggesterIsNew = suggester.postCount === posts.length;
  1415. if (posts.length > 1) {
  1416. postInfo.userMultiPostIndex = postIndex + 1;
  1417. postInfo.userMultiPostLength = posts.length;
  1418. }
  1419. }
  1420. });
  1421. });
  1422. }
  1423.  
  1424. getUserNavInfo(posts, postUsers) {
  1425. var usersPrevPost = new Map();
  1426. posts.forEach((post, postID) => {
  1427. var user = postUsers.get(postID);
  1428. post.userPostCount = user.postCount;
  1429. var prevPostID = usersPrevPost.get(user);
  1430. if (prevPostID) {
  1431. posts.get(prevPostID).userNextPost = postID;
  1432. post.userPrevPost = prevPostID;
  1433. }
  1434. usersPrevPost.set(user, postID);
  1435. });
  1436. usersPrevPost.clear();
  1437. }
  1438.  
  1439. setUserPostCounts(posts, postUsers) {
  1440. posts.forEach((post, postID) => {
  1441. var uidEl = post.header.querySelector(".uid");
  1442. uidEl.setAttribute("postcount", post.userPostCount);
  1443. if (post.suggesterIsNew) {
  1444. uidEl.classList.add("isNew");
  1445. }
  1446. });
  1447. }
  1448.  
  1449. initCloneCache(doc) {
  1450. this.cloneCache.a = doc.createElement("a");
  1451. this.cloneCache.div = doc.createElement("div");
  1452. this.cloneCache.span = doc.createElement("span");
  1453. var fragmentUp = doc.createRange().createContextualFragment(`<a class="qrUserNavDisabled"><svg class="qrNavIcon" viewBox="0 0 24 24"><path d="M3 21.5l9-9 9 9M3 12.5l9-9 9 9"/></svg></a>`);
  1454. var fragmentDown = doc.createRange().createContextualFragment(`<a class="qrUserNavDisabled"><svg class="qrNavIcon" viewBox="0 0 24 24"><path d="M3 12.5l9 9 9-9M3 3.5l9 9 9-9"/></svg></a>`);
  1455. this.cloneCache.upLink = fragmentUp.children[0];
  1456. this.cloneCache.downLink = fragmentDown.children[0];
  1457. this.cloneCache.userMultiPostElement = doc.createElement("span");
  1458. this.cloneCache.userMultiPostElement.className = "qrUserMultiPost";
  1459. }
  1460.  
  1461. refresh(options = {}) {
  1462. var checkHash = options.checkHash !== undefined ? options.checkHash : "false"; //checkHash: if true and the url has a hash, show the update that contains the post ID in the hash and scroll to this post
  1463. var scroll = options.scroll !== undefined ? options.scroll : true; //scroll: if true (default), scroll to the current update
  1464. var smoothScroll = options.smoothScroll !== undefined ? options.smoothScroll : true; //if true (default), use smooth scroll
  1465. var scrollToPostID = null;
  1466. if (this.moveToLast) {
  1467. this.moveToLast = false;
  1468. this.showLast(false);
  1469. }
  1470. if (checkHash !== "false") {
  1471. var hashedPostID = parseInt(this.doc.location.hash.replace("#", ""));
  1472. if (!isNaN(hashedPostID) && hashedPostID != this.threadID && this.posts.has(hashedPostID)) {
  1473. //Clicking on a "new posts" link in the Watched Threads usually takes you to the wrong post in a thread, that it, one post before the actual new post.
  1474. //This usually results in visiting a post before the update, which is wrong -> we should be showing the update instead
  1475. scrollToPostID = hashedPostID;
  1476. var hashedUpdateIndex = this.findUpdateIndex(hashedPostID);
  1477. if (checkHash === "correct" && this.threadType == ThreadType.QUEST) {
  1478. var hashedUpdate = this.updates[hashedUpdateIndex];
  1479. var hashedUpdatePosts = hashedUpdate.authorComments.concat(hashedUpdate.suggestions).sort();
  1480. var isLastPostInTheUpdate = hashedPostID == hashedUpdatePosts[hashedUpdatePosts.length - 1];
  1481. //the correction should only work if it's the one post before the first update of the last sequence
  1482. if (isLastPostInTheUpdate && hashedUpdateIndex >= 0 && hashedUpdateIndex >= this.updates.indexOf(this.lastUpdate().sequence[0]) - 1 && hashedUpdateIndex < this.updates.length - 1) {
  1483. hashedUpdateIndex++;
  1484. scrollToPostID = null;
  1485. }
  1486. }
  1487. this.changeIndex(hashedUpdateIndex, false);
  1488. }
  1489. }
  1490. if (!scrollToPostID && this.threadType == ThreadType.QUEST && this.viewMode == "all" && this.currentUpdate() != this.firstUpdate()) {
  1491. scrollToPostID = this.currentUpdate().updatePostID;
  1492. }
  1493. this.currentDateTime = new Date();
  1494. this.hideAll();
  1495. this.showCurrentUpdates();
  1496. if (checkHash !== "false" && scrollToPostID) {
  1497. this.showPost(scrollToPostID); //in case we want to scroll to a hidden suggestion, we want to show it first
  1498. }
  1499. this.updateControls();
  1500. if (scroll) {
  1501. var scrollToElement = (scrollToPostID && this.posts.has(scrollToPostID)) ? this.posts.get(scrollToPostID).outer : this.controls.controlsTop;
  1502. var scrollOptions = { behavior: smoothScroll ? "smooth" : "auto", block: "start", };
  1503. var scrollFunction = () => { this.doc.defaultView.requestAnimationFrame(() => { scrollToElement.scrollIntoView(scrollOptions); }); };
  1504. if (this.doc.readyState !== "complete") {
  1505. this.doc.defaultView.addEventListener("load", scrollFunction, { once: true });
  1506. }
  1507. else {
  1508. scrollFunction();
  1509. }
  1510. }
  1511. }
  1512.  
  1513. hideAll() {
  1514. this.posts.forEach((post, postID) => {
  1515. if (postID == this.threadID) {
  1516. this.firstPostElements.forEach(el => { el.classList.add("veryhidden"); });
  1517. }
  1518. else {
  1519. post.outer.classList.add("hidden");
  1520. }
  1521. });
  1522. }
  1523.  
  1524. findUpdateIndex(postID) {
  1525. for (var i = 0; i < this.updates.length; i++) {
  1526. if (this.updates[i].updatePostID == postID || this.updates[i].suggestions.indexOf(postID) != -1 || this.updates[i].authorComments.indexOf(postID) != -1) {
  1527. return i;
  1528. }
  1529. }
  1530. return -1;
  1531. }
  1532.  
  1533. showCurrentUpdates() {
  1534. var updatesToShow = {
  1535. single: [ this.currentUpdate() ],
  1536. sequence: this.currentUpdate().sequence,
  1537. all: this.updates,
  1538. };
  1539. var updatesToExpand = {};
  1540. var currentSequenceIndex = this.sequences.indexOf(this.currentUpdate().sequence);
  1541. updatesToExpand.single = [this.updates[this.currentUpdateIndex - 1], this.currentUpdate(), this.updates[this.currentUpdateIndex + 1]].filter(el => !!el);
  1542. updatesToExpand.sequence = [...this.sequences[currentSequenceIndex - 1] || [], ...this.sequences[currentSequenceIndex], ...this.sequences[currentSequenceIndex + 1] || []];
  1543. //expanding images on the fly when in full thread view is a bit janky when navigating up
  1544. updatesToExpand.all = [this.currentUpdate(), this.updates[this.currentUpdateIndex + 1], this.updates[this.currentUpdateIndex + 2]].filter(el => !!el);
  1545. //updatesToExpand.all = this.updates;
  1546.  
  1547. updatesToShow[this.viewMode].forEach(update => this.showUpdate(update));
  1548. updatesToExpand[this.viewMode].forEach(update => this.expandUpdateImages(update));
  1549. }
  1550.  
  1551. expandUpdateImages(update) {
  1552. var postsToExpand = [ update.updatePostID ];
  1553. if (this.expandImages != "updates") {
  1554. postsToExpand = postsToExpand.concat(update.suggestions, update.authorComments);
  1555. }
  1556. postsToExpand.forEach(postID => {
  1557. var post = this.posts.get(postID);
  1558. if (!post || !post.imgInfo) {
  1559. return;
  1560. }
  1561. var img = post.header.querySelector(`#thumb${postID} > img`);
  1562. if (img.previousElementSibling && img.previousElementSibling.nodeName === "CANVAS") {
  1563. img.previousElementSibling.remove(); //remove canvas covering the image
  1564. img.style.removeProperty("display");
  1565. }
  1566. var expanded = this.viewMode == "all" ? img.style.backgroundImage === `url(${post.imgInfo.imgSrc})` : img.src == post.imgInfo.imgSrc;
  1567. if (expanded !== (this.expandImages == "all" || (this.expandImages == "updates" && postID == update.updatePostID))) { //image should be expanded or contracted
  1568. if (!expanded) {
  1569. img.removeAttribute("onmouseover");
  1570. img.removeAttribute("onmouseout");
  1571. if (this.viewMode == "all") {
  1572. img.style.backgroundImage = `url(${post.imgInfo.imgSrc})`;
  1573. if (this.viewMode !== "all" && post.outer.classList.contains("hidden")) { //if it's a hidden post, we'd like to preload the image, since setting a background image url doesn't work on hidden elements
  1574. setTimeout(() => { new Image().src = post.imgInfo.imgSrc });
  1575. }
  1576. }
  1577. else {
  1578. img.src = post.imgInfo.imgSrc;
  1579. }
  1580. }
  1581. else {
  1582. img.src = post.imgInfo.thumbSrc;
  1583. }
  1584. }
  1585. });
  1586. }
  1587.  
  1588. showUpdate(update) {
  1589. this.showPost(update.updatePostID);
  1590. if (this.showSuggestions == "all" || this.showSuggestions == "last" && update == this.lastUpdate()) {
  1591. update.suggestions.forEach(postID => this.showPost(postID));
  1592. }
  1593. if (this.showAuthorComments == "all" || this.showAuthorComments == "last" && update == this.lastUpdate()) {
  1594. update.authorComments.forEach(postID => this.showPost(postID));
  1595. }
  1596. }
  1597.  
  1598. showPost(postID) {
  1599. this.insertPostElements(postID);
  1600. if (postID == this.threadID) {
  1601. this.firstPostElements.forEach(el => { el.classList.remove("veryhidden"); });
  1602. }
  1603. else {
  1604. var post = this.posts.get(postID);
  1605. if (post) {
  1606. post.outer.classList.remove("hidden");
  1607. }
  1608. }
  1609. }
  1610.  
  1611. insertPostElements(postID) {
  1612. var post = this.posts.get(postID);
  1613. if (!post) {
  1614. return;
  1615. }
  1616. if (!post.insertedReferences && (this.showReferences == "all" || (this.showReferences == "nonupdates" && post.type !== PostType.UPDATE))) {
  1617. post.insertedReferences = true;
  1618. if (post.references) {
  1619. this.insertPostReferences(postID, post.references, post.inner);
  1620. }
  1621. }
  1622. if (!post.insertedUserColors && this.colorUsers) {
  1623. post.insertedUserColors = true;
  1624. if (post.user.id !== this.author.id || this.threadType !== ThreadType.QUEST) {
  1625. this.insertUserColors(post);
  1626. }
  1627. }
  1628. if (!post.insertedUserNav && this.showUserNav) {
  1629. post.insertedUserNav = true;
  1630. this.insertUserNav(post);
  1631. }
  1632. if (!post.insertedUserMultiPost && this.showUserMultiPost) {
  1633. post.insertedUserMultiPost = true;
  1634. if (post.userMultiPostIndex) {
  1635. this.insertUserMultiPost(post);
  1636. }
  1637. }
  1638. if (post.timestampFormat != this.timestampFormat || post.relativeTime !== this.relativeTime) {
  1639. post.timestampFormat = this.timestampFormat;
  1640. post.relativeTime = this.relativeTime;
  1641. this.changePostTime(post);
  1642. }
  1643. if (this.viewMode == "all" && post.imgInfo && post.expandedThumbnail !== (this.expandImages === "all" || (this.expandImages == "updates" && post.type === PostType.UPDATE))) {
  1644. post.expandedThumbnail = !post.expandedThumbnail;
  1645. this.resizeThumbnail(post, post.expandedThumbnail);
  1646. }
  1647. }
  1648.  
  1649. resizeThumbnail(post, expandThumbnail) {
  1650. var imgElement = post.header.querySelector("img.thumb");
  1651. if (expandThumbnail) {
  1652. imgElement.src = `data:image/svg+xml;utf8,<svg xmlns="http://www.w3.org/2000/svg" width="${post.imgInfo.imgWidth}px" height="${post.imgInfo.imgHeight}px"></svg>`;
  1653. imgElement.style.backgroundImage = `url(${post.imgInfo.thumbSrc})`;
  1654. }
  1655. else {
  1656. imgElement.src = post.imgInfo.thumbSrc;
  1657. imgElement.style.backgroundImage = "";
  1658. imgElement.width = post.imgInfo.thumbWidth;
  1659. imgElement.height = post.imgInfo.thumbHeight;
  1660. }
  1661. }
  1662.  
  1663. insertPostReferences(postID, references, postElement) {
  1664. var links = references.map(id => {
  1665. var newLink = this.cloneCache.a.cloneNode("false");
  1666. newLink.href = `#${id}`;
  1667. newLink.className = `${this.refClass}${id}| qrReference`;
  1668. newLink.textContent = `>>${id}`;
  1669. return newLink;
  1670. });
  1671. var newDiv = this.cloneCache.div.cloneNode("false");
  1672. newDiv.classList.add("qrReferences");
  1673. newDiv.append(...links);
  1674. postElement.querySelector("blockquote").insertAdjacentElement("afterEnd", newDiv);
  1675. if (postID === this.threadID) {
  1676. this.firstPostElements.push(newDiv);
  1677. }
  1678. }
  1679.  
  1680. insertUserColors(post) {
  1681. var uidEl = post.header.querySelector(".uid");
  1682. var span = this.cloneCache.span.cloneNode(false);
  1683. span.className = `qrColoredUid uid${this.getCanonID(post.user)}`;
  1684. span.textContent = uidEl.firstChild.nodeValue.substring(4);
  1685. uidEl.firstChild.nodeValue = "ID: ";
  1686. uidEl.appendChild(span);
  1687. }
  1688.  
  1689. insertUserNav(post) {
  1690. var uidEl = post.header.querySelector(".uid");
  1691. var downLink = this.cloneCache.downLink.cloneNode(true);
  1692. var upLink = this.cloneCache.upLink.cloneNode(true);
  1693. if (post.userPrevPost) {
  1694. upLink.href = `#${post.userPrevPost}`;
  1695. upLink.className = "qrUserNavEnabled";
  1696. }
  1697. if (post.userNextPost) {
  1698. downLink.href = `#${post.userNextPost}`;
  1699. downLink.className = "qrUserNavEnabled";
  1700. }
  1701. uidEl.insertAdjacentElement("afterEnd", downLink);
  1702. uidEl.insertAdjacentElement("afterEnd", upLink);
  1703. }
  1704.  
  1705. insertUserMultiPost(post) {
  1706. var span = this.cloneCache.userMultiPostElement.cloneNode(false);
  1707. span.textContent = `post ${post.userMultiPostIndex}/${post.userMultiPostLength}`;
  1708. post.header.appendChild(span);
  1709. }
  1710.  
  1711. changePostTime(post) {
  1712. var timeNode = post.header.querySelector("label").lastChild;
  1713. if (post.timestampFormat == "hide") {
  1714. post.serverDateTimeString = post.serverDateTimeString || ` ${timeNode.nodeValue.trim()}`;
  1715. timeNode.nodeValue = "";
  1716. return;
  1717. }
  1718. var utcTime = this.getUtcTime(post, timeNode);
  1719. var difference = this.currentDateTime.getTime() - utcTime;
  1720. if (post.relativeTime !== null ? post.relativeTime : post.timestampFormat == "relative" || (post.timestampFormat == "auto" && difference < 86400000)) {
  1721. timeNode.nodeValue = `${this.getRelativeTimeString(difference)} ago`;
  1722. }
  1723. else {
  1724. timeNode.nodeValue = post.timestampFormat == "server" ? post.serverDateTimeString : this.getAbsoluteDateTimeString(new Date(utcTime));
  1725. }
  1726. }
  1727.  
  1728. getUtcTime(post, timeNode) {
  1729. if (!post.utcTime) {
  1730. post.serverDateTimeString = post.serverDateTimeString || ` ${timeNode.nodeValue.trim()}`;
  1731. var d = post.serverDateTimeString;
  1732. var serverTime = Date.UTC(d.substring(1, 5), d.substring(6, 8) - 1, d.substring(9, 11), d.substring(16, 18), d.substring(19));
  1733. post.utcTime = serverTime - this.getServerTimeZoneOffset(new Date(serverTime));
  1734. }
  1735. return post.utcTime;
  1736. }
  1737.  
  1738. getServerTimeZoneOffset(dateTime) {
  1739. var month = dateTime.getUTCMonth();
  1740. var day = dateTime.getUTCDate();
  1741. var dayOfWeek = dateTime.getUTCDay();
  1742. var hour = dateTime.getUTCHours();
  1743. var firstSunday = ((day + 7 - dayOfWeek) % 7) || 7;
  1744. var after2ndSundayInMarch3am = month > 2 || (month == 2 && (day > firstSunday + 7 || ( day == firstSunday + 7 && hour >= 3)));
  1745. var before1stSundayInNovember1am = month < 10 || (month == 10 && (day < firstSunday || ( day == firstSunday && hour < 1)));
  1746. var isDST = after2ndSundayInMarch3am && before1stSundayInNovember1am;
  1747. return (isDST ? -7 : -8) * 3600000;
  1748. }
  1749.  
  1750. getRelativeTimeString(difference) {
  1751. //convert a difference between two dates into a string by finding and using the two most relevant date parts
  1752. //writing this function was fun (read: hell); it's not perfect due to varying numbers of days in months and step years, but it should be good enough
  1753. var names = ["min", "h", "d", "mo", "y"];
  1754. var factors = [60, 24, 30.4375, 12];
  1755. var diffs = factors.reduce((diffs, factor, index) => { diffs.push(diffs[index] / factor); return diffs; }, [ difference / 60000 ]);
  1756. var i = diffs.length - 1;
  1757. for (; i > 0 && diffs[i] < 1; i--) {} //find the most relevant date part -> the first one with a value greater than 1
  1758. if (i > 0) { //truncate + round; 1.76h 105.6min -> 1h 46min
  1759. diffs[i] = Math.trunc(diffs[i]);
  1760. diffs[i - 1] = Math.round(diffs[i - 1] - diffs[i] * factors[i - 1]);
  1761. if (diffs[i - 1] == factors[i - 1]) { //correct the parts if rounded to a factor number; 1h 60min -> 2h 0min
  1762. diffs[i - 1] = 0;
  1763. diffs[i]++;
  1764. }
  1765. }
  1766. else {
  1767. diffs[i] = Math.round(diffs[i]);
  1768. }
  1769. if (i < diffs.length - 1 && diffs[i] == factors[i]) { //correct the parts if rounding caused a transition; 60min -> 1h 0min
  1770. diffs[i] = 0;
  1771. i++;
  1772. diffs[i] = 1;
  1773. }
  1774. return ` ${diffs[i]}${names[i]}${names[i - 1] ? ` ${diffs[i - 1]}${names[i - 1]}` : ""}`;
  1775. }
  1776.  
  1777. getAbsoluteDateTimeString(date) {
  1778. return ` ${date.getFullYear()}/${(date.getMonth() + 1).toString().padStart(2, "0")}/${date.getDate().toString().padStart(2, "0")}` +
  1779. `(${this.dayNames[date.getDay()]})${date.getHours().toString().padStart(2, "0")}:${date.getMinutes().toString().padStart(2, "0")}`;
  1780. }
  1781.  
  1782. showFirst() {
  1783. var newUpdateIndex = 0;
  1784. this.changeIndex(newUpdateIndex);
  1785. }
  1786.  
  1787. showLast(refresh = true) {
  1788. var newUpdateIndex = this.viewMode == "sequence" ? this.updates.indexOf(this.sequences[this.sequences.length - 1][0]) : this.updates.length - 1;
  1789. this.changeIndex(newUpdateIndex, refresh);
  1790. }
  1791.  
  1792. showNext() {
  1793. var newUpdateIndex = this.currentUpdateIndex + 1;
  1794. if (this.viewMode == "sequence") { //move to the first update in the next sequence
  1795. var currentSequenceIndex = this.sequences.indexOf(this.currentUpdate().sequence);
  1796. newUpdateIndex = currentSequenceIndex < this.sequences.length - 1 ? this.updates.indexOf(this.sequences[currentSequenceIndex + 1][0]) : this.updates.length;
  1797. }
  1798. this.changeIndex(newUpdateIndex);
  1799. }
  1800.  
  1801. showPrevious() {
  1802. var newUpdateIndex = this.currentUpdateIndex - 1;
  1803. if (this.viewMode == "sequence") {
  1804. var currentSequenceIndex = this.sequences.indexOf(this.currentUpdate().sequence);
  1805. newUpdateIndex = currentSequenceIndex > 0 ? this.updates.indexOf(this.sequences[currentSequenceIndex - 1][0]) : -1;
  1806. }
  1807. this.changeIndex(newUpdateIndex);
  1808. }
  1809.  
  1810. changeIndex(newUpdateIndex, refresh = true) {
  1811. if (newUpdateIndex === this.currentUpdateIndex || newUpdateIndex < 0 || newUpdateIndex > this.updates.length - 1) {
  1812. return;
  1813. }
  1814. var difference = Math.abs(newUpdateIndex - this.currentUpdateIndex);
  1815. if (this.viewMode == "sequence") {
  1816. difference = Math.abs(this.sequences.indexOf(this.updates[newUpdateIndex].sequence) - this.sequences.indexOf(this.currentUpdate().sequence));
  1817. }
  1818. this.currentUpdateIndex = newUpdateIndex;
  1819. if (refresh) {
  1820. this.refresh({ smoothScroll: difference === 1 });
  1821. }
  1822. this.settingsChanged();
  1823. }
  1824.  
  1825. loadSettings() {
  1826. if (this.onSettingsLoad) {
  1827. var e = { threadID: this.threadID, threadType: this.threadType, boardName: this.boardName, settings: null };
  1828. this.onSettingsLoad(e);
  1829. if (e.settings) {
  1830. this.setSettings(this.validateSettings(e.settings));
  1831. }
  1832. }
  1833. }
  1834.  
  1835. setSettings(settings) {
  1836. if (settings) {
  1837. for(var settingName in settings) {
  1838. this[settingName] = settings[settingName];
  1839. }
  1840. }
  1841. }
  1842.  
  1843. validateSettings(settings) {
  1844. if (!settings) {
  1845. return settings;
  1846. }
  1847. if (settings.currentUpdateIndex < 0) settings.currentUpdateIndex = 0;
  1848. if (settings.currentUpdateIndex >= this.updates.length) settings.currentUpdateIndex = this.updates.length - 1;
  1849. for (var prop in settings) {
  1850. if (this[prop] !== undefined && typeof(settings[prop]) !== typeof(this[prop])) {
  1851. settings[prop] = this[prop];
  1852. }
  1853. }
  1854. if (!settings.replyFormLocation) { //replyFormLocation == "float"
  1855. settings.showReplyForm = false;
  1856. }
  1857. return settings;
  1858. }
  1859.  
  1860. settingsChanged() {
  1861. if (this.onSettingsChanged) {
  1862. var settings = {};
  1863. for(var settingName in this.defaultSettings) {
  1864. if (this[settingName] !== this.defaultSettings[settingName] || (Array.isArray(this[settingName]) && this[settingName].length > 0)) {
  1865. settings[settingName] = this[settingName];
  1866. }
  1867. }
  1868. this.onSettingsChanged({ threadID: this.threadID, threadType: this.threadType, boardName: this.boardName, settings: settings });
  1869. }
  1870. }
  1871.  
  1872. toggleSettingsControls(e) {
  1873. e.preventDefault(); //prevent scrolling to the top when clicking the link
  1874. this.controls.settingsControls.classList.toggle("collapsedHeight");
  1875. var label = e.target;
  1876. label.text = this.controls.settingsControls.classList.contains("collapsedHeight") ? "Settings" : "Hide Settings";
  1877. }
  1878.  
  1879. showSettingsPage(e) {
  1880. e.preventDefault();
  1881. var linkContainer = e.target.parentElement;
  1882. if (!linkContainer.classList.contains("qrSettingsNavItem")) {
  1883. return;
  1884. }
  1885. this.controls.settingsControls.querySelector(".qrSettingsNavItemSelected").classList.remove("qrSettingsNavItemSelected");
  1886. this.controls.settingsControls.querySelector(".qrCurrentPage").classList.remove("qrCurrentPage");
  1887. linkContainer.classList.add("qrSettingsNavItemSelected");
  1888. this.controls.settingsControls.querySelector(".qrSettingsPages").children[[...linkContainer.parentElement.children].indexOf(linkContainer)].classList.add("qrCurrentPage");
  1889. }
  1890.  
  1891. toggleReplyForm(e) {
  1892. e.preventDefault();
  1893. this.showReplyForm = !this.controls.replyForm.classList.toggle("hidden");
  1894. this.controls.replyFormRestoreButton.classList.toggle("hidden", this.showReplyForm);
  1895. if (this.replyFormLocation == "float" && !this.controls.replyForm.classList.contains("qrPopout")) {
  1896. this.controls.replyFormPopoutButton.click();
  1897. }
  1898. if (this.showReplyForm) {
  1899. this.controls.replyForm.querySelector(`[name="message"]`).focus();
  1900. }
  1901. this.settingsChanged();
  1902. }
  1903.  
  1904. popoutReplyForm(e) {
  1905. e.preventDefault();
  1906. var floating = this.controls.replyForm.classList.toggle("qrPopout");
  1907. var svgPath;
  1908. if (floating) {
  1909. svgPath = "M20 14v5a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V6c0-1.1.9-2 2-2h5M15 14h-5v-5M10.5 13.5L20.2 3.8";
  1910. this.controls.replyFormPopoutButton.title = "Stop floating the Reply form";
  1911. if (!this.replyFormDraggable) {
  1912. var rect = this.controls.replyForm.querySelector(".postform").getBoundingClientRect();
  1913. var width = rect.width;
  1914. var height = rect.height;
  1915. if (width === 0) { //some compatibility stuff
  1916. var messageBox = this.controls.replyForm.querySelector(`[name="message"]`);
  1917. if (messageBox.style.width) {
  1918. width = Math.max(messageBox.style.width.replace("px", ""), messageBox.style.minWidth.replace("px", ""));
  1919. height = Math.max(messageBox.style.height.replace("px", ""), messageBox.style.minHeight.replace("px", "")) + 150;
  1920. }
  1921. }
  1922. this.controls.replyForm.style.left = `${this.doc.documentElement.clientWidth - width - 10}px`;
  1923. this.controls.replyForm.style.top = `${(this.doc.defaultView.innerHeight - height) * 0.75}px`;
  1924. }
  1925. this.replyFormDraggable = new this.doc.defaultView.Draggable("postform", { handle: "qrReplyFormHeader" });
  1926. }
  1927. else {
  1928. svgPath = "M18 14v5a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8c0-1.1.9-2 2-2h5M15 3h6v6M10 14L20.2 3.8";
  1929. this.controls.replyFormPopoutButton.title = "Pop out the Reply form and have it float";
  1930. this.replyFormDraggable.destroy();
  1931. }
  1932. this.controls.replyFormPopoutButton.firstElementChild.firstElementChild.firstElementChild.setAttribute("d", svgPath);
  1933. }
  1934.  
  1935. changeThread(e) {
  1936. this.doc.location.href = e.target.value;
  1937. }
  1938.  
  1939. updateSettings() {
  1940. this.viewMode = this.controls.viewModeDropdown.value;
  1941. this.showSuggestions = this.controls.showSuggestionsDropdown.value;
  1942. this.showAuthorComments = this.controls.showAuthorCommentsDropdown.value;
  1943. this.expandImages = this.controls.expandImagesDropdown.value;
  1944. this.showUpdateInfo = this.controls.showUpdateInfoCheckbox.checked;
  1945. this.replyFormLocation = this.controls.replyFormLocationDropdown.value;
  1946. this.refresh({scroll: false});
  1947. this.settingsChanged();
  1948. }
  1949.  
  1950. changePostElementSettings(e) {
  1951. if (e.target === this.controls.showReferencesDropdown) {
  1952. this.showReferences = this.controls.showReferencesDropdown.value;
  1953. this.doc.head.querySelector("#qrReferencesCss").innerHTML = this.getReferencesStyleRules();
  1954. }
  1955. else if (e.target === this.controls.colorUsersCheckbox) {
  1956. this.colorUsers = this.controls.colorUsersCheckbox.checked;
  1957. this.doc.head.querySelector("#qrUserColorsCss").innerHTML = this.getUserColorsStyleRules();
  1958. }
  1959. else if (e.target === this.controls.showUserPostCountsCheckbox) {
  1960. this.showUserPostCounts = this.controls.showUserPostCountsCheckbox.checked;
  1961. this.doc.head.querySelector("#qrUserPostCountsCss").innerHTML = this.getUserPostCountsStyleRules();
  1962. }
  1963. else if (e.target === this.controls.showUserNavCheckbox) {
  1964. this.showUserNav = this.controls.showUserNavCheckbox.checked;
  1965. this.doc.head.querySelector("#qrUserNavCss").innerHTML = this.getUserNavStyleRules();
  1966. }
  1967. else if (e.target === this.controls.showUserMultiPostCheckbox) {
  1968. this.showUserMultiPost = this.controls.showUserMultiPostCheckbox.checked;
  1969. this.doc.head.querySelector("#qrUserMultiPostCss").innerHTML = this.getUserMultiPostStyleRules();
  1970. }
  1971. else if (e.target === this.controls.timestampFormatDropdown) {
  1972. this.timestampFormat = this.controls.timestampFormatDropdown.value;
  1973. this.relativeTime = null;
  1974. }
  1975. this.refresh({scroll: false});
  1976. this.settingsChanged();
  1977. }
  1978.  
  1979. changeImageSizeSettings(e) {
  1980. var width = parseInt(this.controls.maxImageWidthTextbox.value);
  1981. var height = parseInt(this.controls.maxImageHeightTextbox.value);
  1982. if (isNaN(width) || width < 0 || width > 100) {
  1983. width = this.maxImageWidth;
  1984. this.controls.maxImageWidthTextbox.value = width;
  1985. }
  1986. if (isNaN(height) || height < 0 || height > 100) {
  1987. height = this.maxImageHeight;
  1988. this.controls.maxImageHeightTextbox.value = height;
  1989. }
  1990. this.maxImageWidth = width;
  1991. this.maxImageHeight = height;
  1992. this.stretchImages = this.controls.stretchImagesCheckbox.checked;
  1993. this.controls.imageWidthLabel.textContent = this.stretchImages ? "Image container width" : "Max image width";
  1994. this.controls.imageHeightLabel.textContent = this.stretchImages ? "Image container height" : "Max image height";
  1995. this.doc.head.querySelector("#qrImageSizeCss").innerHTML = this.getImageSizesStyleRules();
  1996. this.refresh({scroll: false});
  1997. this.settingsChanged();
  1998. }
  1999.  
  2000. async useWiki() {
  2001. if (this.threadType == ThreadType.OTHER) {
  2002. return;
  2003. }
  2004. var wikiUrls = await this.findWikiUrls();
  2005. if (!wikiUrls) {
  2006. return;
  2007. }
  2008. var wikiDatas = [];
  2009. for (let wikiUrl of wikiUrls) {
  2010. var wikiPageName = wikiUrl.substring(wikiUrl.lastIndexOf("/") + 1);
  2011. //cache wiki page names
  2012. if (!this.wikiPages.includes(wikiPageName)) {
  2013. this.wikiPages.push(wikiPageName);
  2014. this.settingsChanged();
  2015. }
  2016. //try get wiki data from cache
  2017. let wikiData = await this.getWikiData(wikiUrl);
  2018. wikiDatas.push(wikiData);
  2019. //cache wiki data
  2020. if (this.onWikiDataChanged !== null) {
  2021. //remember last visited quest thread
  2022. if (this.threadType == ThreadType.QUEST) {
  2023. wikiData.lastVisitedQuestUrl = this.doc.location.href.replace(new RegExp("#[0-9]+$"), ""); //don't want to remember the anchor
  2024. wikiData.lastVisitedTime = Date.now();
  2025. }
  2026. let e = { threadID: this.threadID, threadType: this.threadType, boardName: this.boardName, wikiPageName: wikiPageName, wikiData: wikiData };
  2027. this.onWikiDataChanged(e);
  2028. }
  2029. }
  2030. //use wiki data
  2031. //set up links to the quest wiki
  2032. var wikiTarget = this.wikiPages.length > 1 ? `/w/index.php?search=${this.threadID}&fulltext=1&limit=500`: wikiUrls[0];
  2033. this.controls.wikiLinks.forEach(link => { link.href = wikiTarget; link.style.removeProperty("color"); });
  2034. //set up link to the discussion thread, or quest thread if currently in a discussion thread
  2035. if (this.threadType == ThreadType.QUEST) {
  2036. var disThreadGroup = wikiDatas[0].threadGroups.find(group => group.some(link => link.url.indexOf("/questdis/") >= 0));
  2037. if (disThreadGroup) {
  2038. this.controls.disLinks.forEach(link => { link.href = disThreadGroup[disThreadGroup.length - 1].url; link.parentElement.classList.remove("hidden"); });
  2039. }
  2040. }
  2041. else if (this.threadType == ThreadType.DISCUSSION) {
  2042. var visitedQuests = wikiDatas.filter(wikiData => wikiData.lastVisitedQuestUrl);
  2043. if (visitedQuests.length > 0) {
  2044. var lastVisitedUrl = visitedQuests.sort((a, b) => b.lastVisitedTime - a.lastVisitedTime)[0].lastVisitedQuestUrl;
  2045. this.controls.questLinks.forEach(link => { link.href = lastVisitedUrl; link.parentElement.classList.remove("hidden"); });
  2046. }
  2047. else if (wikiDatas.length === 1) {
  2048. var questUrls = [];
  2049. wikiDatas[0].threadGroups.forEach(group => group.forEach(link => { if (link.url.indexOf("/quest/") >= 0) questUrls.push(link.url); }));
  2050. if (questUrls.length > 0) {
  2051. var lastNumberRegEx = new RegExp("([0-9]+)(?=[^0-9]*$)");
  2052. var highestIdThread = questUrls.reduce((max, url) => { if (parseInt(url.match(lastNumberRegEx)[1]) > parseInt(max.match(lastNumberRegEx)[1])) max = url; return max; });
  2053. this.controls.questLinks.forEach(link => { link.href = highestIdThread; link.parentElement.classList.remove("hidden"); });
  2054. }
  2055. }
  2056. }
  2057. //set up links to the quest threads; if in one of the quest threads, then only show links from the same group
  2058. var currentThreadGroup = wikiDatas[0].threadGroups.find(group => group.some(link => link.url.indexOf(this.threadID) >= 0));
  2059. if (currentThreadGroup) {
  2060. var threadOptionsHtml;
  2061. if (this.threadType == ThreadType.QUEST) {
  2062. threadOptionsHtml = currentThreadGroup.reduce((optionsHtml, thread) => optionsHtml + `<option value="${thread.url}">${thread.name}</option>`, "");
  2063. }
  2064. else {
  2065. var questsOptions = wikiDatas.map(wikiData => {
  2066. var optionsGroups = wikiData.threadGroups.map(group => group.reduce((optionsHtml, thread) => optionsHtml + `<option value="${thread.url}"> ${thread.name}</option>`, ""));
  2067. return `<option disabled>${wikiData.questTitle}</option>` + optionsGroups.join(`<option disabled>────────</option>`);
  2068. });
  2069. threadOptionsHtml = questsOptions.join(`<option disabled></option>`);
  2070. }
  2071. var currentThreadUrl = currentThreadGroup.find(thread => thread.url.indexOf(this.threadID) >= 0).url;
  2072. this.controls.threadLinksDropdowns.forEach(dropdown => {
  2073. dropdown.innerHTML = threadOptionsHtml;
  2074. dropdown.value = currentThreadUrl;
  2075. });
  2076. }
  2077. //update the thread / tab title with the title from wiki
  2078. if (wikiDatas[0].questTitle) {
  2079. if (this.threadType == ThreadType.DISCUSSION) {
  2080. if (wikiDatas.length === 1) {
  2081. this.doc.title = `${wikiDatas[0].questTitle} Discussion`;
  2082. this.controls.logo.textContent = this.doc.title;
  2083. }
  2084. }
  2085. else {
  2086. this.doc.title = `${this.hasTitle ? this.doc.title : wikiDatas[0].questTitle}${wikiDatas[0].byAuthors}`;
  2087. this.controls.logo.textContent = this.doc.title;
  2088. }
  2089. }
  2090. }
  2091.  
  2092. async findWikiUrls() {
  2093. if (this.wikiPages.length > 0 && Date.now() - this.wikiLastSearchTime < 3 * 24 * 60 * 60000) { //flush cache every 3 days
  2094. return this.wikiPages.map(name => `/wiki/${name}`);
  2095. }
  2096. try {
  2097. this.wikiPages = [];
  2098. var xhr = await Xhr.get(`/w/index.php?search=${this.threadID}&fulltext=1&limit=500`);
  2099. this.wikiLastSearchTime = Date.now();
  2100. }
  2101. catch(e) {
  2102. return;
  2103. }
  2104. //var threadID = xhr.responseURL.match(new RegExp("search=([0-9]+)"))[1];
  2105. var doc = this.doc.implementation.createHTMLDocument(); //we create a HTML document, but don't load the images or scripts therein
  2106. doc.documentElement.innerHTML = xhr.response;
  2107. var results = [...doc.querySelectorAll(".searchmatch")].filter(el => el.textContent == this.threadID);
  2108. if (results.length === 0) {
  2109. return;
  2110. }
  2111. //filter wiki search results to the ones that have the threadID in the quest info box
  2112. var theRightOnes = results.filter(el => {var p = el.previousSibling; return p && p.nodeType == Node.TEXT_NODE && p.textContent.match(new RegExp("[0-9]=$")); });
  2113. if (theRightOnes.length === 0) {
  2114. return;
  2115. }
  2116. return theRightOnes.map(el => el.parentElement.previousElementSibling.querySelector("a").href);
  2117. }
  2118.  
  2119. async getWikiData(wikiUrl) {
  2120. var wikiPageName = wikiUrl.substring(wikiUrl.lastIndexOf("/") + 1);
  2121. if (this.onWikiDataLoad !== null) {
  2122. let e = { threadID: this.threadID, threadType: this.threadType, boardName: this.boardName, wikiPageName: wikiPageName, wikiData: null };
  2123. this.onWikiDataLoad(e);
  2124. if (e.wikiData && e.wikiData.retrieveTime && Date.now() - e.wikiData.retrieveTime < 3 * 24 * 60 * 60000) { //flush cache every 3 days
  2125. return e.wikiData;
  2126. }
  2127. }
  2128. var wikiData = { retrieveTime: Date.now() };
  2129. try {
  2130. var xhr = await Xhr.get(wikiUrl);
  2131. }
  2132. catch(e) {
  2133. this.wikiPages = this.wikiPages.filter(el => el !== wikiPageName);
  2134. this.settingsChanged();
  2135. return;
  2136. }
  2137. //parse quest wiki
  2138. var doc = this.doc.implementation.createHTMLDocument();
  2139. doc.documentElement.innerHTML = xhr.response;
  2140. var links = [...doc.querySelectorAll(".infobox a")];
  2141. links = links.filter(link => link.href.indexOf("image-for") < 0);
  2142. var threadLinks = links.filter(l => l.href.indexOf("/quest/") >= 0 || l.href.indexOf("/questarch/") >= 0 || l.href.indexOf("/graveyard/") >= 0);
  2143. var disThreadLinks = links.filter(l => l.href.indexOf("/questdis/") >= 0);
  2144. //create thread groups, like they're in the wiki
  2145. wikiData.threadGroups = [];
  2146. var groups = new Map();
  2147. [...threadLinks, ...disThreadLinks].forEach(link => {
  2148. var key = link.parentElement.parentElement;
  2149. var group = groups.get(key) || [];
  2150. group.push({name: link.textContent, url: link.href});
  2151. groups.set(key, group);
  2152. });
  2153. groups.forEach((links, key) => wikiData.threadGroups.push(links));
  2154. wikiData.threadGroups.forEach(group => group.forEach(link => {
  2155. if (link.name == "Thread" && group.length === 1) {
  2156. link.name = "Thread 1";
  2157. }
  2158. }));
  2159. //get quest author and title
  2160. var infoboxHeader = doc.querySelector(".infobox big");
  2161. if (infoboxHeader) {
  2162. var children = [...infoboxHeader.childNodes];
  2163. wikiData.questTitle = children.shift().textContent;
  2164. wikiData.byAuthors = children.reduce((acc, el) => {acc += el.textContent; return acc;}, "");
  2165. }
  2166. return wikiData;
  2167. }
  2168.  
  2169. updateControls() {
  2170. var leftDisabled = this.currentUpdate() == this.firstUpdate();
  2171. var rightDisabled = this.currentUpdate() == this.lastUpdate();
  2172. var current = this.currentUpdateIndex + 1;
  2173. var last = this.updates.length;
  2174. var infoUpdate = this.currentUpdate();
  2175. if (this.viewMode == "sequence") {
  2176. leftDisabled = this.currentUpdate().sequence == this.firstUpdate().sequence;
  2177. rightDisabled = this.currentUpdate().sequence == this.lastUpdate().sequence;
  2178. current = this.sequences.indexOf(this.currentUpdate().sequence) + 1;
  2179. last = this.sequences.length;
  2180. infoUpdate = this.currentUpdate().sequence[this.currentUpdate().sequence.length - 1];
  2181. }
  2182. // buttons
  2183. [...this.controls.showFirstButtons, ...this.controls.showPrevButtons].forEach(button => { button.disabled = leftDisabled; });
  2184. [...this.controls.showNextButtons, ...this.controls.showLastButtons].forEach(button => { button.disabled = rightDisabled; });
  2185. // update info
  2186. this.controls.currentPosLabels.forEach(label => { label.textContent = current; label.classList.toggle("qrLastIndex", current == last); });
  2187. this.controls.totalPosLabels.forEach(label => { label.textContent = last; });
  2188. this.controls.updateInfos.forEach(infoContainer => { infoContainer.classList.toggle("hidden", !this.showUpdateInfo); });
  2189. if (this.showUpdateInfo) {
  2190. this.controls.authorCommentsCountLabels[0].textContent = ` A:${this.viewMode !== "all" ? infoUpdate.authorComments.length : this.total.authorComments}`;
  2191. this.controls.authorCommentsCountLabels[1].textContent = ` A:${infoUpdate.authorComments.length}`;
  2192. this.controls.suggestionsCountLabels[0].textContent = ` S:${this.viewMode !== "all" ? infoUpdate.suggestions.length : this.total.suggestions}`;
  2193. this.controls.suggestionsCountLabels[1].textContent = ` S:${infoUpdate.suggestions.length}`;
  2194. this.updateSuggestersLabel(this.controls.suggestersCountLabels[0], this.viewMode === "all" ? this.suggesters : infoUpdate.suggesters);
  2195. this.updateSuggestersLabel(this.controls.suggestersCountLabels[1], infoUpdate.suggesters);
  2196. }
  2197. // settings
  2198. this.controls.viewModeDropdown.value = this.viewMode;
  2199. this.controls.showSuggestionsDropdown.value = this.showSuggestions;
  2200. this.controls.showAuthorCommentsDropdown.value = this.showAuthorComments;
  2201. this.controls.showReferencesDropdown.value = this.showReferences;
  2202. this.controls.replyFormLocationDropdown.value = this.replyFormLocation;
  2203. this.controls.expandImagesDropdown.value = this.expandImages;
  2204. this.controls.maxImageWidthTextbox.value = this.maxImageWidth;
  2205. this.controls.maxImageHeightTextbox.value = this.maxImageHeight;
  2206. this.controls.stretchImagesCheckbox.checked = this.stretchImages;
  2207. this.controls.imageWidthLabel.textContent = this.stretchImages ? "Image container width" : "Max image width";
  2208. this.controls.imageHeightLabel.textContent = this.stretchImages ? "Image container height" : "Max image height";
  2209. this.controls.showUpdateInfoCheckbox.checked = this.showUpdateInfo;
  2210. this.controls.timestampFormatDropdown.value = this.timestampFormat;
  2211. this.controls.colorUsersCheckbox.checked = this.colorUsers;
  2212. this.controls.showUserPostCountsCheckbox.checked = this.showUserPostCounts;
  2213. this.controls.showUserNavCheckbox.checked = this.showUserNav;
  2214. this.controls.showUserMultiPostCheckbox.checked = this.showUserMultiPost;
  2215. // sticky controls when viewing whole thread (only in quest threads)
  2216. if (this.threadType == ThreadType.QUEST) {
  2217. this.controls.navControls[1].classList.toggle("stickyBottom", this.viewMode == "all");
  2218. this.controls.navLinksContainers[1].classList.toggle("qrNavLinksBottom", this.viewMode == "all");
  2219. var areLinksInGrid = this.controls.navLinksContainers[1].parentElement.classList.contains("qrNavControls");
  2220. if (areLinksInGrid && this.viewMode == "all") { //move the links out of the grid so they don't appear in the floating nav controls
  2221. this.controls.navControls[1].insertAdjacentElement("beforeBegin", this.controls.navLinksContainers[1]);
  2222. }
  2223. else if (!areLinksInGrid && this.viewMode != "all") { //move the links back into the grid
  2224. this.controls.navControls[1].insertAdjacentElement("beforeEnd", this.controls.navLinksContainers[1]);
  2225. }
  2226. }
  2227.  
  2228. /* // sentinels for full thread view
  2229. var topOfCurrent = 0;
  2230. var bottomOfCurrent = 0;
  2231. if (this.viewMode == "all") {
  2232. if (this.currentUpdate() != this.firstUpdate()) {
  2233. topOfCurrent = this.posts.get(this.currentUpdate().updatePostID).outer.offsetTop;
  2234. }
  2235. if (this.currentUpdate() != this.lastUpdate()) {
  2236. bottomOfCurrent = this.posts.get(this.updates[this.currentUpdateIndex + 1].updatePostID).outer.offsetTop;
  2237. }
  2238. this.sentinelPreviousEl.style.height = `${topOfCurrent}px`; //end of previous is top of current;
  2239. this.sentinelCurrentEl.style.height = `${bottomOfCurrent}px`; //end of current is the top of next
  2240. }
  2241. this.sentinelPreviousEl.classList.toggle("hidden", this.viewMode != "all" || topOfCurrent === 0);
  2242. this.sentinelCurrentEl.classList.toggle("hidden", this.viewMode != "all" || bottomOfCurrent === 0);
  2243. */
  2244. // reply form juggling
  2245. var isReplyFormAtTop = (this.controls.replymode == this.controls.postarea.previousElementSibling);
  2246. if (this.replyFormLocation != "top" && isReplyFormAtTop) { //move it down
  2247. this.controls.postarea.remove();
  2248. this.doc.body.insertBefore(this.controls.postarea, this.controls.navbar);
  2249. this.controls.controlsTop.previousElementSibling.insertAdjacentHTML("beforeBegin", "<hr>");
  2250. }
  2251. else if (this.replyFormLocation == "top" && !isReplyFormAtTop) { //move it up
  2252. this.controls.postarea.remove();
  2253. this.controls.replymode.insertAdjacentElement("afterEnd", this.controls.postarea);
  2254. this.controls.controlsTop.previousElementSibling.previousElementSibling.remove(); //remove <hr>
  2255. }
  2256. this.controls.replyForm.classList.toggle("hidden" , !this.showReplyForm);
  2257. this.controls.replyFormRestoreButton.classList.toggle("hidden", this.showReplyForm);
  2258.  
  2259. if (this.viewMode == "all" && !this.scrollIntervalHandle) {
  2260. this.scrollIntervalHandle = setInterval(() => { if (this.viewMode == "all" && Date.now() - this.lastScrollTime < 250) { this.handleScroll(); } }, 50);
  2261. }
  2262. else if (this.viewMode != "all" && this.scrollIntervalHandle) {
  2263. clearInterval(this.scrollIntervalHandle);
  2264. this.scrollIntervalHandle = null;
  2265. }
  2266. }
  2267.  
  2268. updateSuggestersLabel(label, suggesters) {
  2269. var anons = suggesters.filter(el => el.children.length === 0);
  2270. var newAnons = anons.filter(el => el.isNew);
  2271. label.textContent = `U:${suggesters.length}`;
  2272. label.title =
  2273. `# of unique suggesters for the visible updates. Of these there are:
  2274. ${suggesters.length - anons.length} named suggesters
  2275. ${anons.length - newAnons.length} unnamed suggesters (familiar)
  2276. ${newAnons.length} unnamed suggesters (new)`;
  2277. }
  2278.  
  2279. insertControls(doc) {
  2280. //cache existing top-level html elements based their class name or id for faster access
  2281. [...doc.body.children].forEach(child => {
  2282. var name = child.classList[0] || child.id;
  2283. if (name) {
  2284. this.controls[name] = child;
  2285. }
  2286. });
  2287. this.controls.navControls = [];
  2288. //top controls
  2289. var delform = this.posts.get(this.threadID).outer;
  2290. var fragment = doc.createRange().createContextualFragment(this.getTopControlsHtml());
  2291. this.controls.controlsTop = fragment.firstElementChild;
  2292. this.controls.navControls.push(this.controls.controlsTop.querySelector(".qrNavControls"));
  2293. delform.parentElement.insertBefore(fragment, delform);
  2294. //bottom nav controls
  2295. fragment = doc.createRange().createContextualFragment(`${this.getNavControlsHtml()}<hr>`);
  2296. this.controls.navControls.push(fragment.firstElementChild);
  2297. delform.insertBefore(fragment, delform.lastElementChild);
  2298. //make reply form collapsable
  2299. this.controls.postarea.insertAdjacentHTML("afterBegin", `<div class="hidden">[<a href="#" id="qrReplyFormRestoreButton">Reply</a>]</div>`);
  2300. this.controls.replyFormRestoreButton = this.controls.postarea.firstElementChild;
  2301. //reply form header
  2302. this.controls.replyForm = doc.querySelector("#postform");
  2303. this.controls.replyForm.querySelector(".postform").insertAdjacentHTML("afterBegin", this.getReplyFormHeaderHtml()); //note that we can't create a <thead> element in a fragment without table
  2304. this.controls.replyFormMinimizeButton = this.controls.replyForm.querySelector("#qrReplyFormMinimizeButton");
  2305. this.controls.replyFormPopoutButton = this.controls.replyForm.querySelector("#qrReplyFormPopoutButton");
  2306.  
  2307. //when viewing full thread, we want to detect and remember where we are; something something IntersectionObserver
  2308. /*doc.body.insertAdjacentHTML("afterBegin", `<div class="sentinel hidden"></div><div class="sentinel hidden"></div>`);
  2309. this.sentinelPreviousEl = doc.body.firstChild;
  2310. this.sentinelCurrentEl = doc.body.firstChild.nextSibling;
  2311. this.sentinelPrevious = new IntersectionObserver((entries, observer) => { this.handleSentinel(entries, observer); }, { rootMargin: "2px" } ); //need to pass the callback like this to keep the context
  2312. this.sentinelCurrent = new IntersectionObserver((entries, observer) => { this.handleSentinel(entries, observer); }, { rootMargin: "2px" } );
  2313. this.sentinelPrevious.observe(this.sentinelPreviousEl);
  2314. this.sentinelCurrent.observe(this.sentinelCurrentEl);*/
  2315.  
  2316. //cache control elements for faster access
  2317. var queries = [".qrNavLinksContainer", ".qrShowFirstButton", ".qrShowPrevButton", ".qrShowNextButton", ".qrShowLastButton", ".qrWikiLink", ".qrQuestLink", ".qrDisLink", ".qrThreadLinksDropdown",
  2318. ".qrNavPosition", ".qrCurrentPosLabel", ".qrTotalPosLabel", ".qrUpdateInfo", ".qrAuthorCommentsCountLabel", ".qrSuggestionsCountLabel", ".qrSuggestersCountLabel", ];
  2319. queries.forEach((query) => {
  2320. var controlGroupName = `${query[3].toLowerCase()}${query.substring(4)}s`;
  2321. this.controls[controlGroupName] = [ this.controls.navControls[0].querySelector(query), this.controls.navControls[1].querySelector(query)];
  2322. });
  2323. this.controls.settingsControls = this.controls.controlsTop.querySelector(".qrSettingsControls");
  2324. this.controls.controlsTop.querySelectorAll("[id]").forEach(el => {
  2325. this.controls[`${el.id[2].toLowerCase()}${el.id.substring(3)}`] = el;
  2326. });
  2327. if (this.threadType !== ThreadType.QUEST) { //hide controls which aren't relevant in non-quest threads
  2328. var controlsToHide = [...this.controls.showFirstButtons, ...this.controls.showPrevButtons, ...this.controls.showNextButtons, ...this.controls.showLastButtons, ...this.controls.navPositions];
  2329. controlsToHide.forEach(el => el.classList.add("transparent"));
  2330. var settingsToHide = [this.controls.viewModeLabel, this.controls.viewModeDropdown,
  2331. this.controls.showSuggestionsLabel, this.controls.showSuggestionsDropdown,
  2332. this.controls.showAuthorCommentsLabel, this.controls.showAuthorCommentsDropdown,
  2333. this.controls.showUpdateInfoLabel, this.controls.showUpdateInfoCheckbox,
  2334. this.controls.showUserMultiPostLabel, this.controls.showUserMultiPostCheckbox,
  2335. this.controls.keyboardShortcutsLabel, this.controls.keyboardShortcutsLabel.nextElementSibling];
  2336. settingsToHide.forEach(el => el.classList.add("hidden"));
  2337. this.controls.showReferencesDropdown.options[1].remove();
  2338. this.controls.expandImagesDropdown.options[1].remove();
  2339. }
  2340. if (this.threadType === ThreadType.OTHER) {
  2341. this.controls.wikiLinks.forEach(el => el.parentElement.classList.add("hidden"));
  2342. this.controls.threadLinksDropdowns.forEach(el => el.classList.add("hidden"));
  2343. }
  2344. }
  2345.  
  2346. /*handleSentinel(entries, observer) {
  2347. console.log(entries[0]);
  2348. var newUpdateIndex = this.currentUpdateIndex;
  2349. if (observer == this.sentinelPrevious && entries[0].isIntersecting) {
  2350. newUpdateIndex--;
  2351. }
  2352. else if (observer == this.sentinelCurrent && !entries[0].isIntersecting) {
  2353. newUpdateIndex++;
  2354. }
  2355. if (newUpdateIndex != this.currentUpdateIndex && newUpdateIndex >= 0 && newUpdateIndex < this.updates.length) {
  2356. this.currentUpdateIndex = newUpdateIndex;
  2357. this.updateControls();
  2358. this.settingsChanged();
  2359. }
  2360. }*/
  2361.  
  2362. insertStyling(doc) {
  2363. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrMainCss">${this.getMainStyleRules(doc)}</style>`);
  2364. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrImageSizeCss">${this.getImageSizesStyleRules()}</style>`);
  2365. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrReferencesCss">${this.getReferencesStyleRules()}</style>`);
  2366. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrUserColorsCss">${this.getUserColorsStyleRules()}</style>`);
  2367. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrUserPostCountsCss">${this.getUserPostCountsStyleRules()}</style>`);
  2368. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrUserNavCss">${this.getUserNavStyleRules()}</style>`);
  2369. doc.head.insertAdjacentHTML("beforeEnd", `<style id="qrUserMultiPostCss">${this.getUserMultiPostStyleRules()}</style>`);
  2370. }
  2371.  
  2372. insertEvents(doc) {
  2373. //events for our controls
  2374. this.controls.settingsToggleButton.addEventListener("click", e => this.toggleSettingsControls(e));
  2375. this.controls.settingsPageNav.addEventListener("click", e => this.showSettingsPage(e));
  2376. this.controls.viewModeDropdown.addEventListener("change", e => this.updateSettings(e));
  2377. this.controls.showSuggestionsDropdown.addEventListener("change", e => this.updateSettings(e));
  2378. this.controls.showAuthorCommentsDropdown.addEventListener("change", e => this.updateSettings(e));
  2379. this.controls.replyFormLocationDropdown.addEventListener("change", e => this.updateSettings(e));
  2380. this.controls.showReferencesDropdown.addEventListener("change", e => this.changePostElementSettings(e));
  2381. this.controls.expandImagesDropdown.addEventListener("change", e => this.updateSettings(e));
  2382. this.controls.maxImageWidthTextbox.addEventListener("change", e => this.changeImageSizeSettings(e));
  2383. this.controls.maxImageHeightTextbox.addEventListener("change", e => this.changeImageSizeSettings(e));
  2384. this.controls.stretchImagesCheckbox.addEventListener("click", e => this.changeImageSizeSettings(e));
  2385. this.controls.showUpdateInfoCheckbox.addEventListener("click", e => this.updateSettings(e));
  2386. this.controls.timestampFormatDropdown.addEventListener("change", e => this.changePostElementSettings(e));
  2387. this.controls.colorUsersCheckbox.addEventListener("click", e => this.changePostElementSettings(e));
  2388. this.controls.showUserPostCountsCheckbox.addEventListener("click", e => this.changePostElementSettings(e));
  2389. this.controls.showUserNavCheckbox.addEventListener("click", e => this.changePostElementSettings(e));
  2390. this.controls.showUserMultiPostCheckbox.addEventListener("click", e => this.changePostElementSettings(e));
  2391. this.controls.replyFormMinimizeButton.addEventListener("click", e => this.toggleReplyForm(e));
  2392. this.controls.replyFormRestoreButton.addEventListener("click", e => this.toggleReplyForm(e));
  2393. this.controls.replyFormPopoutButton.addEventListener("click", e => this.popoutReplyForm(e));
  2394. this.controls.showFirstButtons.forEach(el => el.addEventListener("click", e => this.showFirst(e)));
  2395. this.controls.showPrevButtons.forEach(el => el.addEventListener("click", e => this.showPrevious(e)));
  2396. this.controls.showNextButtons.forEach(el => el.addEventListener("click", e => this.showNext(e)));
  2397. this.controls.showLastButtons.forEach(el => el.addEventListener("click", e => this.showLast(e)));
  2398. this.controls.threadLinksDropdowns.forEach(el => el.addEventListener("change", e => this.changeThread(e)));
  2399.  
  2400. //events for other controls
  2401. this.controls.replyForm.querySelector(`input[type="submit"][value="Reply"]`).addEventListener("click", (e) => {
  2402. var userName = this.controls.replyForm(`input[name="name"]`).value.trim().toLowerCase();
  2403. if(this.author.id === userName || this.author.children.some(child => child.id === userName)) {
  2404. this.moveToLast = true;
  2405. this.settingsChanged();
  2406. }
  2407. });
  2408.  
  2409. //global events
  2410. doc.defaultView.addEventListener("hashchange", (e) => { //if the #hash at the end of url changes, it means the user clicked a post link and we need to show him the update that contains that post
  2411. var oldPostID = parseInt(new URL(e.oldURL).hash.replace("#", ""));
  2412. var newPostID = parseInt(new URL(e.newURL).hash.replace("#", ""));
  2413. if (!isNaN(oldPostID) && oldPostID !== this.threadID && this.posts.has(oldPostID)) {
  2414. this.posts.get(oldPostID).inner.classList.remove("highlight");
  2415. this.posts.get(oldPostID).inner.classList.add("reply");
  2416. }
  2417. if (!isNaN(newPostID) && newPostID !== this.threadID && this.posts.has(newPostID)) {
  2418. this.posts.get(newPostID).inner.classList.add("highlight");
  2419. this.refresh({checkHash: "true"});
  2420. }
  2421. });
  2422.  
  2423. this.lastScrollTime = 0;
  2424. doc.defaultView.addEventListener("wheel", (e) => { //after the wheeling has finished, check if the user
  2425. this.lastScrollTime = Date.now();
  2426. });
  2427.  
  2428. doc.addEventListener("keydown", (e) => {
  2429. if (this.threadType !== ThreadType.QUEST) {
  2430. return;
  2431. }
  2432. var inputTypes = ["text", "password", "number", "email", "tel", "url", "search", "date", "datetime", "datetime-local", "time", "month", "week"];
  2433. if (e.target.tagName === "TEXTAREA" || e.target.tagName === "SELECT" || (e.target.tagName === "INPUT" && inputTypes.indexOf(e.target.type) >= 0)) {
  2434. return; //prevent our keyboard shortcuts when focused on a text input field
  2435. }
  2436. if (e.altKey || e.shiftKey || e.ctrlKey) { //alt+left arrow, or alt+right arrow, for the obvious reasons we don't want to handle those, or any other combination for that matter
  2437. return;
  2438. }
  2439. if (e.key == "ArrowRight") {
  2440. e.preventDefault();
  2441. this.showNext();
  2442. }
  2443. else if (e.key == "ArrowLeft") {
  2444. e.preventDefault();
  2445. this.showPrevious();
  2446. }
  2447. var scrollKeys = ["ArrowUp", "ArrowDown", " ", "PageUp", "PageDown", "Home", "End"]; //it turns out that scrolling the page is possible with stuff other than mouse wheel
  2448. if (scrollKeys.indexOf(e.key) >= 0) {
  2449. this.lastScrollTime = Date.now();
  2450. }
  2451. });
  2452. //clicking on a reflink in post header should show the Reply form and THEN insert text and focus it
  2453. doc.addEventListener("click", (e) => {
  2454. var node = e.target;
  2455. if (node.nodeType === Node.TEXT_NODE) {
  2456. return;
  2457. }
  2458. if (node.nodeName === "A") {
  2459. if (node.parentElement.classList.contains("reflink") && node.parentElement.lastElementChild == node) {
  2460. e.preventDefault();
  2461. if (!this.showReplyForm) {
  2462. this.controls.replyFormRestoreButton.click();
  2463. if (this.replyFormLocation == "float" && !this.controls.replyForm.classList.contains("qrPopout")) {
  2464. this.controls.replyFormPopoutButton.click();
  2465. }
  2466. }
  2467. return doc.defaultView.insert(`>>${node.textContent}\n`);
  2468. }
  2469. }
  2470. else if (node.nodeName == "LABEL" && node.parentElement.classList.contains("postwidth")) {
  2471. e.preventDefault();
  2472. if (this.relativeTime === null ) {
  2473. var post = this.posts.get(parseInt(node.parentElement.firstElementChild.name));
  2474. var currentDateTime = new Date();
  2475. this.relativeTime = this.timestampFormat == "auto" ? (currentDateTime.getTime() - this.getUtcTime(post, node.lastChild)) >= 86400000 : this.timestampFormat != "relative" && this.timestampFormat != "relativeUpd";
  2476. }
  2477. else {
  2478. this.relativeTime = !this.relativeTime;
  2479. }
  2480. this.refresh({scroll: false});
  2481. this.settingsChanged();
  2482. }
  2483. });
  2484. //should also remove the unnecessary click events;
  2485. this.posts.forEach(post => {
  2486. post.header.querySelector(".reflink").lastElementChild.onclick = null;
  2487. });
  2488. //clicking on style links should rebuild our style
  2489. this.controls.adminbar.querySelectorAll("a").forEach(el => {
  2490. if (!el.title && !el.target) {
  2491. el.addEventListener("click", (e) => {
  2492. doc.head.querySelector("#qrMainCss").innerHTML = this.getMainStyleRules(doc);
  2493. });
  2494. }
  2495. });
  2496. //The site's highlight() function is slow and buggy. In fact, it should be bound to the hashchange event... actually a css pseudo selector :target should've been used for the effect
  2497. //Of course, currently it won't work because the anchors with the IDs are inside headers instead of the elements themselves being anchors
  2498. doc.defaultView.highlight = new Function();
  2499. doc.defaultView.checkhighlight = () => {
  2500. var hashedPostID = parseInt(doc.location.hash.replace("#", ""));
  2501. if (!isNaN(hashedPostID) && hashedPostID != this.threadID && this.posts.has(hashedPostID)) {
  2502. this.posts.get(hashedPostID).inner.classList.add("highlight");
  2503. }
  2504. }
  2505. //similarily the addpreviewevents function is doing it wrong; we should insert only 2 events for the document and use the bubbling instead of inserting hundreds of events
  2506. doc.defaultView.addpreviewevents = new Function();
  2507. doc.addEventListener("mouseover", function(e) {
  2508. if (e.target.nodeName === "A" && e.target.className.startsWith("ref|")) {
  2509. e.view.addreflinkpreview(e);
  2510. }
  2511. });
  2512. doc.addEventListener("mouseout", function(e) {
  2513. if (e.target.nodeName === "A" && e.target.className.startsWith("ref|")) {
  2514. e.view.delreflinkpreview(e);
  2515. }
  2516. });
  2517. }
  2518.  
  2519. handleScroll() {
  2520. //check if the user scrolled to a different update on screen -> mark and save the position (only in whole thread view)
  2521. var indexes = this.getVisibleUpdateIndexes();
  2522. if (indexes == null) {
  2523. return;
  2524. }
  2525. if (this.currentUpdateIndex != indexes[0]) {
  2526. this.currentUpdateIndex = indexes[0];
  2527. this.updateControls();
  2528. this.settingsChanged();
  2529. }
  2530. var updatesToExpand = indexes.map(index => this.updates[index]);
  2531. if (this.updates.length > indexes[indexes.length - 1] + 1) {
  2532. updatesToExpand.push(this.updates[indexes[indexes.length - 1] + 1]);
  2533. }
  2534. updatesToExpand.forEach(update => this.expandUpdateImages(update));
  2535. }
  2536.  
  2537. getVisibleUpdateIndexes() {
  2538. var currentUpdatePost = this.posts.get(this.currentUpdate().updatePostID);
  2539. var currentUpdateIsAboveViewPort = !currentUpdatePost || currentUpdatePost.outer.offsetTop <= this.doc.defaultView.scrollY;
  2540. var topmostVisibleUpdateIndex = this.currentUpdateIndex;
  2541. var el;
  2542. if (currentUpdateIsAboveViewPort) { //search down
  2543. for (; topmostVisibleUpdateIndex < this.updates.length - 1; topmostVisibleUpdateIndex++) {
  2544. el = this.posts.get(this.updates[topmostVisibleUpdateIndex + 1].updatePostID);
  2545. if (!el) {
  2546. continue;
  2547. }
  2548. if (el.outer.offsetTop > this.doc.defaultView.scrollY) {
  2549. break;
  2550. }
  2551. }
  2552. }
  2553. else { //search up
  2554. for (; topmostVisibleUpdateIndex > 0; topmostVisibleUpdateIndex--) {
  2555. el = this.posts.get(this.updates[topmostVisibleUpdateIndex - 1].updatePostID);
  2556. if (!el || el.outer.offsetTop < this.doc.defaultView.scrollY) {
  2557. topmostVisibleUpdateIndex--;
  2558. break;
  2559. }
  2560. }
  2561. }
  2562. var indexes = [ topmostVisibleUpdateIndex ];
  2563. //var bottommostVisibleUpdateIndex = topmostVisibleUpdateIndex;
  2564. var windowOffsetBottom = this.doc.defaultView.scrollY + this.doc.documentElement.clientHeight;
  2565. for (; topmostVisibleUpdateIndex < this.updates.length - 1; topmostVisibleUpdateIndex++) {
  2566. el = this.posts.get(this.updates[topmostVisibleUpdateIndex + 1].updatePostID);
  2567. if (!el || el.outer.offsetTop > windowOffsetBottom) {
  2568. break;
  2569. }
  2570. indexes.push(topmostVisibleUpdateIndex + 1);
  2571. }
  2572. return indexes;
  2573. }
  2574.  
  2575. modifyLayout(doc) {
  2576. //change tab title to quest's title
  2577. var op = this.posts.get(this.threadID);
  2578. var label = op.header.querySelector("label");
  2579. this.hasTitle = !!label.querySelector(".filetitle");
  2580. var title = label.querySelector(".filetitle") || label.querySelector(".postername");
  2581. title = title.textContent.trim();
  2582. doc.title = title !== this.defaultName ? title : "Untitled Quest";
  2583. this.controls.logo.textContent = doc.title;
  2584. //extend vertical size to prevent screen jumping when navigating updates
  2585. this.controls.controlsTop.insertAdjacentHTML("beforeBegin", `<div class="haveOneScreenOfSpaceBelowHereSoItIsPossibleToScroll" />`);
  2586. //extend vertical size so it's possible to scroll to the last update in full thread view
  2587. var lastUpdatePost = this.posts.get(this.lastUpdate().updatePostID);
  2588. if (lastUpdatePost) {
  2589. lastUpdatePost.outer.insertAdjacentHTML("afterBegin", `<div class="haveOneScreenOfSpaceBelowHereSoItIsPossibleToScroll" />`);
  2590. }
  2591. //prevent wrapping posts around the OP; setting clear:left on the 2nd post doesn't work because that element might be hidden
  2592. op.inner.querySelector("blockquote").insertAdjacentHTML("afterEnd", `<div style="clear: left;"></div>`);
  2593. //prevent wrapping text underneath update images by setting update post width to 100%
  2594. this.updates.forEach(update => { //need to be careful to not set the OP (form) to 100% width because it would override BLICK's dumb width settings
  2595. var updatePost = this.posts.get(update.updatePostID);
  2596. if (updatePost) {
  2597. updatePost.inner.classList.add(update === this.firstUpdate() ? "updateOp" : "update");
  2598. }
  2599. });
  2600. //Fix OP header so that the image wraps underneath it, like the other posts
  2601. while(op.header.firstChild.name != this.threadID) {
  2602. op.header.appendChild(op.header.firstChild);
  2603. }
  2604. //hide "Expand all images" link; The link isn't always present
  2605. var expandLink = op.inner.querySelector(`a[href="#top"]`);
  2606. if (expandLink) {
  2607. expandLink.classList.add("hidden");
  2608. }
  2609. //remove the "Report completed threads!" message from the top
  2610. var message = (doc.body.querySelector("center") || doc.createElement("center")).querySelector(".filetitle");
  2611. if (message) {
  2612. message.classList.add("hidden");
  2613. }
  2614. var replyForm = this.controls.replyForm;
  2615. //remove the (Reply to #) text since it's obvious that we're replying to the thread that we're viewing, plus other text in the line
  2616. var replyToPostEl = replyForm.querySelector("#posttypeindicator");
  2617. if (replyToPostEl) {
  2618. [...replyToPostEl.parentElement.childNodes].filter(el => el && el.nodeType == HTMLElement.TEXT_NODE).forEach(el => el.remove());
  2619. replyToPostEl.remove();
  2620. }
  2621. var subjectEl = replyForm.querySelector(`input[name="subject"]`);
  2622. [...subjectEl.parentElement.childNodes].forEach(el => { if (el.nodeType == HTMLElement.TEXT_NODE) el.remove(); });
  2623. //move the upload file limitations info into a tooltip
  2624. var filetd = replyForm.querySelector(`input[type="file"]`);
  2625. var fileRulesEl = replyForm.querySelector("td.rules");
  2626. fileRulesEl.classList.add("hidden");
  2627. var fileRules = [...fileRulesEl.querySelectorAll("li")].splice(0, 2);
  2628. fileRules = fileRules.map(el => el.textContent.replace(new RegExp("[ \n]+", "g"), " ").trim()).join("\n");
  2629. filetd.insertAdjacentHTML("afterEnd", `&nbsp<span class="qrTooltip" title="${fileRules}">*</span>`);
  2630. //move the password help line into a tooltip
  2631. var postPasswordEl = replyForm.querySelector(`input[name="postpassword"]`);
  2632. postPasswordEl.nextSibling.remove();
  2633. postPasswordEl.insertAdjacentHTML("afterEnd", `&nbsp<span class="qrTooltip" title="Password for post and file deletion">?</span>`);
  2634. //reply form input placeholders
  2635. (replyForm.querySelector(`[name="name"]`) || {}).placeholder = `Name (leave empty for ${this.defaultName})`;
  2636. (replyForm.querySelector(`[name="em"]`) || {}).placeholder = "Options";
  2637. (replyForm.querySelector(`[name="em"]`) || {}).title = "sage | dice 1d6";
  2638. (replyForm.querySelector(`[name="subject"]`) || {}).placeholder = "Subject";
  2639. (replyForm.querySelector(`[name="message"]`) || {}).placeholder = "Message";
  2640. var embed = replyForm.querySelector(`[name="embed"]`);
  2641. if (embed) {
  2642. embed.parentElement.parentElement.style.display = "none";
  2643. }
  2644. //remove that annoying red strip
  2645. this.controls.replymode.classList.add("hidden");
  2646. }
  2647.  
  2648. insertTooltips() {
  2649. var c = this.controls;
  2650. c.settingsToggleButton.title = `Show/Hide Quest Reader settings`;
  2651. c.settingsPageNav.children[0].title = `General settings`;
  2652. c.settingsPageNav.children[1].title = `Image settings`;
  2653. c.settingsPageNav.children[2].title = `Analytics settings`;
  2654. c.viewModeLabel.title = `Control whether to view the thread as a comic (a set of pages) or not.
  2655. Whole thread: Show the thread at it originally is, with all the update posts visible
  2656. Paged per update: Turn the thread into pages, with a single update post per page
  2657. Paged per sequence: Turn the thread into pages, with a set of sequential update posts per page`;
  2658. c.showSuggestionsLabel.title = `Show quest suggestions. Quest suggestions are non-author posts containing directions for the quest or its characters.`;
  2659. c.showAuthorCommentsLabel.title = `Show author comments. Author comments are author posts which aren't updates.`;
  2660. c.showReferencesLabel.title = `Show links to references underneath each post or not. (References are >>links pointing to the post)`;
  2661. c.timestampFormatLabel.title = `Control the time and format of post timestamps.
  2662. Server time: Show when the post was made in server's timezone.
  2663. Local time: Show when the post was made in local timezone.
  2664. Relative to now: Show how much time has passed since the post was made to right now.
  2665. Auto: Show relative time if the post was made less than a day ago, otherwise show local time.
  2666. Hidden: Hide post timestamps.`;
  2667. c.replyFormLocationLabel.title = `Control the location and the way in which the Reply form is shown.
  2668. At top: The Reply form is located at the top of the page
  2669. At bottom: The Reply form is located at the bottom of the page
  2670. Auto-float: Show a floating Reply form when clicking on any of the post ID links, or the "Reply" link at the bottom`;
  2671. c.expandImagesLabel.title = `Automatically expand images only when they appear on screen`;
  2672. c.stretchImagesLabel.title = `Allow expanding the images beyond their intrinsic resolution to fit an image container.
  2673. The size of the image container is defined by the "Image container width" and "Image container height" settings.`;
  2674. c.showUpdateInfoLabel.title = `Show some info about the update next to the navigation controls.
  2675. The info contains three numbers: The amount of [A]uthor comments, the amount of [S]uggestions, and the amount of [U]nique suggesters for the update.`;
  2676. c.colorUsersLabel.title = `Colorize the poster ID of every suggestion post`;
  2677. c.showUserPostCountsLabel.title = `Show user's post count to the right of every poster ID; if the number is red, it means the user only made posts within one update.`;
  2678. c.showUserNavLabel.title = `Show buttons to the right of every user ID which allow navigating to the user's previous and next post`;
  2679. c.showUserMultiPostLabel.title = `Show a red indication next to posts where the suggester has made more than one suggestion for the update`;
  2680. c.authorCommentsCountLabels.forEach(el => { el.title = `# of author comment posts for the visible updates`; });
  2681. c.suggestionsCountLabels.forEach(el => { el.title = `# of suggestion posts for the visible updates`; });
  2682. c.suggestersCountLabels.forEach(el => { el.title = `# of unique suggesters for the visible updates`; });
  2683. c.wikiLinks.forEach(el => { el.title = `Link to the quest's wiki page`; });
  2684. c.disLinks.forEach(el => { el.title = `Link to the quest's latest discussion thread`; });
  2685. c.questLinks.forEach(el => { el.title = `Link to the quest's last visited or last created quest thread`; });
  2686. c.threadLinksDropdowns.forEach(el => { el.title = `Current quest thread`; });
  2687. c.replyFormMinimizeButton.title = `Hide the Reply form`;
  2688. c.replyFormPopoutButton.title = `Pop out the Reply form and have it float`;
  2689. }
  2690.  
  2691. getTopControlsHtml() {
  2692. return `
  2693. <div class="qrControlsTop">
  2694. <div class="qrSettingsToggle">[<a href="#" id="qrSettingsToggleButton">Settings</a>]</div>
  2695. ${this.getNavControlsHtml()}
  2696. ${this.getSettingsControlsHtml()}
  2697. <hr>
  2698. </div>`;
  2699. }
  2700.  
  2701. getSettingsControlsHtml() {
  2702. return `
  2703. <div class="qrSettingsControls collapsedHeight">
  2704. <span id="qrSettingsPageNav">
  2705. <div class="qrSettingsNavItem qrSettingsNavItemSelected">[<a href="#">General</a>]</div>
  2706. <div class="qrSettingsNavItem">[<a href="#">Images</a>]</div>
  2707. <div class="qrSettingsNavItem">[<a href="#">Analytics</a>]</div>
  2708. </span>
  2709. <div class="qrSettingsPages">
  2710. <div class="qrSettingsPage qrCurrentPage">
  2711. <div id="qrViewModeLabel">Viewing mode</div>
  2712. <select id="qrViewModeDropdown" class="qrSettingsControl"><option value="all">Whole thread</option><option value="single">Paged per update</option><option value="sequence">Paged per sequence</option></select>
  2713. <div id="qrShowReferencesLabel">Show post references</div>
  2714. <select id="qrShowReferencesDropdown" class="qrSettingsControl"><option value="none">Never</option><option value="nonupdates">For non-update posts</option><option value="all">For all</option></select>
  2715. <div id="qrShowSuggestionsLabel">Show suggestions</div>
  2716. <select id="qrShowSuggestionsDropdown" class="qrSettingsControl"><option value="none">Never</option><option value="last">Last update only</option><option value="all">Always</option></select>
  2717. <div id="qrTimestampFormatLabel">Timestamp format</div>
  2718. <select id="qrTimestampFormatDropdown" class="qrSettingsControl">
  2719. <option value="server">Server time</option>
  2720. <option value="local">Local time</option>
  2721. <option value="relative">Relative to now</option>
  2722. <option value="auto">Auto</option>
  2723. <option value="hide">Hidden</option>
  2724. </select>
  2725. <div id="qrShowAuthorCommentsLabel">Show author comments</div>
  2726. <select id="qrShowAuthorCommentsDropdown" class="qrSettingsControl"><option value="none">Never</option><option value="last">Last update only</option><option value="all">Always</option></select>
  2727. <div id="qrReplyFormLocationLabel">Reply form</div>
  2728. <select id="qrReplyFormLocationDropdown" class="qrSettingsControl"><option value="top">At top</option><option value="bottom">At bottom</option><option value="float">Auto-float</option></select>
  2729. <div id="qrKeyboardShortcutsLabel">Keyboard shortcuts</div>
  2730. <div class="qrSettingsControl qrTooltip">?<span class="qrTooltiptext">Left and Right arrow keys will <br>navigate between updates</span></div>
  2731. </div>
  2732. <div class="qrSettingsPage">
  2733. <div id="qrExpandImagesLabel">Expand images</div>
  2734. <select id="qrExpandImagesDropdown" class="qrSettingsControl"><option value="none">Do not</option><option value="updates">For updates</option><option value="all">For all</option></select>
  2735. <div id="qrImageWidthLabel">Max image width</div>
  2736. <div><input type="number" id="qrMaxImageWidthTextbox" class="qrSettingsControl" min=0 max=100 value=100> %</div>
  2737. <div id="qrStretchImagesLabel">Force fit images</div>
  2738. <input type="checkbox" id="qrStretchImagesCheckbox" class="qrSettingsControl">
  2739. <div id="qrImageHeightLabel">Max image height</div>
  2740. <div><input type="number" id="qrMaxImageHeightTextbox" class="qrSettingsControl" min=0 max=100 value=100> %</div>
  2741. </div>
  2742. <div class="qrSettingsPage">
  2743. <div id="qrShowUpdateInfoLabel">Show update info</div>
  2744. <input id="qrShowUpdateInfoCheckbox" type="checkbox" class="qrSettingsControl">
  2745. <div></div>
  2746. <div></div>
  2747. <div id="qrColorUsersLabel">Color ${this.threadType == ThreadType.QUEST ? "suggester" : "user"} IDs</div>
  2748. <input id="qrColorUsersCheckbox" type="checkbox" class="qrSettingsControl">
  2749. <div id="qrShowUserPostCountsLabel">Show user post counts</div>
  2750. <input id="qrShowUserPostCountsCheckbox" type="checkbox" class="qrSettingsControl">
  2751. <div id="qrShowUserNavLabel">Show per-user nav</div>
  2752. <input id="qrShowUserNavCheckbox" type="checkbox" class="qrSettingsControl">
  2753. <div id="qrShowUserMultiPostLabel">Show multi-posts</div>
  2754. <input id="qrShowUserMultiPostCheckbox" type="checkbox" class="qrSettingsControl">
  2755. </div>
  2756. </div>
  2757. </div>`;
  2758. }
  2759.  
  2760. getNavControlsHtml() {
  2761. return `
  2762. <div class="qrNavControls">
  2763. <span></span>
  2764. <span class="qrNavControl"><button class="qrShowFirstButton" type="button">First</button></span>
  2765. <span class="qrNavControl"><button class="qrShowPrevButton" type="button">Prev</button></span>
  2766. <span class="qrNavPosition qrOutline" title="Index of the currently shown update slash the total number of updates">
  2767. <label class="qrCurrentPosLabel">0</label> / <label class="qrTotalPosLabel">0</label>
  2768. </span>
  2769. <span class="qrNavControl"><button class="qrShowNextButton" type="button">Next</button></span>
  2770. <span class="qrNavControl"><button class="qrShowLastButton" type="button">Last</button></span>
  2771. <span>
  2772. <span class="qrUpdateInfo qrOutline">
  2773. <label class="qrAuthorCommentsCountLabel">A: 0</label>
  2774. <label class="qrSuggestionsCountLabel">S: 0</label>
  2775. <label class="qrSuggestersCountLabel">U: 0</label>
  2776. </span>
  2777. </span>
  2778. <span class="qrNavLinksContainer">${this.getLinksHtml()}</span>
  2779. </div>`;
  2780. }
  2781.  
  2782. getLinksHtml() {
  2783. return `
  2784. <span>[<a class="qrWikiLink" style="color: inherit">Wiki</a>]</span>
  2785. <span class="hidden">[<a class="qrQuestLink">Quest</a>]</span>
  2786. <span class="hidden">[<a class="qrDisLink">Discuss</a>]</span>
  2787. <span class="qrThreadsLinks">
  2788. <select class="qrThreadLinksDropdown">
  2789. <option value="thread1">Thread not found in wiki</option>
  2790. </select>
  2791. </span>`;
  2792. }
  2793.  
  2794. getReplyFormHeaderHtml() {
  2795. return `
  2796. <thead id="qrReplyFormHeader">
  2797. <tr>
  2798. <th class="postblock">Reply form</th>
  2799. <th class="qrReplyFormButtons">
  2800. <span><a id="qrReplyFormPopoutButton" href="#"><svg
  2801. xmlns="http://www.w3.org/2000/svg" width="17" height="17" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="3" stroke-linecap="square" stroke-linejoin="arcs">
  2802. <g fill="none" fill-rule="evenodd"><path d="M18 14v5a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8c0-1.1.9-2 2-2h5M15 3h6v6M10 14L20.2 3.8"/></g>
  2803. </svg></a>
  2804. </span>
  2805. <span><a id="qrReplyFormMinimizeButton" href="#"><svg
  2806. xmlns="http://www.w3.org/2000/svg" width="17" height="17" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="3" stroke-linecap="square" stroke-linejoin="arcs">
  2807. <line x1="5" y1="20" x2="19" y2="20"></line>
  2808. </svg></a>
  2809. </span>
  2810. </th>
  2811. </tr>
  2812. </thead>`;
  2813. }
  2814.  
  2815. getMainStyleRules(doc) {
  2816. /*var currentSheetRules = doc.head.querySelector(`link[rel*="stylesheet"][title]:not([disabled])`).sheet.cssRules;
  2817. var bodyStyle = [...currentSheetRules].find(rule => rule.selectorText == "html, body");
  2818. var bgc = bodyStyle.style.backgroundColor;
  2819. var fgc = bodyStyle.style.color;*/
  2820. var bgc = doc.defaultView.getComputedStyle(doc.body)["background-color"]; //this is needed for compatibility with BLICK
  2821. var fgc = doc.defaultView.getComputedStyle(doc.body).color;
  2822. return `
  2823. .hidden { display: none; }
  2824. .veryhidden { display: none !important; }
  2825. .transparent { opacity: 0; }
  2826. .qrShowFirstButton, .qrShowLastButton { width: 50px; }
  2827. .qrShowPrevButton, .qrShowNextButton { width: 100px; }
  2828. .qrSettingsToggle { position: absolute; left: 8px; padding-top: 2px; }
  2829. .qrControlsTop { }
  2830. .qrNavControls { display: grid; grid-template-columns: 1fr auto auto auto auto auto auto 1fr; grid-gap: 3px; color: ${fgc}; pointer-events: none; }
  2831. .qrNavControls > * { margin: auto 0px; pointer-events: all; }
  2832. .qrOutline { text-shadow: 2px 2px 2px ${bgc}, 2px 0px 2px ${bgc}, 2px -2px 2px ${bgc}, 0px -2px 2px ${bgc}, -2px -2px 2px ${bgc}, -2px 0px 2px ${bgc}, -2px 2px 2px ${bgc}, 0px 2px 2px ${bgc}, 0px 0px 2px ${bgc}; }
  2833. .qrNavLinksContainer { white-space: nowrap; text-align: right; color: ${fgc}; }
  2834. .qrNavLinksBottom { float: right; clear: both; }
  2835. .qrNavPosition { font-weight: bold; white-space: nowrap; }
  2836. .qrLastIndex { color: crimson; }
  2837. .qrUpdateInfo { white-space: nowrap; }
  2838. .qrSettingsControls { height: 92px; overflow: hidden; transition: all 0.3s; display: grid; grid-template-columns: auto 1fr; }
  2839. #qrSettingsPageNav { display: inline-flex; flex-direction: column; justify-content: space-evenly; }
  2840. .qrSettingsNavItemSelected > a { color: inherit; text-decoration: none; }
  2841. .qrSettingsNavItemSelected::before { content: ">"; }
  2842. .qrSettingsNavItemSelected::after { content: "<"; }
  2843. .qrSettingsPages { position: relative; margin-top: 8px; }
  2844. .qrSettingsPage { display: grid; grid-template-columns: 1fr auto auto 1fr auto auto 1fr; grid-gap: 2px 4px; justify-items: start; align-items: center; align-content: center;
  2845. white-space: nowrap; transition: all 0.3s; opacity: 0; position: absolute; left: 0; right: 0; top: 0; pointer-events: none; }
  2846. .qrCurrentPage { opacity: 1; z-index: 1; pointer-events: initial; }
  2847. .qrSettingsPage > :nth-child(4n+1) { grid-column-start: 2; cursor: default; }
  2848. .qrSettingsPage > :nth-child(4n+3) { grid-column-start: 5; cursor: default; }
  2849. .qrSettingsControl { margin: 0px; }
  2850. select.qrSettingsControl { width: 150px; height: 20px; }
  2851. input.qrSettingsControl[type="number"] { width: 40px; }
  2852. .qrThreadLinksDropdown { max-width: 100px; }
  2853. .collapsedHeight { height: 0px; }
  2854. .qrTooltip { position: relative; border-bottom: 1px dotted; cursor: pointer; }
  2855. .qrTooltip:hover .qrTooltiptext { visibility: visible; }
  2856. .qrTooltip .qrTooltiptext { visibility: hidden; width: max-content; padding: 4px 4px 4px 10px; left: 15px; top: -35px;
  2857. position: absolute; border: dotted 1px; z-index: 1; background-color: ${bgc}; }
  2858. .haveOneScreenOfSpaceBelowHereSoItIsPossibleToScroll { position:absolute; height: 100vh; width: 1px; }
  2859. #qrReplyFormHeader { text-align: center; }
  2860. .postform td:first-child { display: none; }
  2861. .qrReplyFormButtons { position: absolute; right: 0px; }
  2862. .qrReplyFormButtons svg { width: 17px; vertical-align: bottom; }
  2863. .qrPopout { position: fixed; opacity: 0.2 !important; transition: opacity 0.3s; background-color: ${bgc}; border: 1px solid rgba(0, 0, 0, 0.10) !important; }
  2864. .qrPopout:hover { opacity: 1 !important; }
  2865. .qrPopout:focus-within { opacity: 1 !important; }
  2866. .qrPopout #qrReplyFormHeader { cursor: move; }
  2867. .qrReferences { margin: 0.5em 4px 0px 4px; }
  2868. .qrReferences::before { content: "Replies:"; font-size: 0.75em; }
  2869. .qrReference { font-size: 0.75em; margin-left: 4px; text-decoration: none; }
  2870. .stickyBottom { position: sticky; bottom: 0px; padding: 3px 0px; clear: both; }
  2871. .uid[postcount]::after { content: " (" attr(postcount) ")"; }
  2872. .isNew::after { color: crimson; }
  2873. .qrUserNavDisabled { color: grey; pointer-events: none; }
  2874. .qrUserNavEnabled { color: inherit; }
  2875. .qrNavIcon { width: 14px; height: 17px; stroke-width: 2px; fill: none; stroke: currentColor; vertical-align: text-bottom; padding-left: 2px; }
  2876. .qrNavIcon:hover { stroke-width: 3px; }
  2877. .qrUserMultiPost { color: crimson; white-space: nowrap; }
  2878. .update { width: 100%; }
  2879.  
  2880. .postwidth > label { cursor: pointer; }
  2881. .postwidth > label > * { cursor: default; }
  2882. .userdelete { position: relative; }
  2883. .userdelete tbody { position: absolute; right: 0px; top: -3px; text-align: right; }
  2884. body { position: relative; ${this.viewMode !== "all" ? "overflow-anchor: none" : ""} }
  2885. thead span > a { color: inherit; } /* Specificity hack to override the color of the reply form header links, but not overried the hover color */
  2886. #watchedthreadlist { display: grid; grid-template-columns: auto auto 3fr auto 1fr auto auto 0px; color: transparent; }
  2887. #watchedthreadlist > a[href$=".html"] { grid-column-start: 1; }
  2888. #watchedthreadlist > a[href*="html#"] { max-width: 40px; }
  2889. #watchedthreadlist > * { margin: auto 0px; }
  2890. #watchedthreadlist > span { overflow: hidden; white-space: nowrap; }
  2891. #watchedthreadlist > .postername { grid-column-start: 5; }
  2892. #watchedthreadsbuttons { top: 0px; right: 0px; left: unset; bottom: unset; }
  2893. .reflinkpreview { z-index: 1; }
  2894. blockquote { margin-right: 1em; clear: unset; }
  2895. #spoiler { vertical-align: text-top; }
  2896. .postform { position: relative; border-spacing: 0px; }
  2897. .postform :optional { box-sizing: border-box; }
  2898. .postform input[name="name"], .postform input[name="em"], .postform input[name="subject"] { width: 100% !important; }
  2899. .postform input[name="message"] { margin: 0px }
  2900. .postform input[type="submit"] { position: absolute; right: 1px; bottom: 3px; }
  2901. .postform [name="imagefile"] { width: 220px; }
  2902. .postform td:first-child { display: none; }
  2903. .postform tr:nth-child(3) td:last-child { display: grid; grid-template-columns: 1fr auto; }
  2904. #BLICKpreviewbut { margin-right: 57px; }`;
  2905. /*
  2906. Rotating highlight border
  2907. .highlight { border: unset;
  2908. background-image: linear-gradient(90deg, currentColor 50%, transparent 50%), linear-gradient(90deg, currentColor 50%, transparent 50%),
  2909. linear-gradient(0deg, currentColor 50%, transparent 50%), linear-gradient(0deg, currentColor 50%, transparent 50%);
  2910. background-repeat: repeat-x, repeat-x, repeat-y, repeat-y; background-size: 15px 2px, 15px 2px, 2px 15px, 2px 15px; background-position: left top, right bottom, left bottom, right top; animation: rotating-border 1s infinite linear;
  2911. }
  2912. @keyframes rotating-border {
  2913. 0% { background-position: left top, right bottom, left bottom, right top; }
  2914. 100% { background-position: left 15px top, right 15px bottom , left bottom 15px , right top 15px; }
  2915. }
  2916. .logo { clear: unset; }
  2917. blockquote { clear: unset; }
  2918. .sentinel { position: absolute; left: 0px; top: 0px; width: 400px; pointer-events: none; background-color:white; opacity: 0.3; }
  2919. */
  2920. }
  2921.  
  2922. getImageSizesStyleRules() {
  2923. var rules;
  2924. if (this.stretchImages) {
  2925. rules = `width: calc(${this.maxImageWidth}% - 40px); height: unset; max-height: calc(${this.maxImageHeight}vh - 50px); object-fit: contain;`;
  2926. }
  2927. else {
  2928. rules = `width: unset; height: unset; max-width: calc(${this.maxImageWidth}% - 40px); max-height: calc(${this.maxImageHeight}vh - 40px);`;
  2929. }
  2930. return `.thumb[src*="svg+xml"], .thumb[src*="/src/"] { background-size: contain; background-position: center; background-repeat: no-repeat; ${rules} }`;
  2931. }
  2932.  
  2933. getReferencesStyleRules() {
  2934. //none => hide all; nonupdates => hide for updates; all => don't hide anything
  2935. if (this.showReferences == "all") {
  2936. return ``;
  2937. }
  2938. var selector = this.showReferences == "nonupdates" ? ".update > .qrReferences, .updateOp > .qrReferences" : ".qrReferences";
  2939. return `${selector} { display: none; }`;
  2940. }
  2941.  
  2942. getUserPostCountsStyleRules() {
  2943. return this.showUserPostCounts ? "" : `.uid::after { display: none; }`;
  2944. }
  2945.  
  2946. getUserNavStyleRules() {
  2947. return this.showUserNav ? "" : `.qrUserNavDisabled { display: none; } .qrUserNavEnabled { display: none; }`;
  2948. }
  2949.  
  2950. getUserMultiPostStyleRules() {
  2951. return this.showUserMultiPost ? "" : `.qrUserMultiPost { display: none; }`;
  2952. }
  2953.  
  2954. getUserColorsStyleRules() {
  2955. if (!this.colorUsers) {
  2956. return "";
  2957. }
  2958. var colors = [];
  2959. [this.author, ...this.suggesters].forEach(user => {
  2960. var canonID = this.getCanonID(user);
  2961. colors.push(`.uid${canonID} { ${this.getColors(canonID)} }`);
  2962. });
  2963. return `.qrColoredUid { border-style: solid; padding: 0 5px; border-radius: 6px; border-width: 0px 6px; background-clip: padding-box; }
  2964. ${colors.join("\n")}`;
  2965. }
  2966.  
  2967. getCanonID(user) {
  2968. if (this.reCanonID.test(user.id)) {
  2969. return user.id;
  2970. }
  2971. for (let i = 0; i < user.children.length; i++) {
  2972. if (this.reCanonID.test(user.children[i].id)) {
  2973. return user.children[i].id;
  2974. }
  2975. }
  2976. var id = ""; //generate canonID from any string;
  2977. for (let i = 0; id.length < 6; i = ++i % user.id.length) {
  2978. id += user.id.charCodeAt(i).toString(16);
  2979. }
  2980. return id.substring(0, 6);
  2981. }
  2982.  
  2983. getColors(id) {
  2984. id = parseInt(id, 16);
  2985. var hue = ((id & 0xFF) * 390) / 255;
  2986. var saturation = hue <= 360 ? 1 : 0; // 1/12 of the IDs will be grayscale, altho gravitate away from grey
  2987. var lightness1 = ((id >> 8) & 0xFF) / 255;
  2988. var lightness2 = (((id >> 16) & 0xFF) / 255) * 0.75 + 0.125; //between 12.5% and 87.5%
  2989. var textColor = lightness1 > 0.5 ? "black" : "white";
  2990. if (saturation === 1) {
  2991. lightness1 = lightness1 * 0.5 + 0.25; //between 25% and 75%
  2992. //convert to rgb and then to rec601 luma to be able to calculate whether the text should be black or white
  2993. var a = saturation * Math.min(lightness1, 1 - lightness1);
  2994. var rgbFunc = (n, k = (n + hue / 30) % 12) => lightness1 - a * Math.max(Math.min(k - 3, 9 - k, 1), -1);
  2995. textColor = rgbFunc(0) * 0.299 + rgbFunc(8) * 0.587 + rgbFunc(4) * 0.114 > 0.5 ? "black" : "white";
  2996. }
  2997. else { //do basic math; if it's light, make it lighter, if it's dark, make it darker
  2998. lightness1 = lightness1 >= 0.5 ? (Math.pow((lightness1 - 0.5) * 2, 1/2)) / 2 + 0.5 : Math.pow(lightness1 * 2, 2) / 2;
  2999. }
  3000. return `background-color: hsl(${hue}, ${saturation * 100}%, ${lightness1 * 100}%); color: ${textColor}; border-color: hsl(${hue}, ${saturation * 100}%, ${lightness2 * 100}%);`;
  3001. }
  3002. }
  3003.  
  3004. var main = async () => {
  3005. //first, let's undo some of the damage that prototype.js did by restoring native functions
  3006. restoreNative(document);
  3007. if (fullDocument !== document) {
  3008. let doc = document.implementation.createHTMLDocument();
  3009. doc.documentElement.innerHTML = (await fullDocument).response;
  3010. fullDocument = doc;
  3011. }
  3012. setTimeout(() => {
  3013. var timeStart = Date.now();
  3014. try {
  3015. if (!document.head.querySelector("#qrMainCss")) { //sanity check; don't run the script if it already ran; happens sometimes in Firefox on refresh?
  3016. var qr = new QuestReader(document);
  3017. document.defaultView.QR = qr;
  3018. qr.onSettingsLoad = (e) => {
  3019. var settingsKeys = {};
  3020. settingsKeys[ThreadType.QUEST] = `qrSettings${e.threadID}`;
  3021. settingsKeys[ThreadType.DISCUSSION] = `qrSettingsDis${e.threadID}`;
  3022. settingsKeys[ThreadType.OTHER] = `qrSettingsBoardThread.${e.boardName}`;
  3023. // get settings from localStorage
  3024. e.settings = document.defaultView.localStorage.getItem(settingsKeys[e.threadType]);
  3025. if (!e.settings) {
  3026. var lastThreadKeys = {};
  3027. lastThreadKeys[ThreadType.QUEST] = `qrLastThreadID`;
  3028. lastThreadKeys[ThreadType.DISCUSSION] = `qrLastDisThreadID`;
  3029. var lastThreadID = document.defaultView.localStorage.getItem(lastThreadKeys[e.threadType]);
  3030. if (lastThreadID) {
  3031. settingsKeys[ThreadType.QUEST] = `qrSettings${lastThreadID}`;
  3032. settingsKeys[ThreadType.DISCUSSION] = `qrSettingsDis${lastThreadID}`;
  3033. e.settings = document.defaultView.localStorage.getItem(settingsKeys[e.threadType]);
  3034. if (e.settings) {
  3035. e.settings = JSON.parse(e.settings);
  3036. delete e.settings.currentUpdateIndex;
  3037. delete e.settings.wikiPages;
  3038. }
  3039. }
  3040. }
  3041. else {
  3042. e.settings = JSON.parse(e.settings);
  3043. }
  3044. };
  3045. qr.onSettingsChanged = (e) => { //on settings changed, save settings to localStorage
  3046. var settingsKeys = {};
  3047. settingsKeys[ThreadType.QUEST] = `qrSettings${e.threadID}`;
  3048. settingsKeys[ThreadType.DISCUSSION] = `qrSettingsDis${e.threadID}`;
  3049. settingsKeys[ThreadType.OTHER] = `qrSettingsBoardThread.${e.boardName}`;
  3050. if (e.threadType !== ThreadType.OTHER) {
  3051. var lastThreadKeys = {};
  3052. lastThreadKeys[ThreadType.QUEST] = `qrLastThreadID`;
  3053. lastThreadKeys[ThreadType.DISCUSSION] = `qrLastDisThreadID`;
  3054. //if there is no data on the last thread, or if the current thread has no settings (newly visited quest), update last visited thread ID
  3055. if (!lastThreadKeys[e.threadType] || !document.defaultView.localStorage.getItem(settingsKeys[e.threadType])) {
  3056. document.defaultView.localStorage.setItem(lastThreadKeys[e.threadType], e.threadID);
  3057. }
  3058. }
  3059. //save settings
  3060. document.defaultView.localStorage.setItem(settingsKeys[e.threadType], JSON.stringify(e.settings));
  3061. };
  3062. qr.onWikiDataLoad = (e) => { //before retrieving quest wiki, check localStorage for cached data and pass it to the class if it exists
  3063. e.wikiData = JSON.parse(document.defaultView.localStorage.getItem(`qrWikiData.${e.wikiPageName}`));
  3064. }
  3065. qr.onWikiDataChanged = (e) => { //after quest wiki is retrieved, cache the data in localStorage
  3066. if (e.wikiData) {
  3067. document.defaultView.localStorage.setItem(`qrWikiData.${e.wikiPageName}`, JSON.stringify(e.wikiData));
  3068. }
  3069. }
  3070. qr.init(fullDocument);
  3071. }
  3072. }
  3073. finally {
  3074. var hideUntilLoaded = document.querySelector("#hideUntilLoaded");
  3075. if (hideUntilLoaded) {
  3076. hideUntilLoaded.remove();
  3077. }
  3078. }
  3079. console.log(`Quest Reader run time = ${Date.now() - timeStart}ms`);
  3080. });
  3081. }
  3082.  
  3083. // START is here
  3084. var path = document.defaultView.location.pathname;
  3085. var pathMatch = path.match(new RegExp("/kusaba/([a-z]*)/res/"));
  3086. if (!pathMatch || BoardThreadTypes[pathMatch[1]] === undefined) {
  3087. return; //don't run the script when viewing non-board URLs
  3088. }
  3089. var partial = path.endsWith("+50.html") || path.endsWith("+100.html");
  3090. var fullDocument = !partial ? document : Xhr.get(path.replace(new RegExp("\\+(50|100)\\.html$"), ".html"));
  3091. if (document.readyState == "loading") {
  3092. //speed up loading by hiding the whole document until the extension is done processing the page; this prevents reflows and unnecessary rendering of stuff that we may change or hide
  3093. var el = document.head || document.documentElement;
  3094. el.insertAdjacentHTML("beforeEnd", `<style id="hideUntilLoaded">body { display: none; }</style>`);
  3095. document.addEventListener("DOMContentLoaded", main, { once: true }); //when parsing the HTML document is done, run the extension
  3096. }
  3097. else {
  3098. main();
  3099. }