Sleazy Fork is available in English.

Nhentai Plus+

Enhances the functionality of Nhentai website.

  1. // ==UserScript==
  2. // @name Nhentai Plus+
  3. // @namespace github.com/longkidkoolstar
  4. // @version 7.6.1
  5. // @description Enhances the functionality of Nhentai website.
  6. // @author longkidkoolstar
  7. // @match https://nhentai.net/*
  8. // @require https://code.jquery.com/jquery-3.6.0.min.js
  9. // @require https://cdn.jsdelivr.net/npm/sortablejs@1.15.0/Sortable.min.js
  10. // @icon https://i.imgur.com/AOs1HMS.png
  11. // @license MIT
  12. // @grant GM.setValue
  13. // @grant GM.getValue
  14. // @grant GM.addStyle
  15. // @grant GM.deleteValue
  16. // @grant GM.openInTab
  17. // @grant GM.listValues
  18. // @grant GM.xmlHttpRequest
  19. // ==/UserScript==
  20.  
  21.  
  22. //----------------------- **Fix Menu OverFlow**----------------------------------
  23.  
  24. // Nhentai Plus+.user.js
  25. $(document).ready(function() {
  26. var styles = `
  27. @media (max-width: 644px) {
  28. nav .collapse.open {
  29. max-height: 600px;
  30. }
  31. }
  32. `;
  33. $("<style>").html(styles).appendTo("head");
  34. });
  35. //--------------------------**Fix Menu OverFlow**------------------------------------
  36.  
  37. /**
  38. * Detects and removes old-format cache entries while preserving important data
  39. */
  40. async function cleanupOldData() {
  41. console.log("Starting cleanup of old format entries...");
  42. const allKeys = await GM.listValues();
  43. let removedCount = 0;
  44.  
  45. // Find and delete old manga_URL_ID format keys
  46. const oldMangaKeys = allKeys.filter(key => key.startsWith('manga_http'));
  47. for (const key of oldMangaKeys) {
  48. await GM.deleteValue(key);
  49. removedCount++;
  50. }
  51.  
  52. // Find and handle URL to title mappings (old format bookmarks)
  53. for (const key of allKeys) {
  54. // Skip keys that are part of the new format or important lists
  55. if (key === 'bookmarkedPages' ||
  56. key === 'bookmarkedMangas' ||
  57. key.startsWith('manga_') ||
  58. key.startsWith('bookmark_manga_ids_')) {
  59. continue;
  60. }
  61. // Check if it's an old-style URL to title mapping
  62. const value = await GM.getValue(key);
  63. if (typeof value === 'string' &&
  64. (value.startsWith('Tag: ') ||
  65. value.startsWith('Search: ') ||
  66. value.startsWith('Artist: ') ||
  67. value.startsWith('Character: ') ||
  68. value.startsWith('Group: ') ||
  69. value.startsWith('Parody: '))) {
  70. // This is an old-style bookmark title, safe to remove
  71. await GM.deleteValue(key);
  72. removedCount++;
  73. }
  74. }
  75.  
  76. // Get all stored keys
  77. const storedKeys = await GM.listValues();
  78.  
  79. // Filter keys that match the old title storage format
  80. const oldTitleKeys = storedKeys.filter(key => key.startsWith('title_'));
  81.  
  82. // Delete each old title key
  83. for (const key of oldTitleKeys) {
  84. await GM.deleteValue(key);
  85. console.log(`Deleted old title storage key: ${key}`);
  86. removedCount++;
  87. }
  88.  
  89. console.log(`Cleanup complete! Removed ${removedCount} old format entries.`);
  90. return removedCount;
  91. }
  92.  
  93. cleanupOldData();
  94. /**
  95. * Detects and removes old-format cache entries while preserving important data
  96. */
  97. //------------------------ **Find Similar Button** ------------------
  98.  
  99. // Initialize maxTagsToSelect from localStorage or default to 5
  100. let maxTagsToSelect = GM.getValue('maxTagsToSelect');
  101. if (maxTagsToSelect === undefined) {
  102. maxTagsToSelect = 5;
  103. GM.setValue('maxTagsToSelect', maxTagsToSelect);
  104. } else {
  105. maxTagsToSelect = parseInt(maxTagsToSelect); // Ensure it's parsed as an integer
  106. }
  107.  
  108. // Array to store locked tags
  109. const lockedTags = [];
  110.  
  111. // Function to create and insert 'Find Similar' button
  112. async function createFindSimilarButton() {
  113. const findSimilarEnabled = await GM.getValue('findSimilarEnabled', true);
  114. if (!findSimilarEnabled) return;
  115.  
  116. if (isNaN(maxTagsToSelect)) {
  117. maxTagsToSelect = await GM.getValue('maxTagsToSelect');
  118. if (maxTagsToSelect === undefined) {
  119. maxTagsToSelect = 5;
  120. GM.setValue('maxTagsToSelect', maxTagsToSelect);
  121. }
  122. }
  123.  
  124. const downloadButton = document.getElementById('download');
  125. if (!downloadButton) {
  126. console.log('Download button not found.');
  127. return;
  128. }
  129.  
  130. const findSimilarButtonHtml = `
  131. <a class="btn btn-primary btn-disabled tooltip find-similar">
  132. <i class="fas fa-search"></i>
  133. <span>Find Similar</span>
  134. <div class="top">Click to find similar hentai<i></i></div>
  135. <div id="lockedTagsCount">Locked tags: ${lockedTags.length}</div>
  136. </a>
  137. `;
  138. const findSimilarButton = $(findSimilarButtonHtml);
  139.  
  140. // Insert 'Find Similar' button next to the download button
  141. // Find the "Find Alt." button
  142. const findAltButton = document.querySelector('a.btn.btn-primary.btn-disabled.tooltip.find-similar');
  143.  
  144. // Insert 'Find Similar' button next to the "Find Alt." button
  145. if (findAltButton && downloadButton) {
  146. $(findAltButton).after(findSimilarButton);
  147. } else {
  148. console.log('Download button or Find Alt. button not found.');
  149. }
  150.  
  151. $('#lockedTagsCount').hide();
  152.  
  153. // Nhentai Plus+.user.js (154-221)
  154. // Handle click event for 'Find Similar' button
  155. findSimilarButton.click(async function() {
  156. const tagsContainer = $('div.tag-container.field-name:contains("Tags:")');
  157. if (!tagsContainer.length) {
  158. console.log('Tags container not found.');
  159. return;
  160. }
  161.  
  162. // Find all tag links within the container
  163. const tagLinks = tagsContainer.find('a.tag');
  164.  
  165. // Update locked tags counter
  166. if (!tagLinks.length) {
  167. console.log('No tag links found.');
  168. return;
  169. }
  170.  
  171. // Extract tag data (name and count) and assign probabilities based on count
  172. const tagsData = Array.from(tagLinks).map(tagLink => {
  173. const tagName = $(tagLink).find('.name').text().trim();
  174. const tagCount = parseInt($(tagLink).find('.count').text().replace('K', '')) || 0;
  175. const probability = Math.sqrt(tagCount); // Adjust this formula as needed
  176. return { name: tagName, count: tagCount, probability: probability };
  177. });
  178.  
  179. // Shuffle tag data array to randomize selection
  180. shuffleArray(tagsData);
  181.  
  182. const selectedTags = [];
  183. let numTagsSelected = 0;
  184.  
  185. // Add locked tags to the selected tags array
  186. lockedTags.forEach(tag => {
  187. selectedTags.push(tag);
  188. numTagsSelected++;
  189. });
  190.  
  191. tagsData.forEach(tag => {
  192. if (numTagsSelected < maxTagsToSelect && !lockedTags.includes(tag.name) && Math.random() < tag.probability) {
  193. selectedTags.push(tag.name);
  194. numTagsSelected++;
  195. }
  196. });
  197.  
  198. // Join selected tag names into a search string
  199. const searchTags = selectedTags.join(' ');
  200.  
  201. const findSimilarType = await GM.getValue('findSimilarType', 'immediately');
  202. const searchInput = $('input[name="q"]');
  203.  
  204. if (findSimilarType === 'immediately') {
  205. if (searchInput.length > 0) {
  206. // Update search input value with selected tags
  207. searchInput.val(searchTags);
  208. } else {
  209. // If search input not found, create and submit a hidden form
  210. const hiddenSearchFormHtml = `
  211. <form role="search" action="/search/" method="GET" style="display: none;">
  212. <input type="hidden" name="q" value="${searchTags}" />
  213. </form>
  214. `;
  215. const hiddenSearchForm = $(hiddenSearchFormHtml);
  216. $('body').append(hiddenSearchForm);
  217. hiddenSearchForm.submit();
  218. }
  219. // Submit the form
  220. $('button[type="submit"]').click();
  221. } else if (findSimilarType === 'input-tags') {
  222. if (searchInput.length > 0) {
  223. // Update search input value with selected tags
  224. searchInput.val(searchTags);
  225. } else {
  226. // If search input not found, create a hidden input
  227. const hiddenSearchInputHtml = `
  228. <input type="hidden" name="q" value="${searchTags}" />
  229. `;
  230. const hiddenSearchInput = $(hiddenSearchInputHtml);
  231. $('body').append(hiddenSearchInput);
  232. }
  233. }
  234.  
  235. // Create and display the slider (only once)
  236. if (!$('#tagSlider').length) {
  237. createSlider();
  238. }
  239. });
  240.  
  241. // Handle double-click event for 'Find Similar' button
  242. findSimilarButton.dblclick(async function() {
  243. const searchTags = lockedTags.join(' ');
  244.  
  245. const searchInput = $('input[name="q"]');
  246. if (searchInput.length > 0) {
  247. // Update search input value with locked tags only
  248. searchInput.val(searchTags);
  249. } else {
  250. // If search input not found, create and submit a hidden form with locked tags only
  251. const hiddenSearchFormHtml = `
  252. <form role="search" action="/search/" method="GET" style="display: none;">
  253. <input type="hidden" name="q" value="${searchTags}" />
  254. </form>
  255. `;
  256. const hiddenSearchForm = $(hiddenSearchFormHtml);
  257. $('body').append(hiddenSearchForm);
  258. hiddenSearchForm.submit();
  259. }
  260.  
  261. // Create and display the slider (only once)
  262. if (!$('#tagSlider').length) {
  263. createSlider();
  264. }
  265. });
  266. }
  267.  
  268. // Function to create and display the slider
  269. async function createSlider() {
  270. const sliderHtml = `
  271. <div style="position: fixed; bottom: 20px; right: 20px; z-index: 9999;">
  272. <input type="range" min="1" max="10" value="${maxTagsToSelect}" id="tagSlider">
  273. <label for="tagSlider">Max Tags to Select: <span id="tagSliderValue">${maxTagsToSelect}</span></label>
  274. </div>
  275. `;
  276. $(document.body).append(sliderHtml);
  277.  
  278. // Retrieve saved maxTagsToSelect value from GM storage (if available)
  279. const savedMaxTags = await GM.getValue('maxTagsToSelect');
  280. if (savedMaxTags !== undefined) {
  281. maxTagsToSelect = parseInt(savedMaxTags);
  282. $('#tagSlider').val(maxTagsToSelect);
  283. $('#tagSliderValue').text(maxTagsToSelect);
  284. }
  285.  
  286. // Update maxTagsToSelect based on slider value and save to GM storage
  287. $('#tagSlider').on('input', async function() {
  288. maxTagsToSelect = parseInt($(this).val());
  289. $('#tagSliderValue').text(maxTagsToSelect);
  290.  
  291. // Store the updated maxTagsToSelect value in GM storage
  292. await GM.setValue('maxTagsToSelect', maxTagsToSelect);
  293. });
  294. }
  295.  
  296. // Call the function to create 'Find Similar' button
  297. createFindSimilarButton();
  298.  
  299. function updateLockedTagsCounter() {
  300. const lockedTagsCount = lockedTags.length;
  301. const lockedTagsCounter = $('#lockedTagsCount');
  302. if (lockedTagsCount > 0) {
  303. lockedTagsCounter.text(`Locked tags: ${lockedTagsCount}`).show();
  304. if (lockedTagsCount > maxTagsToSelect) {
  305. lockedTagsCounter.css('color', 'red');
  306. } else {
  307. lockedTagsCounter.css('color', ''); // Reset color to default
  308. }
  309. } else {
  310. lockedTagsCounter.hide();
  311. }
  312. }
  313.  
  314. // Function to toggle lock buttons based on findSimilarEnabled
  315. async function toggleLockButtons() {
  316. const findSimilarEnabled = await GM.getValue('findSimilarEnabled', true);
  317. if (findSimilarEnabled) {
  318. $('span.lock-button').show();
  319. } else {
  320. $('span.lock-button').hide();
  321. }
  322. }
  323.  
  324. // Event listener for locking/unlocking tags
  325. $(document).on('click', 'span.lock-button', function(event) {
  326. event.stopPropagation(); // Prevent tag link click event from firing
  327.  
  328. const tagName = $(this).prev('a.tag').find('.name').text().trim();
  329.  
  330. if (lockedTags.includes(tagName)) {
  331. // Tag is already locked, unlock it
  332. const index = lockedTags.indexOf(tagName);
  333. if (index !== -1) {
  334. lockedTags.splice(index, 1);
  335. }
  336. $(this).html('<i class="fas fa-plus"></i>'); // Change icon to plus
  337. updateLockedTagsCounter();
  338. } else {
  339. // Lock the tag
  340. lockedTags.push(tagName);
  341. $(this).html('<i class="fas fa-minus"></i>'); // Change icon to minus
  342. updateLockedTagsCounter();
  343. }
  344. });
  345.  
  346. // Add lock button next to each tag
  347. const tagsContainer = $('div.tag-container.field-name:contains("Tags:")');
  348. if (tagsContainer.length) {
  349. const tagLinks = tagsContainer.find('a.tag');
  350. tagLinks.each(function(index, tagLink) {
  351. const lockButtonHtml = `
  352. <span class="lock-button" data-tag-index="${index}">
  353. <i class="fas fa-plus"></i>
  354. </span>
  355. `;
  356. const lockButton = $(lockButtonHtml);
  357. $(tagLink).after(lockButton);
  358. });
  359. }
  360.  
  361. // Initialize lock buttons visibility based on findSimilarEnabled
  362. toggleLockButtons();
  363.  
  364. console.log('Script setup complete.');
  365.  
  366. // Function to shuffle an array (Fisher-Yates shuffle algorithm)
  367. function shuffleArray(array) {
  368. for (let i = array.length - 1; i > 0; i--) {
  369. const j = Math.floor(Math.random() * (i + 1));
  370. [array[i], array[j]] = [array[j], array[i]];
  371. }
  372. }
  373.  
  374.  
  375. //------------------------ **Find Similar Button** ------------------
  376.  
  377. //----------------------- **Find Alternative Manga Button** ------------------
  378.  
  379.  
  380. // Adds a button to the page that allows the user to find alternative manga to the current one.
  381. // Checks if the feature is enabled in the settings before appending the button.
  382.  
  383. async function addFindAltButton() {
  384. const findAltmangaEnabled = await GM.getValue('findAltmangaEnabled', true);
  385. if (!findAltmangaEnabled) return;
  386.  
  387. // Get the download button
  388. const downloadButton = document.getElementById('download');
  389. if (!downloadButton) {
  390. console.log('Download button not found.');
  391. return;
  392. }
  393.  
  394. const copyTitleButtonHtml = `
  395. <a class="btn btn-primary btn-disabled tooltip find-similar">
  396. <i class="fas fa-code-branch"></i>
  397. <span>Find Alt.</span>
  398. <div class="top">Click to find alternative manga to this one<i></i></div>
  399. </a>
  400. `;
  401. const copyTitleButton = $(copyTitleButtonHtml);
  402.  
  403. // Handle click event for the button
  404. copyTitleButton.click(function() {
  405. // Get the title element
  406. const titleElement = $('h1.title');
  407. if (!titleElement.length) {
  408. console.log('Title element not found.');
  409. return;
  410. }
  411.  
  412. // Extract the text content from the pretty class if it exists
  413. let titleText;
  414. const prettyElement = titleElement.find('.pretty');
  415. if (prettyElement.length) {
  416. titleText = prettyElement.text();
  417. } else {
  418. titleText = titleElement.text();
  419. }
  420.  
  421. // Remove text inside square brackets [], parentheses (), 'Ch.', 'ch.', 'Vol.', 'vol.', and all Chinese and Japanese characters
  422. const cleanedTitleText = titleText.replace(/[\[\]\(\)]|Ch\.|ch\.|Vol\.|vol\.|Ep\.|Ep|ep\.|ep|\|[\u3002\uFF01-\uFF5E\u4E00-\u9FFF\u3040-\u309F\u30A0-\u30FF]|(?<!\w)-(?!\w)|\d+/g, '').trim();
  423.  
  424. // Find the search input
  425. const searchInput = $('input[name="q"]');
  426. if (searchInput.length > 0) {
  427. // Update search input value with cleaned title text
  428. searchInput.val(cleanedTitleText);
  429. // Click the search button
  430. const searchButton = $('button[type="submit"]');
  431. if (searchButton.length) {
  432. searchButton.click();
  433. }
  434. } else {
  435. console.log('Search input not found.');
  436. }
  437. });
  438.  
  439. // Insert 'Find Similar' button next to the download button
  440. $(downloadButton).after(copyTitleButton);
  441. }
  442. // Call the function to add the Copy Title button
  443. addFindAltButton();
  444.  
  445. //------------------------ **Find Alternative Manga Button** ------------------
  446.  
  447. //------------------------ **Find Alternative Manga Button(Thumbnail Version)** ------------------
  448.  
  449. (async function() {
  450. const findAltMangaThumbnailEnabled = await GM.getValue('findAltMangaThumbnailEnabled', true); // Default to true if not set
  451. if (!findAltMangaThumbnailEnabled) return; // Exit if the feature is not enabled
  452.  
  453. const flagEn = "https://i.imgur.com/vSnHmmi.gif";
  454. const flagJp = "https://i.imgur.com/GlArpuS.gif";
  455. const flagCh = "https://i.imgur.com/7B55DYm.gif";
  456. const non_english_fade_opacity = 0.3;
  457. const partially_fade_all_non_english = true;
  458. const mark_as_read_system_enabled = true;
  459. const marked_as_read_fade_opacity = 0.3;
  460. const auto_group_on_page_comics = true;
  461. const version_grouping_filter_brackets = false;
  462.  
  463. let MARArray = [];
  464. GM.getValue("MARArray", "[]").then((value) => {
  465. if (typeof value === 'string') {
  466. MARArray = JSON.parse(value);
  467. }
  468.  
  469. GM.addStyle(`
  470. .overlayFlag {
  471. position: absolute;
  472. display: inline-block;
  473. top: 3px;
  474. left: 3px;
  475. z-index: 3;
  476. width: 18px;
  477. height: 12px;
  478. }
  479. .numOfVersions {
  480. border-radius: 10px;
  481. padding: 5px 10px;
  482. position: absolute;
  483. background-color: rgba(0,0,0,.7);
  484. color: rgba(255,255,255,.8);
  485. top: 7.5px;
  486. left: 105px;
  487. font-size: 12px;
  488. font-weight: 900;
  489. opacity: 1;
  490. width: 40px;
  491. z-index: 2;
  492. display: none;
  493. }
  494. .findVersionButton {
  495. border-radius: 10px;
  496. padding: 5px 10px;
  497. position: absolute;
  498. background-color: rgba(0,0,0,.4);
  499. color: rgba(255,255,255,.8);
  500. bottom: 7.5px;
  501. left: 7.5px;
  502. font-size: 12px;
  503. font-weight: 900;
  504. opacity: 1;
  505. width: 125px;
  506. z-index: 2;
  507. cursor: pointer;
  508. }
  509. .versionNextButton {
  510. border-radius: 10px;
  511. padding: 5px 10px;
  512. position: absolute;
  513. background-color: rgba(0,0,0,.7);
  514. color: rgba(255,255,255,.8);
  515. top: 7.5px;
  516. right: 7.5px;
  517. font-size: 12px;
  518. font-weight: 900;
  519. opacity: 1;
  520. display: none;
  521. z-index: 2;
  522. cursor: pointer;
  523. }
  524. .versionPrevButton {
  525. border-radius: 10px;
  526. padding: 5px 10px;
  527. position: absolute;
  528. background-color: rgba(0,0,0,.7);
  529. color: rgba(255,255,255,.8);
  530. top: 7.5px;
  531. left: 7.5px;
  532. font-size: 12px;
  533. font-weight: 900;
  534. opacity: 1;
  535. z-index: 2;
  536. display: none;
  537. cursor: pointer;
  538. }
  539. .newTabButton {
  540. border-radius: 10px;
  541. padding: 5px 10px;
  542. position: absolute;
  543. background-color: rgba(0,0,0,.4);
  544. color: rgba(255,255,255,.8);
  545. bottom: 7.5px;
  546. right: 7.5px; /* Position on the right side */
  547. font-size: 12px;
  548. font-weight: 900;
  549. opacity: 1;
  550. width: auto; /* Smaller width since text is shorter */
  551. z-index: 2;
  552. cursor: pointer;
  553. text-align: center;
  554. }
  555.  
  556. /* Add hover effect */
  557. .newTabButton:hover {
  558. background-color: rgba(0,0,0,.7);
  559. }
  560. `);
  561.  
  562. function IncludesAll(string, search) {
  563. string = CleanupSearchString(string);
  564. search = CleanupSearchString(search);
  565. if (string.length == 0 || search.length == 0) return false;
  566. let searches = search.split(" ");
  567. for (let i = 0; i < searches.length; i++) {
  568. if (!!searches[i] && searches[i].length > 0 && !string.includes(searches[i])) return false;
  569. }
  570. return true;
  571. }
  572.  
  573. async function AddAltVersionsToThis(target) {
  574. let place = target;
  575. const coverElement = place.parent().find(".cover:visible");
  576. const href = coverElement.attr('href');
  577. const captionTitle = place.parent().find(".cover:visible > .caption").text();
  578. try {
  579. let titles = [captionTitle]; // Start with the caption title
  580. // Try to get the title from the manga page if href exists
  581. if (href) {
  582. try {
  583. const response = await fetch(`https://nhentai.net${href}`);
  584. if (response.ok) {
  585. const html = await response.text();
  586. const parser = new DOMParser();
  587. const doc = parser.parseFromString(html, 'text/html');
  588. const titleElement = doc.querySelector('.title');
  589. if (titleElement) {
  590. const prettySpan = titleElement.querySelector('.pretty');
  591. let titleText = prettySpan ? prettySpan.textContent.trim() : titleElement.textContent.trim();
  592. const cleanedTitleText = titleText.replace(/[\[\]\(\)]|Ch\.|ch\.|Vol\.|vol\.|Ep\.|Ep|ep\.|ep|\|[\u3002\uFF01-\uFF5E\u4E00-\u9FFF\u3040-\u309F\u30A0-\u30FF]|(?<!\w)-(?!\w)|\d+/g, '').trim();
  593. // Add the cleaned title if it's different from the caption title
  594. if (cleanedTitleText && cleanedTitleText !== captionTitle) {
  595. titles.push(cleanedTitleText);
  596. }
  597. }
  598. }
  599. } catch (error) {
  600. console.error("Error fetching title from manga page:", error);
  601. }
  602. }
  603. // Process search with all collected titles
  604. await processSearchWithMultipleTitles(titles);
  605. } catch (error) {
  606. console.error("Error in AddAltVersionsToThis:", error);
  607. // Fallback to just the caption title if there's an error
  608. processSearch(captionTitle);
  609. }
  610. // Function to process search with multiple titles and combine results
  611. async function processSearchWithMultipleTitles(titles) {
  612. let allResults = [];
  613. let processedHrefs = new Set(); // To track unique results
  614. for (const title of titles) {
  615. if (!title || title.trim() === '') continue;
  616. try {
  617. const data = await $.get(BuildUrl(title));
  618. const found = $(data).find(".container > .gallery");
  619. if (found && found.length > 0) {
  620. // Add unique results to allResults
  621. for (let i = 0; i < found.length; i++) {
  622. const resultHref = $(found[i]).find(".cover").attr('href');
  623. if (resultHref && !processedHrefs.has(resultHref)) {
  624. processedHrefs.add(resultHref);
  625. allResults.push(found[i]);
  626. }
  627. }
  628. }
  629. } catch (error) {
  630. console.error(`Error searching for title "${title}":`, error);
  631. }
  632. }
  633. if (allResults.length === 0) {
  634. alert("No results found for any of the search terms");
  635. return;
  636. }
  637. // Process the combined results
  638. place.parent().find(".cover").remove();
  639. try {
  640. for (let i = 0; i < allResults.length; i++) {
  641. if (partially_fade_all_non_english) {
  642. $(allResults[i]).find(".cover > img, .cover > .caption").css("opacity", non_english_fade_opacity);
  643. }
  644.  
  645. if ($(allResults[i]).attr("data-tags").includes("12227")) {
  646. $(allResults[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagEn + `">`);
  647. $(allResults[i]).find(".cover > img, .cover > .caption").css("opacity", "1");
  648. } else {
  649. if ($(allResults[i]).attr("data-tags").includes("6346")) {
  650. $(allResults[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagJp + `">`);
  651. } else if ($(allResults[i]).attr("data-tags").includes("29963")) {
  652. $(allResults[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagCh + `">`);
  653. }
  654. if (!partially_fade_all_non_english) {
  655. $(allResults[i]).find(".cover > img, .cover > .caption").css("opacity", "1");
  656. }
  657. }
  658.  
  659. if (mark_as_read_system_enabled) {
  660. let MARArraySelector = MARArray.join("'], .cover[href='");
  661. $(allResults[i]).find(".cover[href='" + MARArraySelector + "']").append("<div class='readTag'>READ</div>");
  662. let readTag = $(allResults[i]).find(".readTag");
  663. if (!!readTag && readTag.length > 0) {
  664. readTag.parent().parent().find(".cover > img, .cover > .caption").css("opacity", marked_as_read_fade_opacity);
  665. }
  666. }
  667.  
  668.  
  669.  
  670. let thumbnailReplacement;
  671. if (!!$(allResults[i]).find(".cover > img").attr("data-src")) {
  672. thumbnailReplacement = $(allResults[i]).find(".cover > img").attr("data-src")
  673. .replace(/\/\/.+?\.nhentai/g, "//i1.nhentai") // Fixed CDN path
  674. .replace("thumb.", "1."); // Generic replacement for all extensions
  675. } else {
  676. thumbnailReplacement = $(allResults[i]).find(".cover > img").attr("src")
  677. .replace(/\/\/.+?\.nhentai/g, "//i1.nhentai") // Fixed CDN path
  678. .replace("thumb.", "1."); // Generic replacement for all extensions
  679. }
  680.  
  681.  
  682.  
  683. $(allResults[i]).find(".cover > img").attr("src", thumbnailReplacement);
  684. place.parent().append($(allResults[i]).find(".cover"));
  685. }
  686. } catch (er) {
  687. alert("Error modifying data: " + er);
  688. return;
  689. }
  690. place.parent().find(".cover:not(:first)").css("display", "none");
  691. place.parent().find(".versionPrevButton, .versionNextButton, .numOfVersions").show(200);
  692. place.parent().find(".numOfVersions").text("1/" + (allResults.length));
  693. place.hide(200);
  694. }
  695. // Original search function as fallback
  696. function processSearch(title) {
  697. $.get(BuildUrl(title), function(data) {
  698. let found = $(data).find(".container > .gallery");
  699. if (!found || found.length <= 0) {
  700. alert("error reading data");
  701. return;
  702. }
  703. place.parent().find(".cover").remove();
  704. try {
  705. for (let i = 0; i < found.length; i++) {
  706. if (partially_fade_all_non_english) {
  707. $(found[i]).find(".cover > img, .cover > .caption").css("opacity", non_english_fade_opacity);
  708. }
  709.  
  710. if ($(found[i]).attr("data-tags").includes("12227")) {
  711. $(found[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagEn + `">`);
  712. $(found[i]).find(".cover > img, .cover > .caption").css("opacity", "1");
  713. } else {
  714. if ($(found[i]).attr("data-tags").includes("6346")) {
  715. $(found[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagJp + `">`);
  716. } else if ($(found[i]).attr("data-tags").includes("29963")) {
  717. $(found[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagCh + `">`);
  718. }
  719. if (!partially_fade_all_non_english) {
  720. $(found[i]).find(".cover > img, .cover > .caption").css("opacity", "1");
  721. }
  722. }
  723.  
  724. if (mark_as_read_system_enabled) {
  725. let MARArraySelector = MARArray.join("'], .cover[href='");
  726. $(found[i]).find(".cover[href='" + MARArraySelector + "']").append("<div class='readTag'>READ</div>");
  727. let readTag = $(found[i]).find(".readTag");
  728. if (!!readTag && readTag.length > 0) {
  729. readTag.parent().parent().find(".cover > img, .cover > .caption").css("opacity", marked_as_read_fade_opacity);
  730. }
  731. }
  732.  
  733. let thumbnailReplacement;
  734. if (!!$(found[i]).find(".cover > img").attr("data-src")) {
  735. thumbnailReplacement = $(found[i]).find(".cover > img").attr("data-src").replace(/\/\/.+?\.nhentai/g, "//i1.nhentai").replace("thumb.jpg", "1.jpg").replace("thumb.png", "1.png");
  736. } else {
  737. thumbnailReplacement = $(found[i]).find(".cover > img").attr("src").replace(/\/\/.+?\.nhentai/g, "//i1.nhentai").replace("thumb.jpg", "1.jpg").replace("thumb.png", "1.png");
  738. }
  739.  
  740. $(found[i]).find(".cover > img").attr("src", thumbnailReplacement);
  741. place.parent().append($(found[i]).find(".cover"));
  742. }
  743. } catch (er) {
  744. alert("error modifying data: " + er);
  745. return;
  746. }
  747. place.parent().find(".cover:not(:first)").css("display", "none");
  748. place.parent().find(".versionPrevButton, .versionNextButton, .numOfVersions").show(200);
  749. place.parent().find(".numOfVersions").text("1/" + (found.length));
  750. place.hide(200);
  751. }).fail(function(e) {
  752. alert("error getting data: " + e);
  753. });
  754. }
  755. }
  756.  
  757. function CleanupSearchString(title) {
  758. title = title.replace(/\[.*?\]/g, "");
  759. title = title.replace(/\【.*?\】/g, "");
  760. if (version_grouping_filter_brackets) title = title.replace(/\(.*?\)/g, "");
  761. return title.trim();
  762. }
  763.  
  764. function BuildUrl(title) {
  765. let url = CleanupSearchString(title);
  766. url = url.trim();
  767. url = url.replace(/(^|\s){1}[^\w\s\d]{1}(\s|$){1}/g, " "); // remove all instances of a lone symbol character
  768. url = url.replace(/\s+/g, '" "'); // wrap all terms with ""
  769. url = '"' + url + '"';
  770. url = encodeURIComponent(url);
  771. url = "https://nhentai.net/search/?q=" + url;
  772. return url;
  773. }
  774.  
  775. async function GroupAltVersionsOnPage() {
  776. // Check if the feature is enabled
  777. const mangagroupingenabled = await GM.getValue('mangagroupingenabled', true);
  778. if (!mangagroupingenabled) return;
  779. let i = 0;
  780. let found = $(".container > .gallery");
  781. while (!!found && i < found.length) {
  782. AddAltVersionsToThisFromPage(found[i]);
  783. i++;
  784. found = $(".container > .gallery");
  785. }
  786. }
  787.  
  788. function AddAltVersionsToThisFromPage(target) {
  789. let place = $(target);
  790. place.addClass("ignoreThis");
  791. let title = place.find(".cover > .caption").text();
  792. if (!title || title.length <= 0) return;
  793. let found = $(".container > .gallery:not(.ignoreThis)");
  794. let numOfValid = 0;
  795. for (let i = 0; i < found.length; i++) {
  796. let cap = $(found[i]).find(".caption");
  797. if (cap.length == 1) {
  798. if (IncludesAll(cap.text(), title)) {
  799. if (partially_fade_all_non_english) {
  800. $(found[i]).find(".cover > img, .cover > .caption").css("opacity", non_english_fade_opacity);
  801. }
  802.  
  803. if ($(found[i]).attr("data-tags").includes("12227")) {
  804. $(found[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagEn + `">`);
  805. $(found[i]).find(".cover > img, .cover > .caption").css("opacity", "1");
  806. } else {
  807. if ($(found[i]).attr("data-tags").includes("6346")) {
  808. $(found[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagJp + `">`);
  809. } else if ($(found[i]).attr("data-tags").includes("29963")) {
  810. $(found[i]).find(".caption").append(`<img class="overlayFlag" src="` + flagCh + `">`);
  811. }
  812. if (!partially_fade_all_non_english) {
  813. $(found[i]).find(".cover > img, .cover > .caption").css("opacity", "1");
  814. }
  815. }
  816.  
  817. if (mark_as_read_system_enabled) {
  818. let MARArraySelector = MARArray.join("'], .cover[href='");
  819. $(found[i]).find(".cover[href='" + MARArraySelector + "']").append("<div class='readTag'>READ</div>");
  820. let readTag = $(found[i]).find(".readTag");
  821. if (!!readTag && readTag.length > 0) {
  822. readTag.parent().parent().find(".cover > img, .cover > .caption").css("opacity", marked_as_read_fade_opacity);
  823. }
  824. }
  825.  
  826. place.append($(found[i]).find(".cover"));
  827. $(found[i]).addClass("deleteThis");
  828. numOfValid++;
  829. }
  830. } else {
  831. let addThese = false;
  832. for (let j = 0; j < cap.length; j++) {
  833. if (IncludesAll($(cap[j]).text(), title)) {
  834. addThese = true;
  835. break;
  836. }
  837. }
  838.  
  839. if (addThese) {
  840. for (let j = 0; j < cap.length; j++) {
  841. place.append($(cap[j]).parent());
  842. }
  843. $(found[i]).addClass("deleteThis");
  844. numOfValid += cap.length;
  845. }
  846. }
  847. }
  848. numOfValid++;
  849. place.removeClass("deleteThis");
  850. place.removeClass("ignoreThis");
  851. $(".deleteThis").remove();
  852. if (numOfValid > 1) {
  853. place.find(".cover:not(:first)").css("display", "none");
  854. place.find(".versionPrevButton, .versionNextButton, .numOfVersions").show(200);
  855. place.find(".numOfVersions").text("1/" + numOfValid);
  856. }
  857. }
  858.  
  859. if ($(".container.index-container, #favcontainer.container, #recent-favorites-container, #related-container").length !== 0) {
  860. $(".cover").parent().append("<div class='findVersionButton'>Find Alt Versions</div>");
  861. $(".cover").parent().append("<div class='numOfVersions'>1/1</div>");
  862. $(".cover").parent().append("<div class='versionNextButton'>►</div>");
  863. $(".cover").parent().append("<div class='versionPrevButton'>◄</div>");
  864.  
  865. $(".findVersionButton").click(function(e) {
  866. e.preventDefault();
  867. AddAltVersionsToThis($(this));
  868. });
  869.  
  870. if (auto_group_on_page_comics) GroupAltVersionsOnPage();
  871.  
  872. $(".versionPrevButton").click(function(e) {
  873. e.preventDefault();
  874. let toHide = $(this).parent().find(".cover").filter(":visible");
  875. let toShow = toHide.prev();
  876. if (!toShow || toShow.length <= 0) return;
  877. if (!toShow.is(".cover")) toShow = toHide.prevUntil(".cover", ":last").prev();
  878. if (!toShow || toShow.length <= 0) return;
  879. toHide.hide(100);
  880. toShow.show(100);
  881. let n = $(this).parent().find(".numOfVersions");
  882. n.text((Number(n.text().split("/")[0]) - 1) + "/" + n.text().split("/")[1]);
  883. });
  884. $(".versionNextButton").click(function(e) {
  885. e.preventDefault();
  886. let toHide = $(this).parent().find(".cover").filter(":visible");
  887. let toShow = toHide.next();
  888. if (!toShow || toShow.length <= 0) return;
  889. if (!toShow.is(".cover")) toShow = toHide.nextUntil(".cover", ":last").next();
  890. if (!toShow || toShow.length <= 0) return;
  891. toHide.hide(100);
  892. toShow.show(100);
  893. let n = $(this).parent().find(".numOfVersions");
  894. n.text((Number(n.text().split("/")[0]) + 1) + "/" + n.text().split("/")[1]);
  895. });
  896. }
  897. });
  898.  
  899. })(); // Self-invoking function for the toggle check
  900.  
  901. //------------------------ **Find Alternative Manga Button(Thumbnail Version)** ------------------
  902.  
  903. // ------------------------ *Bookmarks** ------------------
  904. function injectCSS() {
  905. const css = `
  906. /* Bookmark animation */
  907. @keyframes bookmark-animation {
  908. 0% {
  909. transform: scale(1) rotate(0deg);
  910. }
  911. 50% {
  912. transform: scale(1.2) rotate(20deg);
  913. }
  914. 100% {
  915. transform: scale(1) rotate(0deg);
  916. }
  917. }
  918.  
  919. /* Add a class for the animation */
  920. .bookmark-animating {
  921. animation: bookmark-animation 0.4s ease-in-out;
  922. }
  923. `;
  924. const style = document.createElement('style');
  925. style.type = 'text/css';
  926. style.appendChild(document.createTextNode(css));
  927. document.head.appendChild(style);
  928. }
  929.  
  930. injectCSS(); // Inject the CSS when the userscript runs
  931.  
  932. // Function to create and insert bookmark button
  933. async function createBookmarkButton() {
  934. // Check if the feature is enabled in settings
  935. const bookmarksEnabled = await GM.getValue('bookmarksEnabled', true);
  936. if (!bookmarksEnabled) {
  937. return;
  938. }
  939.  
  940. // Check if the page is already bookmarked
  941. const bookmarkedPages = await GM.getValue('bookmarkedPages', []);
  942. const currentPage = window.location.href;
  943. const isBookmarked = bookmarkedPages.includes(currentPage);
  944.  
  945. // Bookmark button HTML using Font Awesome 5.13.0
  946. const bookmarkButtonHtml = `
  947. <a class="btn btn-primary bookmark-btn" style="margin-left: 10px;">
  948. <i class="bookmark-icon ${isBookmarked ? 'fas' : 'far'} fa-bookmark"></i>
  949. </a>
  950. `;
  951. const bookmarkButton = $(bookmarkButtonHtml);
  952.  
  953. // Append the bookmark button as a child of the h1 element if it exists
  954. const h1Element = document.querySelector("#content > h1");
  955. if (h1Element) {
  956. h1Element.append(bookmarkButton[0]);
  957. }
  958.  
  959. // Handle click event for the bookmark button
  960. bookmarkButton.click(async function() {
  961. const bookmarkIcon = $(this).find('i.bookmark-icon');
  962. const bookmarkedPages = await GM.getValue('bookmarkedPages', []);
  963. const currentPage = window.location.href;
  964. const isBookmarked = bookmarkedPages.includes(currentPage);
  965.  
  966. // Add animation class
  967. bookmarkIcon.addClass('bookmark-animating');
  968.  
  969. if (isBookmarked) {
  970. // Remove the bookmark
  971. const updatedBookmarkedPages = bookmarkedPages.filter(page => page !== currentPage);
  972. await GM.setValue('bookmarkedPages', updatedBookmarkedPages);
  973. await GM.deleteValue(currentPage);
  974.  
  975. // Get the list of manga IDs for this bookmark
  976. const bookmarkMangaIds = await GM.getValue(`bookmark_manga_ids_${currentPage}`, []);
  977.  
  978. // Delete the bookmark's manga ID list
  979. await GM.deleteValue(`bookmark_manga_ids_${currentPage}`);
  980.  
  981. // For each manga associated with this bookmark
  982. const allKeys = await GM.listValues();
  983. const mangaKeys = allKeys.filter(key => key.startsWith('manga_'));
  984.  
  985. for (const key of mangaKeys) {
  986. const mangaInfo = await GM.getValue(key);
  987.  
  988. // If this manga is associated with the deleted bookmark
  989. if (mangaInfo && mangaInfo.bookmarks && mangaInfo.bookmarks.includes(currentPage)) {
  990. // Remove this bookmark from the manga's bookmarks list
  991. mangaInfo.bookmarks = mangaInfo.bookmarks.filter(b => b !== currentPage);
  992.  
  993. // If this manga is no longer in any bookmarks, delete it entirely
  994. if (mangaInfo.bookmarks.length === 0) {
  995. await GM.deleteValue(key);
  996. console.log(`Deleted orphaned manga: ${key}`);
  997. } else {
  998. // Otherwise, update the manga info with the bookmark removed
  999. await GM.setValue(key, mangaInfo);
  1000. console.log(`Updated manga ${key}: removed bookmark reference`);
  1001. }
  1002. }
  1003. }
  1004.  
  1005. // Switch icon class to 'far' when unbookmarking
  1006. bookmarkIcon.addClass('far').removeClass('fas');
  1007. } else {
  1008. // Add the bookmark
  1009. bookmarkedPages.push(currentPage);
  1010. await GM.setValue('bookmarkedPages', bookmarkedPages);
  1011.  
  1012. // Switch icon class to 'fas' when bookmarking
  1013. bookmarkIcon.addClass('fas').removeClass('far');
  1014. }
  1015.  
  1016. // Remove animation class after animation ends
  1017. setTimeout(() => {
  1018. bookmarkIcon.removeClass('bookmark-animating');
  1019. }, 400); // Match the duration of the CSS animation (0.4s)
  1020. });
  1021. }
  1022.  
  1023.  
  1024.  
  1025.  
  1026. // Only execute if not on the settings page or favorites page
  1027. if (window.location.href.indexOf('nhentai.net/settings') === -1 && window.location.href.indexOf('nhentai.net/favorites') === -1) {
  1028. createBookmarkButton();
  1029. }
  1030.  
  1031.  
  1032.  
  1033.  
  1034.  
  1035.  
  1036. async function addBookmarkButton() {
  1037. const bookmarksPageEnabled = await GM.getValue('bookmarksPageEnabled', true);
  1038. if (!bookmarksPageEnabled) return;
  1039. // Create the bookmark button
  1040. const bookmarkButtonHtml = `
  1041. <li>
  1042. <a href="/bookmarks/">
  1043. <i class="fa fa-bookmark"></i>
  1044. Bookmarks
  1045. </a>
  1046. </li>
  1047. `;
  1048. const bookmarkButton = $(bookmarkButtonHtml);
  1049.  
  1050. // Append the bookmark button to the dropdown menu
  1051. const dropdownMenu = $('ul.dropdown-menu');
  1052. dropdownMenu.append(bookmarkButton);
  1053.  
  1054. // Append the bookmark button to the menu
  1055. const menu = $('ul.menu.left');
  1056. menu.append(bookmarkButton);
  1057. }
  1058.  
  1059. addBookmarkButton(); // Call the function to add the bookmark button
  1060.  
  1061.  
  1062. // Delete error message on unsupported bookmarks page
  1063. (async function() {
  1064. if (window.location.href.includes('/bookmarks')) {
  1065. // Remove not found heading
  1066. const notFoundHeading = document.querySelector('h1');
  1067. if (notFoundHeading?.textContent === '404 – Not Found') {
  1068. notFoundHeading.remove();
  1069. }
  1070.  
  1071. // Remove not found message
  1072. const notFoundMessage = document.querySelector('p');
  1073. if (notFoundMessage?.textContent === "Looks like what you're looking for isn't here.") {
  1074. notFoundMessage.remove();
  1075. }
  1076.  
  1077. // Function to fetch the title of a webpage with caching and retries
  1078. async function fetchTitleWithCacheAndRetry(url, retries = 3) {
  1079. // Check if we have cached manga IDs for this bookmark
  1080. const mangaIds = await GM.getValue(`bookmark_manga_ids_${url}`, []);
  1081. // If we have cached manga data, use it to construct the title
  1082. if (mangaIds.length > 0) {
  1083. // For bookmarks with multiple manga, we'll show a count
  1084. if (mangaIds.length > 1) {
  1085. let itemCount = mangaIds.length;
  1086. let itemSuffix = itemCount > 25 ? `+` : ``;
  1087. return `${url} (${itemCount}${itemSuffix} items)`;
  1088. }
  1089. // For a single manga, fetch its details
  1090. else {
  1091. const mangaId = mangaIds[0];
  1092. const mangaInfo = await GM.getValue(`manga_${mangaId}`);
  1093. if (mangaInfo && mangaInfo.title) {
  1094. return mangaInfo.title;
  1095. }
  1096. }
  1097. }
  1098.  
  1099. // If no cached data found, fetch the title directly
  1100. for (let i = 0; i < retries; i++) {
  1101. try {
  1102. const response = await fetch(url);
  1103. if (response.status === 429) {
  1104. // If we get a 429, wait for a bit before retrying
  1105. await new Promise(resolve => setTimeout(resolve, 1000 * (i + 1)));
  1106. continue;
  1107. }
  1108. const text = await response.text();
  1109. const parser = new DOMParser();
  1110. const doc = parser.parseFromString(text, 'text/html');
  1111. let title = doc.querySelector('title').innerText;
  1112.  
  1113. // Remove "» nhentai: hentai doujinshi and manga" from the title
  1114. const unwantedPart = "» nhentai: hentai doujinshi and manga";
  1115. if (title.includes(unwantedPart)) {
  1116. title = title.replace(unwantedPart, '').trim();
  1117. }
  1118.  
  1119. // We no longer cache the title directly with the URL as the key
  1120. // Instead, we'll create proper relationships when manga data is saved
  1121.  
  1122. return title;
  1123. } catch (error) {
  1124. console.error(`Error fetching title for: ${url}. Attempt ${i + 1} of ${retries}`, error);
  1125. if (i === retries - 1) {
  1126. return url; // Fallback to URL if all retries fail
  1127. }
  1128. }
  1129. }
  1130. }
  1131.  
  1132. // Function to display bookmarked pages with active loading for unfetched bookmarks
  1133. async function displayBookmarkedPages() {
  1134. let bookmarkedPages = await GM.getValue('bookmarkedPages', []);
  1135. let bookmarkedMangas = await GM.getValue('bookmarkedMangas', []);
  1136. const bookmarkArrangementType = await GM.getValue('bookmarkArrangementType', 'default');
  1137.  
  1138. if (Array.isArray(bookmarkedPages) && Array.isArray(bookmarkedMangas)) {
  1139. // Sort bookmarked mangas based on arrangement type
  1140. if (bookmarkArrangementType === 'alphabetical') {
  1141. bookmarkedMangas.sort((a, b) => {
  1142. const titleA = a.title ? a.title.toLowerCase() : '';
  1143. const titleB = b.title ? b.title.toLowerCase() : '';
  1144. return titleA.localeCompare(titleB);
  1145. });
  1146. } else if (bookmarkArrangementType === 'reverse-alphabetical') {
  1147. bookmarkedMangas.sort((a, b) => {
  1148. const titleA = a.title ? a.title.toLowerCase() : '';
  1149. const titleB = b.title ? b.title.toLowerCase() : '';
  1150. return titleB.localeCompare(titleA);
  1151. });
  1152. }
  1153. // Note: bookmarkedPages will be sorted after titles are fetched
  1154. const bookmarksContainer = $('<div id="bookmarksContainer" class="container">');
  1155. const bookmarksTitle = $('<h2 class="bookmarks-title">Bookmarked Pages</h2>');
  1156. const bookmarksList = $('<ul class="bookmarks-list">');
  1157. const searchInput = $('<input type="text" id="searchBookmarks" placeholder="Search bookmarks..." class="search-input">');
  1158. const mangaBookmarksTitle = $('<h2 class="bookmarks-title">Bookmarked Mangas</h2>');
  1159. const mangaBookmarksList = $('<ul class="bookmarks-grid">');
  1160. const tagSearchInput = $('<input type="text" id="searchMangaTags" placeholder="Search manga tags..." class="search-input">');
  1161.  
  1162. // Get the bookmarks page order from storage or use default order
  1163. const defaultOrder = ['bookmarksTitle', 'searchInput', 'tagSearchInput', 'bookmarksList', 'mangaBookmarksTitle', 'mangaBookmarksList'];
  1164. const bookmarksOrder = await GM.getValue('bookmarksContainerOrder', defaultOrder);
  1165. // Create a map of element names to their actual elements
  1166. const elementsMap = {
  1167. 'bookmarksTitle': bookmarksTitle,
  1168. 'searchInput': searchInput,
  1169. 'tagSearchInput': tagSearchInput,
  1170. 'bookmarksList': bookmarksList,
  1171. 'mangaBookmarksTitle': mangaBookmarksTitle,
  1172. 'mangaBookmarksList': mangaBookmarksList
  1173. };
  1174. // Append elements in the order specified by bookmarksOrder
  1175. bookmarksOrder.forEach(elementName => {
  1176. if (elementsMap[elementName]) {
  1177. bookmarksContainer.append(elementsMap[elementName]);
  1178. }
  1179. });
  1180. $('body').append(bookmarksContainer);
  1181.  
  1182. // Add CSS styles
  1183. const styles = `
  1184. #bookmarksContainer {
  1185. margin: 20px auto;
  1186. padding: 20px;
  1187. background-color: #2c2c2c;
  1188. border-radius: 8px;
  1189. box-shadow: 0 0 10px rgba(0, 0, 0, 0.5);
  1190. width: 80%;
  1191. max-width: 600px;
  1192. }
  1193. .bookmarks-title {
  1194. font-size: 24px;
  1195. margin-bottom: 10px;
  1196. color: #e63946;
  1197. }
  1198. .search-input {
  1199. width: calc(100% - 20px);
  1200. padding: 10px;
  1201. margin-bottom: 20px;
  1202. border-radius: 5px;
  1203. border: 1px solid #ccc;
  1204. font-size: 16px;
  1205. }
  1206. .bookmarks-list {
  1207. list-style: none;
  1208. padding: 0;
  1209. max-height: 100%;
  1210. overflow-y: hidden;
  1211. }
  1212. .bookmark-link {
  1213. display: block;
  1214. padding: 10px;
  1215. font-size: 18px;
  1216. color: #f1faee;
  1217. text-decoration: none;
  1218. transition: background-color 0.3s, color 0.3s;
  1219. }
  1220. .bookmark-link:hover {
  1221. background-color: #e63946;
  1222. color: #1d3557;
  1223. }
  1224. .delete-button:hover {
  1225. color: #f1faee;
  1226. }
  1227. .delete-button-pages {
  1228. position: relative;
  1229. top: -32px;
  1230. float: right;
  1231. background: none;
  1232. border: none;
  1233. color: #e63946;
  1234. cursor: pointer;
  1235. font-size: 14px;
  1236. }
  1237.  
  1238. .delete-button-pages:hover {
  1239. color: #f1faee;
  1240. }
  1241. .undo-popup {
  1242. position: fixed;
  1243. bottom: 20px;
  1244. left: 50%;
  1245. transform: translateX(-50%);
  1246. padding: 15px;
  1247. background-color: #333;
  1248. color: #fff;
  1249. border-radius: 5px;
  1250. box-shadow: 0 0 10px rgba(0, 0, 0, 0.5);
  1251. display: flex;
  1252. align-items: center;
  1253. gap: 10px;
  1254. z-index: 1000;
  1255. }
  1256. .undo-button {
  1257. background-color: #f1faee;
  1258. color: #333;
  1259. border: none;
  1260. padding: 5px 10px;
  1261. border-radius: 3px;
  1262. cursor: pointer;
  1263. }
  1264. .undo-button:hover {
  1265. background-color: #e63946;
  1266. color: #1d3557;
  1267. }
  1268. @media only screen and (max-width: 600px) {
  1269. #bookmarksContainer {
  1270. width: 90%;
  1271. margin: 10px auto;
  1272. }
  1273. .bookmarks-title {
  1274. font-size: 20px;
  1275. }
  1276. .bookmark-link {
  1277. font-size: 16px;
  1278. }
  1279. }
  1280. `;
  1281.  
  1282. const styleSheet = document.createElement("style");
  1283. styleSheet.type = "text/css";
  1284. styleSheet.innerText = styles;
  1285. document.head.appendChild(styleSheet);
  1286.  
  1287. // Fetch titles for each bookmark and update dynamically
  1288. for (const page of bookmarkedPages) {
  1289. // Append a loading list item first
  1290. const listItem = $(`<li><a href="${page}" class="bookmark-link">Loading...</a><button class="delete-button-pages">✖</button></li>`);
  1291. bookmarksList.append(listItem);
  1292.  
  1293. // Using async IIFE to handle async operations in the loop
  1294. (async () => {
  1295. try {
  1296. // Get manga IDs associated with this bookmark
  1297. const mangaIds = await GM.getValue(`bookmark_manga_ids_${page}`, []);
  1298. // Determine what to display based on manga IDs
  1299. let displayText;
  1300. if (mangaIds.length > 0) {
  1301. // For single or multiple manga
  1302. const urlObj = new URL(page);
  1303. const pathName = urlObj.pathname;
  1304. const searchParams = urlObj.searchParams.get('q');
  1305. let itemCount = mangaIds.length;
  1306. let itemSuffix = itemCount == 1 ? ' item' : ` items`;
  1307. let itemPlusSuffix = itemCount == 25 ? `+` : ``;
  1308. if (pathName.includes('/tag/')) {
  1309. // For tag pages, extract the tag name
  1310. const tagName = pathName.split('/tag/')[1].replace('/', '');
  1311. displayText = `Tag: ${tagName} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1312. } else if (pathName.includes('/artist/')) {
  1313. // For artist pages, extract the artist name
  1314. const artistName = pathName.split('/artist/')[1].replace('/', '');
  1315. displayText = `Artist: ${artistName} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1316. } else if (pathName.includes('/character/')) {
  1317. // For character pages, extract the character name
  1318. const characterName = pathName.split('/character/')[1].replace('/', '');
  1319. displayText = `Character: ${characterName} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1320. } else if (pathName.includes('/parody/')) {
  1321. // For parody pages, extract the parody name
  1322. const parodyName = pathName.split('/parody/')[1].replace('/', '');
  1323. displayText = `Parody: ${parodyName} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1324. } else if (pathName.includes('/group/')) {
  1325. // For group pages, extract the group name
  1326. const groupName = pathName.split('/group/')[1].replace('/', '');
  1327. displayText = `Group: ${groupName} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1328. } else if (searchParams) {
  1329. // For search results
  1330. displayText = `Search: ${searchParams} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1331. } else {
  1332. // Default display for other pages with manga
  1333. displayText = `${page} (${itemCount}${itemPlusSuffix}${itemSuffix})`;
  1334. }
  1335. } else {
  1336. // If no manga IDs found, fetch title directly
  1337. displayText = await fetchTitleWithCacheAndRetry(page);
  1338. }
  1339. // Update the list item with the fetched title/display text
  1340. const updatedListItem = $(`<li><a href="${page}" class="bookmark-link">${displayText}</a><button class="delete-button-pages">✖</button></li>`);
  1341. listItem.replaceWith(updatedListItem);
  1342.  
  1343. // Add delete functionality
  1344. updatedListItem.find('.delete-button-pages').click(async function() {
  1345. const updatedBookmarkedPages = bookmarkedPages.filter(p => p !== page);
  1346. await GM.setValue('bookmarkedPages', updatedBookmarkedPages);
  1347. // Get the list of manga IDs for this bookmark
  1348. const bookmarkMangaIds = await GM.getValue(`bookmark_manga_ids_${page}`, []);
  1349. // Delete the bookmark's manga ID list
  1350. await GM.deleteValue(`bookmark_manga_ids_${page}`);
  1351. // For each manga associated with this bookmark
  1352. const allKeys = await GM.listValues();
  1353. const mangaKeys = allKeys.filter(key => key.startsWith('manga_'));
  1354. for (const key of mangaKeys) {
  1355. const mangaInfo = await GM.getValue(key);
  1356. // If this manga is associated with the deleted bookmark
  1357. if (mangaInfo && mangaInfo.bookmarks && mangaInfo.bookmarks.includes(page)) {
  1358. // Remove this bookmark from the manga's bookmarks list
  1359. mangaInfo.bookmarks = mangaInfo.bookmarks.filter(b => b !== page);
  1360. // If this manga is no longer in any bookmarks, delete it entirely
  1361. if (mangaInfo.bookmarks.length === 0) {
  1362. await GM.deleteValue(key);
  1363. console.log(`Deleted orphaned manga: ${key}`);
  1364. } else {
  1365. // Otherwise, update the manga info with the bookmark removed
  1366. await GM.setValue(key, mangaInfo);
  1367. console.log(`Updated manga ${key}: removed bookmark reference`);
  1368. }
  1369. }
  1370. }
  1371.  
  1372. updatedListItem.remove();
  1373. console.log(`Deleted bookmark: ${page} and cleaned up related manga data`);
  1374.  
  1375. const undoPopup = $(`
  1376. <div class="undo-popup">
  1377. <span>Bookmark deleted.</span>
  1378. <button class="undo-button">Undo</button>
  1379. </div>
  1380. `);
  1381. $('body').append(undoPopup);
  1382.  
  1383. const timeout = setTimeout(() => {
  1384. undoPopup.remove();
  1385. }, 5000);
  1386.  
  1387. undoPopup.find('.undo-button').click(async function() {
  1388. clearTimeout(timeout);
  1389. const restoredBookmarkedPages = [...updatedBookmarkedPages, page];
  1390. await GM.setValue('bookmarkedPages', restoredBookmarkedPages);
  1391. undoPopup.remove();
  1392. $('#bookmarksContainer').remove();
  1393. displayBookmarkedPages();
  1394. });
  1395. });
  1396. } catch (error) {
  1397. console.error(`Error processing bookmark: ${page}`, error);
  1398. listItem.html(`<a href="${page}" class="bookmark-link">Failed to load</a><button class="delete-button-pages">✖</button>`);
  1399. }
  1400. })();
  1401. }
  1402. // Modified version with better cover organization
  1403. for (const manga of bookmarkedMangas) {
  1404. const listItem = $(`<li class="bookmark-item"><a href="${manga.url}" class="bookmark-link">Loading...</a><button class="delete-button">✖</button></li>`);
  1405. mangaBookmarksList.append(listItem);
  1406.  
  1407. (async () => { // Immediately invoked async function
  1408. const mangaBookMarkingType = await GM.getValue('mangaBookMarkingType', 'cover');
  1409. let title = manga.title;
  1410. let coverImage = manga.coverImageUrl;
  1411.  
  1412. if (!title || !coverImage) {
  1413. try {
  1414. const info = await fetchMangaInfoWithCacheAndRetry(manga.url);
  1415. title = info.title;
  1416. } catch (error) {
  1417. console.error(`Error fetching info for: ${manga.url}`, error);
  1418. listItem.html(`<span class="error-text">Failed to fetch data</span>`);
  1419. return; // Stop processing this item if fetching fails
  1420. }
  1421. }
  1422.  
  1423. // Fetch and store tags
  1424. let tags = await GM.getValue(`tags_${manga.url}`, null);
  1425. if (!tags) {
  1426. try {
  1427. const response = await fetch(manga.url);
  1428. const html = await response.text();
  1429. const doc = new DOMParser().parseFromString(html, 'text/html');
  1430. tags = Array.from(doc.querySelectorAll('#tags .tag')).map(tag => {
  1431. // Remove popularity numbers and format the tag
  1432. return tag.textContent.replace(/\d+K?$/, '').trim().replace(/\b\w/g, char => char.toUpperCase());
  1433. });
  1434. console.log(`Fetched tags for ${manga.url}:`, tags); // Log the fetched tags
  1435. await GM.setValue(`tags_${manga.url}`, tags); // Save tags for future use
  1436. } catch (error) {
  1437. console.error(`Error fetching tags for: ${manga.url}`, error);
  1438. tags = []; // Default to empty if fetch fails
  1439. }
  1440. } else {
  1441. console.log(`Retrieved cached tags for ${manga.url}:`, tags); // Log cached tags
  1442. }
  1443.  
  1444. let content = "";
  1445. if (mangaBookMarkingType === 'cover') {
  1446. content = `
  1447. <div class="cover-container">
  1448. <img src="${coverImage}" alt="${title}" class="cover-image">
  1449. <div class="title-overlay">${title}</div>
  1450. </div>`;
  1451. } else if (mangaBookMarkingType === 'title') {
  1452. content = `<span class="title-only">${title}</span>`;
  1453. } else if (mangaBookMarkingType === 'both') {
  1454. content = `
  1455. <div class="cover-with-title">
  1456. <img src="${coverImage}" alt="${title}" class="cover-image-small">
  1457. <span class="title-text">${title}</span>
  1458. </div>`;
  1459. }
  1460.  
  1461. const updatedListItem = $(`<li class="bookmark-item ${mangaBookMarkingType}-mode"><a href="${manga.url}" class="bookmark-link">${content}</a><button class="delete-button">✖</button></li>`);
  1462. listItem.replaceWith(updatedListItem);
  1463.  
  1464. // Add delete functionality
  1465. updatedListItem.find('.delete-button').click(async function() {
  1466. const updatedBookmarkedMangas = bookmarkedMangas.filter(m => m.url !== manga.url);
  1467. await GM.setValue('bookmarkedMangas', updatedBookmarkedMangas);
  1468. updatedListItem.remove();
  1469.  
  1470. const undoPopup = $(`
  1471. <div class="undo-popup">
  1472. <span>Bookmark deleted.</span>
  1473. <button class="undo-button">Undo</button>
  1474. </div>
  1475. `);
  1476. $('body').append(undoPopup);
  1477.  
  1478. const timeout = setTimeout(() => {
  1479. undoPopup.remove();
  1480. }, 5000);
  1481.  
  1482. undoPopup.find('.undo-button').click(async function() {
  1483. clearTimeout(timeout);
  1484. const restoredBookmarkedMangas = [...updatedBookmarkedMangas, manga];
  1485. await GM.setValue('bookmarkedMangas', restoredBookmarkedMangas);
  1486. undoPopup.remove();
  1487. $('#bookmarksContainer').remove();
  1488. displayBookmarkedPages();
  1489. });
  1490. });
  1491. })(); // Execute the async function immediately
  1492. }
  1493.  
  1494. // Add this CSS to your styles
  1495. const additionalStyles = `
  1496. #mangaBookmarksList {
  1497. display: grid;
  1498. grid-template-columns: repeat(auto-fill, minmax(120px, 1fr));
  1499. gap: 15px;
  1500. list-style-type: none;
  1501. padding: 0;
  1502. }
  1503.  
  1504. .bookmark-item {
  1505. position: relative;
  1506. }
  1507.  
  1508. .bookmark-item.cover-mode {
  1509. text-align: center;
  1510. }
  1511.  
  1512. .cover-container {
  1513. position: relative;
  1514. width: 100%;
  1515. height: 0;
  1516. padding-bottom: 140%; /* Aspect ratio for typical manga covers */
  1517. overflow: hidden;
  1518. border-radius: 5px;
  1519. box-shadow: 0 2px 5px rgba(0,0,0,0.2);
  1520. }
  1521.  
  1522. .cover-image {
  1523. position: absolute;
  1524. top: 0;
  1525. left: 0;
  1526. width: 100%;
  1527. height: 100%;
  1528. object-fit: cover;
  1529. transition: transform 0.3s ease;
  1530. }
  1531.  
  1532. .cover-container:hover .cover-image {
  1533. transform: scale(1.05);
  1534. }
  1535.  
  1536. .title-overlay {
  1537. position: absolute;
  1538. bottom: 0;
  1539. left: 0;
  1540. right: 0;
  1541. background: rgba(0,0,0,0.7);
  1542. color: white;
  1543. padding: 5px;
  1544. font-size: 12px;
  1545. text-align: center;
  1546. overflow: hidden;
  1547. text-overflow: ellipsis;
  1548. white-space: nowrap;
  1549. }
  1550.  
  1551. .delete-button {
  1552. position: absolute;
  1553. top: 5px;
  1554. right: 5px;
  1555. background: rgba(0,0,0,0.5);
  1556. color: white;
  1557. border: none;
  1558. border-radius: 50%;
  1559. width: 20px;
  1560. height: 20px;
  1561. font-size: 12px;
  1562. cursor: pointer;
  1563. opacity: 0;
  1564. transition: opacity 0.2s ease;
  1565. text-align: center;
  1566. display: flex;
  1567. align-items: center;
  1568. justify-content: center;
  1569. }
  1570.  
  1571. .bookmark-item:hover .delete-button {
  1572. opacity: 1;
  1573. }
  1574.  
  1575. .title-only {
  1576. display: block;
  1577. padding: 5px;
  1578. overflow: hidden;
  1579. text-overflow: ellipsis;
  1580. white-space: nowrap;
  1581. }
  1582.  
  1583. .cover-with-title {
  1584. display: flex;
  1585. align-items: center;
  1586. }
  1587.  
  1588. .cover-image-small {
  1589. width: 50px;
  1590. height: 70px;
  1591. object-fit: cover;
  1592. margin-right: 10px;
  1593. border-radius: 3px;
  1594. }
  1595. /* Default styles for desktop */
  1596. .bookmarks-grid {
  1597. list-style: none;
  1598. padding: 0;
  1599. max-height: 100%;
  1600. overflow-y: hidden;
  1601. display: grid;
  1602. grid-template-columns: repeat(auto-fill, minmax(180px, 1fr)); /* adjust the min and max widths as needed */
  1603. gap: 10px; /* adjust the gap between grid items as needed */
  1604. }
  1605.  
  1606. /* Styles for mobile devices */
  1607. @media only screen and (max-width: 768px) {
  1608. .bookmarks-grid {
  1609. grid-template-columns: repeat(auto-fill, minmax(150px, 1fr)); /* adjust the grid item width for mobile */
  1610. gap: 5px; /* adjust the gap between grid items for mobile */
  1611. }
  1612. }
  1613. .title-text {
  1614. flex: 1;
  1615. overflow: hidden;
  1616. text-overflow: ellipsis;
  1617. display: -webkit-box;
  1618. -webkit-line-clamp: 2;
  1619. -webkit-box-orient: vertical;
  1620. }
  1621.  
  1622. /* Modified search to work with new layout */
  1623. .bookmark-item.hidden {
  1624. display: none;
  1625. }
  1626. .random-button {
  1627. background-color: #e63946;
  1628. color: #ffffff;
  1629. border: none;
  1630. padding: 5px 10px;
  1631. font-size: 14px;
  1632. cursor: pointer;
  1633. border-radius: 5px;
  1634. transition: background-color 0.2s ease;
  1635. }
  1636.  
  1637. .random-button:hover {
  1638. background-color:rgb(255, 255, 255);
  1639. color: #e63946;
  1640. }
  1641.  
  1642. .random-button:active {
  1643. transform: translateY(2px);
  1644. }
  1645.  
  1646. .random-button i {
  1647. margin-right: 10px;
  1648. }
  1649. `;
  1650.  
  1651. // Add the CSS to the page
  1652. $('<style>').text(additionalStyles).appendTo('head');
  1653.  
  1654.  
  1655. // Modified search functionality to work with the new layout
  1656. searchInput.on('input', filterBookmarks);
  1657. tagSearchInput.on('input', filterBookmarks);
  1658.  
  1659. function filterBookmarks() {
  1660. const searchQuery = searchInput.val().toLowerCase();
  1661. const tagQueries = tagSearchInput.val().toLowerCase().trim().split(/,\s*|\s+/);
  1662.  
  1663. mangaBookmarksList.children('li').each(async function () {
  1664. const $li = $(this);
  1665. const mangaUrl = $li.find('.bookmark-link').attr('href');
  1666. const tags = await GM.getValue(`tags_${mangaUrl}`, []);
  1667.  
  1668. const cleanedTags = tags.map(tag =>
  1669. tag.replace(/\d+K?$/, '').trim().toLowerCase()
  1670. );
  1671.  
  1672. const textContent = $li.find('.bookmark-link').text().toLowerCase();
  1673. const imageSrc = $li.find('.bookmark-link img').attr('src') || '';
  1674.  
  1675. const searchMatch = textContent.includes(searchQuery) || imageSrc.toLowerCase().includes(searchQuery);
  1676. const tagMatch = tagQueries.every(query => {
  1677. const queryWords = query.split(/\s+/);
  1678. return cleanedTags.some(tag =>
  1679. queryWords.every(word => tag.includes(word))
  1680. );
  1681. });
  1682.  
  1683. $li.toggleClass('hidden', !(searchMatch && tagMatch));
  1684. });
  1685.  
  1686. $('.bookmarks-list li').each(async function () {
  1687. const $li = $(this);
  1688. const bookmarkUrl = $li.find('.bookmark-link').attr('href');
  1689. let matchFound = false;
  1690.  
  1691. // Get all manga IDs associated with this bookmark
  1692. const mangaIds = await GM.getValue(`bookmark_manga_ids_${bookmarkUrl}`, []);
  1693.  
  1694. if (!mangaIds || mangaIds.length === 0) {
  1695. // If we don't have any manga IDs for this bookmark, hide it
  1696. $li.toggleClass('hidden', true);
  1697. return;
  1698. }
  1699.  
  1700. // Check each manga in this bookmark for matching tags
  1701. for (const mangaId of mangaIds) {
  1702. const mangaData = await GM.getValue(`manga_${mangaId}`, null);
  1703. if (!mangaData || !mangaData.tags) continue;
  1704.  
  1705. const cleanedTags = mangaData.tags.map(tag =>
  1706. tag.replace(/\d+K?$/, '').trim().toLowerCase()
  1707. );
  1708.  
  1709. const searchContent = $li.find('.bookmark-link').text().toLowerCase();
  1710. const searchImageSrc = $li.find('.bookmark-link img').attr('src') || '';
  1711.  
  1712. const searchMatch = searchContent.includes(searchQuery) || searchImageSrc.toLowerCase().includes(searchQuery);
  1713. const tagMatch = tagQueries.every(query => {
  1714. const queryWords = query.split(/\s+/);
  1715. return cleanedTags.some(tag =>
  1716. queryWords.every(word => tag.includes(word))
  1717. );
  1718. });
  1719.  
  1720. if (searchMatch && tagMatch) {
  1721. matchFound = true;
  1722. break;
  1723. }
  1724. }
  1725.  
  1726. $li.toggleClass('hidden', !matchFound);
  1727. });
  1728. }
  1729. } else {
  1730. console.error('Bookmarked pages or mangas is not an array');
  1731. }
  1732. }
  1733.  
  1734. // Wait for the HTML document to be fully loaded
  1735. setTimeout(async function() {
  1736. // Function to fetch and process bookmarked pages
  1737. async function processBookmarkedPages() {
  1738. // Select all .bookmark-link elements from the .bookmarks-list
  1739. const bookmarkLinks = document.querySelectorAll('.bookmarks-list .bookmark-link');
  1740. // Get the max manga per bookmark from the slider
  1741. const maxMangaPerBookmark = await GM.getValue('maxMangaPerBookmark', 5);
  1742. console.log('Found bookmark links:', bookmarkLinks.length);
  1743. console.log('Max manga per bookmark setting:', maxMangaPerBookmark);
  1744.  
  1745. if (bookmarkLinks.length === 0) {
  1746. console.log('No bookmark links found');
  1747. return;
  1748. }
  1749.  
  1750. // Log the fetched bookmarked URLs
  1751. console.log('Processing bookmarked URLs:');
  1752. // Request each bookmark URL and extract manga URLs
  1753. for (const link of bookmarkLinks) {
  1754. if (!link.href) {
  1755. console.log('Bookmark link has no href attribute, skipping');
  1756. continue;
  1757. }
  1758. // Check if bookmark has existing cache
  1759. const existingCache = await GM.getValue(`bookmark_manga_ids_${link.href}`);
  1760. if (existingCache) {
  1761. console.log(`Skipping bookmark ${link.href} as it has existing cache`);
  1762. continue;
  1763. }
  1764. console.log(`Processing bookmark: ${link.href}`);
  1765. try {
  1766. // Fetch the bookmark page with retry logic
  1767. const bookmarkResponse = await fetchWithRetry(link.href);
  1768. const html = await bookmarkResponse.text();
  1769. const doc = new DOMParser().parseFromString(html, 'text/html');
  1770. // Extract all manga URLs from the page (main gallery thumbnails)
  1771. const mangaLinks = doc.querySelectorAll('.gallery a.cover');
  1772. const allMangaUrls = Array.from(mangaLinks).map(link => {
  1773. return {
  1774. url: 'https://nhentai.net' + link.getAttribute('href'),
  1775. id: link.getAttribute('href').split('/g/')[1].replace('/', '')
  1776. };
  1777. });
  1778. // Store the complete list of manga IDs for this bookmark
  1779. await GM.setValue(`bookmark_manga_ids_${link.href}`, allMangaUrls.map(item => item.id));
  1780. // Apply limit if maxMangaPerBookmark is valid
  1781. const limitToApply = (!isNaN(maxMangaPerBookmark) && maxMangaPerBookmark > 0)
  1782. ? maxMangaPerBookmark
  1783. : allMangaUrls.length;
  1784. // Slice the array to the appropriate length
  1785. const mangaToProcess = allMangaUrls.slice(0, limitToApply);
  1786.  
  1787. // Log the fetched manga URLs from each bookmark with limit info
  1788. console.log(`Found ${allMangaUrls.length} manga in bookmark, processing ${mangaToProcess.length} (limit: ${limitToApply})`);
  1789.  
  1790. // Fetch and process tags for each manga URL (limited by maxMangaPerBookmark)
  1791. for (const manga of mangaToProcess) {
  1792. const mangaId = manga.id;
  1793. const mangaUrl = manga.url;
  1794. // Use a simpler cache key that only depends on the manga ID
  1795. let mangaInfo = await GM.getValue(`manga_${mangaId}`, null);
  1796. // Track when this manga was last seen
  1797. const now = new Date().getTime();
  1798. if (!mangaInfo) {
  1799. console.log(`Fetching new manga info for ID: ${mangaId}, URL: ${mangaUrl}`);
  1800. try {
  1801. // Fetch the manga page with retry logic
  1802. const mangaResponse = await fetchWithRetry(mangaUrl);
  1803. const html = await mangaResponse.text();
  1804. const doc = new DOMParser().parseFromString(html, 'text/html');
  1805. const tagsList = doc.querySelectorAll('#tags .tag');
  1806. if (tagsList.length > 0) {
  1807. const tags = Array.from(tagsList).map(tag => tag.textContent.trim());
  1808. console.log(`Fetched tags for ${mangaUrl}:`, tags);
  1809. mangaInfo = {
  1810. id: mangaId,
  1811. url: mangaUrl,
  1812. tags: tags,
  1813. lastSeen: now,
  1814. bookmarks: [link.href] // Track which bookmarks this manga appears in
  1815. };
  1816. } else {
  1817. console.log(`No tags found for ${mangaUrl}`);
  1818. mangaInfo = {
  1819. id: mangaId,
  1820. url: mangaUrl,
  1821. tags: [],
  1822. lastSeen: now,
  1823. bookmarks: [link.href]
  1824. };
  1825. }
  1826. await GM.setValue(`manga_${mangaId}`, mangaInfo);
  1827. } catch (error) {
  1828. console.error(`Error fetching tags for: ${mangaUrl}`, error);
  1829. mangaInfo = {
  1830. id: mangaId,
  1831. url: mangaUrl,
  1832. tags: [],
  1833. lastSeen: now,
  1834. bookmarks: [link.href]
  1835. };
  1836. await GM.setValue(`manga_${mangaId}`, mangaInfo);
  1837. }
  1838. } else {
  1839. // Update the existing manga info with the current timestamp
  1840. // and add this bookmark if not already present
  1841. if (!mangaInfo.bookmarks.includes(link.href)) {
  1842. mangaInfo.bookmarks.push(link.href);
  1843. }
  1844. mangaInfo.lastSeen = now;
  1845. await GM.setValue(`manga_${mangaId}`, mangaInfo);
  1846. console.log(`Updated existing manga cache for ${mangaId}`);
  1847. }
  1848. }
  1849. } catch (error) {
  1850. console.error(`Error processing bookmark: ${link.href}`, error);
  1851. }
  1852. }
  1853. // Optional: clean up old cached manga data that hasn't been seen in a while
  1854. await cleanupOldCacheData(30); // Clean data older than 30 days
  1855. }
  1856.  
  1857. // Helper function to clean up old cache data
  1858. async function cleanupOldCacheData(daysOld) {
  1859. try {
  1860. const allKeys = await GM.listValues();
  1861. const mangaKeys = allKeys.filter(key => key.startsWith('manga_'));
  1862. const now = new Date().getTime();
  1863. const cutoffTime = now - (daysOld * 24 * 60 * 60 * 1000); // Convert days to milliseconds
  1864. let removedCount = 0;
  1865. for (const key of mangaKeys) {
  1866. const mangaInfo = await GM.getValue(key);
  1867. // If there's no lastSeen or if it's older than the cutoff, remove it
  1868. if (!mangaInfo || !mangaInfo.lastSeen || mangaInfo.lastSeen < cutoffTime) {
  1869. await GM.deleteValue(key);
  1870. removedCount++;
  1871. }
  1872. }
  1873. if (removedCount > 0) {
  1874. console.log(`Cleaned up ${removedCount} old manga entries from cache`);
  1875. }
  1876. } catch (error) {
  1877. console.error('Error cleaning up old cache data:', error);
  1878. }
  1879. }
  1880.  
  1881. // Helper function to fetch with retry logic for 429 errors
  1882. async function fetchWithRetry(url, maxRetries = 10, delay = 2000) {
  1883. let retries = 0;
  1884. while (retries < maxRetries) {
  1885. try {
  1886. const response = await fetch(url);
  1887. // If we got a 429 Too Many Requests, retry after a delay
  1888. if (response.status === 429) {
  1889. retries++;
  1890. console.log(`Rate limited (429) on ${url}. Retry ${retries}/${maxRetries} after ${delay}ms delay.`);
  1891. await new Promise(resolve => setTimeout(resolve, delay));
  1892. // Increase delay for subsequent retries (exponential backoff)
  1893. delay = Math.min(delay * 1.5, 30000); // Cap at 30 seconds
  1894. } else {
  1895. // For any other status, return the response
  1896. return response;
  1897. }
  1898. } catch (error) {
  1899. retries++;
  1900. console.error(`Fetch error for ${url}. Retry ${retries}/${maxRetries}.`, error);
  1901. if (retries >= maxRetries) throw error;
  1902. await new Promise(resolve => setTimeout(resolve, delay));
  1903. // Increase delay for subsequent retries
  1904. delay = Math.min(delay * 1.5, 30000);
  1905. }
  1906. }
  1907. throw new Error(`Failed to fetch ${url} after ${maxRetries} retries.`);
  1908. }
  1909.  
  1910. // Helper function to update manga cache when limit changes
  1911. async function updateMangaCache() {
  1912. const maxMangaPerBookmark = await GM.getValue('maxMangaPerBookmark', 5);
  1913. const allKeys = await GM.listValues();
  1914. const mangaKeys = allKeys.filter(key => key.startsWith('manga_'));
  1915. for (const key of mangaKeys) {
  1916. const mangaInfo = await GM.getValue(key);
  1917. if (mangaInfo) {
  1918. const newLimit = maxMangaPerBookmark;
  1919. const existingLimit = mangaInfo.limit;
  1920. if (newLimit !== existingLimit) {
  1921. console.log(`Updating manga cache for ${mangaInfo.id} with new limit ${newLimit}`);
  1922. mangaInfo.limit = newLimit;
  1923. await GM.setValue(key, mangaInfo);
  1924. }
  1925. }
  1926. }
  1927. }
  1928.  
  1929. // Call the function to process bookmarked pages
  1930. processBookmarkedPages();
  1931. // Update manga cache when limit changes
  1932. updateMangaCache();
  1933. }, 2000);
  1934.  
  1935.  
  1936.  
  1937. // Function to fetch manga info (title and cover image) with cache and retry
  1938. async function fetchMangaInfoWithCacheAndRetry(manga) {
  1939. const cacheKey = `manga-info-${manga}`;
  1940. const cachedInfo = await GM.getValue(cacheKey);
  1941. if (cachedInfo) {
  1942. return cachedInfo;
  1943. }
  1944.  
  1945. try {
  1946. const response = await fetch(manga);
  1947. const html = await response.text();
  1948. const parser = new DOMParser();
  1949. const doc = parser.parseFromString(html, 'text/html');
  1950. const title = doc.querySelector('h1.title').textContent;
  1951. const coverImage = doc.querySelector('#cover img').src;
  1952. const info = { title, coverImage };
  1953. await GM.setValue(cacheKey, info);
  1954. return info;
  1955. } catch (error) {
  1956. console.error(`Error fetching manga info for: ${manga}`, error);
  1957. throw error;
  1958. }
  1959. }
  1960.  
  1961. // Call the function to display bookmarked pages with active loading
  1962. displayBookmarkedPages();
  1963.  
  1964.  
  1965. }
  1966. })();
  1967. // ------------------------ *Bookmarks** ------------------
  1968.  
  1969.  
  1970.  
  1971.  
  1972.  
  1973. //------------------------ **Nhentai English Filter** ----------------------
  1974. var pathname = window.location.pathname;
  1975. var searchQuery = window.location.search.split('=')[1] || '';
  1976. var namespaceQuery = pathname.split('/')[2];
  1977. var namespaceSearchLink = '<div class="sort-type"><a href="https://nhentai.net/search/?q=' + namespaceQuery + '+English">English Only</a></div>';
  1978. var siteSearchLink = '<div class="sort-type"><a href="https://nhentai.net/search/?q=' + searchQuery + '+English">English Only</a></div>';
  1979. var favSearchBtn = '<a class="btn btn-primary" href="https://nhentai.net/favorites/?q=English+' + searchQuery + '"><i class="fa fa-flag"></i> ENG</a>';
  1980. var favPageBtn = '<a class="btn btn-primary" href="https://nhentai.net/favorites/?q=English+"><i class="fa fa-flag"></i> ENG</a>';
  1981.  
  1982. (async function() {
  1983. const englishFilterEnabled = await GM.getValue('englishFilterEnabled', true);
  1984.  
  1985. if (englishFilterEnabled) {
  1986. // Check if the search query contains 'English' or 'english'
  1987. if (!/English/i.test(searchQuery)) {
  1988. if (pathname.startsWith('/parody/')) { // parody pages
  1989. document.getElementsByClassName('sort')[0].innerHTML += namespaceSearchLink;
  1990. } else if (pathname.startsWith('/favorites/')) { // favorites pages
  1991. if (window.location.search.length) {
  1992. document.getElementById('favorites-random-button').insertAdjacentHTML('afterend', favSearchBtn);
  1993. } else {
  1994. document.getElementById('favorites-random-button').insertAdjacentHTML('afterend', favPageBtn);
  1995. }
  1996. } else if (pathname.startsWith('/artist/')) { // artist pages
  1997. document.getElementsByClassName('sort')[0].innerHTML += namespaceSearchLink;
  1998. } else if (pathname.startsWith('/tag/')) { // tag pages
  1999. document.getElementsByClassName('sort')[0].innerHTML += namespaceSearchLink;
  2000. } else if (pathname.startsWith('/group/')) { // group pages
  2001. document.getElementsByClassName('sort')[0].innerHTML += namespaceSearchLink;
  2002. } else if (pathname.startsWith('/category/')) { // category pages
  2003. document.getElementsByClassName('sort')[0].innerHTML += namespaceSearchLink;
  2004. } else if (pathname.startsWith('/character/')) { // character pages
  2005. document.getElementsByClassName('sort')[0].innerHTML += namespaceSearchLink;
  2006. } else if (pathname.startsWith('/search/')) { // search pages
  2007. document.getElementsByClassName('sort')[0].innerHTML += siteSearchLink;
  2008. }
  2009. }
  2010. }
  2011. })();
  2012. //------------------------ **Nhentai English Filter** ----------------------
  2013.  
  2014.  
  2015.  
  2016. //------------------------ **Nhentai Auto Login** --------------------------
  2017. (async function() {
  2018. const autoLoginEnabled = await GM.getValue('autoLoginEnabled', true);
  2019. const email = await GM.getValue('email');
  2020. const password = await GM.getValue('password');
  2021.  
  2022. // Login page
  2023. if (autoLoginEnabled && window.location.href.includes('/login/?next=/')) {
  2024. if (!email || !password) {
  2025. GM.setValue('email', prompt('Please enter your email:'));
  2026. GM.setValue('password', prompt('Please enter your password:'));
  2027. }
  2028. document.getElementById('id_username_or_email').value = email;
  2029. document.getElementById('id_password').value = password;
  2030. const errorMessage = document.querySelector('#errors');
  2031. if (!errorMessage || !errorMessage.textContent.includes('You need to solve the CAPTCHA.')) {
  2032. document.querySelector('button[type="submit"]').click();
  2033. } else {
  2034. console.log('CAPTCHA detected. Cannot auto-login.');
  2035. }
  2036. }
  2037. })();
  2038. //------------------------ **Nhentai Auto Login** --------------------------
  2039.  
  2040.  
  2041.  
  2042. //----------------------------**Settings**-----------------------------
  2043.  
  2044. // Function to add the settings button to the menu
  2045. function addSettingsButton() {
  2046. // Create the settings button
  2047. const settingsButtonHtml = `
  2048. <li>
  2049. <a href="/settings/">
  2050. <i class="fa fa-cog"></i>
  2051. Settings
  2052. </a>
  2053. </li>
  2054. `;
  2055. const settingsButton = $(settingsButtonHtml);
  2056.  
  2057. // Append the settings button to the dropdown menu and the left menu
  2058. const dropdownMenu = $('ul.dropdown-menu');
  2059. dropdownMenu.append(settingsButton);
  2060.  
  2061. const menu = $('ul.menu.left');
  2062. menu.append(settingsButton);
  2063. }
  2064.  
  2065. // Call the function to add the settings button
  2066. addSettingsButton();
  2067.  
  2068. // Handle settings page
  2069. if (window.location.href.includes('/settings')) {
  2070. // Remove 404 Not Found elements
  2071. const notFoundHeading = document.querySelector('h1');
  2072. if (notFoundHeading && notFoundHeading.textContent === '404 – Not Found') {
  2073. notFoundHeading.remove();
  2074. }
  2075.  
  2076. const notFoundMessage = document.querySelector('p');
  2077. if (notFoundMessage && notFoundMessage.textContent === "Looks like what you're looking for isn't here.") {
  2078. notFoundMessage.remove();
  2079. }
  2080.  
  2081. // Add settings form and random hentai preferences
  2082. const settingsHtml = `
  2083. <style>
  2084. #content {
  2085. padding: 20px;
  2086. background: #1a1a1a;
  2087. color: #fff;
  2088. border-radius: 5px;
  2089. }
  2090.  
  2091. #settingsForm {
  2092. display: flex;
  2093. flex-direction: column;
  2094. gap: 10px;
  2095. }
  2096. .tooltip {
  2097. display: inline-block;
  2098. position: relative;
  2099. cursor: pointer;
  2100. font-size: 14px;
  2101. background: #444;
  2102. color: #fff;
  2103. border-radius: 50%;
  2104. width: 18px;
  2105. height: 18px;
  2106. text-align: center;
  2107. line-height: 18px;
  2108. font-weight: bold;
  2109. }
  2110.  
  2111. .tooltip:hover::after {
  2112. content: attr(data-tooltip);
  2113. position: absolute;
  2114. left: 50%;
  2115. bottom: 100%;
  2116. transform: translateX(-50%);
  2117. background: #666;
  2118. color: #fff;
  2119. padding: 5px;
  2120. border-radius: 3px;
  2121. white-space: nowrap;
  2122. font-size: 12px;
  2123. }
  2124. #settingsForm label {
  2125. display: flex;
  2126. align-items: center;
  2127. gap: 10px;
  2128. }
  2129.  
  2130. #settingsForm input[type="text"],
  2131. #settingsForm input[type="password"],
  2132. #settingsForm input[type="number"] {
  2133. width: calc(100% - 12px); /* Adjust for padding and borders */
  2134. padding: 5px;
  2135. border-radius: 3px;
  2136. border: 1px solid #333;
  2137. background: #333;
  2138. color: #fff;
  2139. }
  2140.  
  2141. #settingsForm button {
  2142. padding: 10px;
  2143. background: #2a2a2a;
  2144. border: 1px solid #333;
  2145. border-radius: 3px;
  2146. color: #fff;
  2147. cursor: pointer;
  2148. }
  2149.  
  2150. #settingsForm button:hover {
  2151. background: #333;
  2152. }
  2153.  
  2154. #autoLoginCredentials {
  2155. display: block;
  2156. margin-top: 10px;
  2157. }
  2158.  
  2159. #random-settings {
  2160. margin-top: 20px;
  2161. }
  2162.  
  2163. #random-settings label {
  2164. display: flex;
  2165. align-items: center;
  2166. gap: 10px;
  2167. }
  2168.  
  2169. #random-settings input[type="text"],
  2170. #random-settings input[type="number"] {
  2171. width: calc(100% - 12px); /* Adjust for padding and borders */
  2172. padding: 5px;
  2173. border-radius: 3px;
  2174. border: 1px solid #333;
  2175. background: #333;
  2176. color: #fff;
  2177. margin-bottom: 10px; /* Add spacing between fields */
  2178. }
  2179.  
  2180. /* Bookmark Import/Export Buttons */
  2181. .bookmark-actions {
  2182. display: flex;
  2183. gap: 10px;
  2184. margin-top: 10px;
  2185. }
  2186.  
  2187. .bookmark-actions button {
  2188. padding: 10px;
  2189. background-color: #007bff;
  2190. border: none;
  2191. color: white;
  2192. cursor: pointer;
  2193. }
  2194.  
  2195. .bookmark-actions button:hover {
  2196. background-color: #0056b3;
  2197. }
  2198.  
  2199. #importBookmarksFile {
  2200. display: none;
  2201. }
  2202. /* Advanced Settings Section */
  2203. #advanced-settings {
  2204. margin-top: 30px;
  2205. border-top: 1px solid #333;
  2206. padding-top: 20px;
  2207. }
  2208. #advanced-settings h3 {
  2209. display: flex;
  2210. align-items: center;
  2211. gap: 10px;
  2212. cursor: pointer;
  2213. }
  2214.  
  2215. /* Tab Arrangement Styles */
  2216. .sortable-list {
  2217. list-style: none;
  2218. padding: 0;
  2219. margin: 10px 0;
  2220. touch-action: pan-y;
  2221. }
  2222.  
  2223. .tab-item {
  2224. display: flex;
  2225. align-items: center;
  2226. padding: 10px;
  2227. margin: 5px 0;
  2228. background: #2a2a2a;
  2229. border: 1px solid #333;
  2230. border-radius: 3px;
  2231. user-select: none;
  2232. transition: background 0.2s, transform 0.2s;
  2233. touch-action: none;
  2234. }
  2235.  
  2236. .handle {
  2237. cursor: grab;
  2238. margin-right: 8px;
  2239. touch-action: none;
  2240. }
  2241.  
  2242. .tab-item.sortable-ghost {
  2243. opacity: 0.5;
  2244. }
  2245.  
  2246. .tab-item.sortable-drag,
  2247. .tab-item.dragging {
  2248. cursor: grabbing !important;
  2249. background: #333;
  2250. transform: scale(1.02);
  2251. z-index: 1000;
  2252. }
  2253.  
  2254. .tab-item:hover {
  2255. background: #333;
  2256. }
  2257.  
  2258. .tab-item .handle:hover {
  2259. opacity: 0.8;
  2260. }
  2261. }
  2262.  
  2263. .tab-item:hover {
  2264. background: #333;
  2265. }
  2266.  
  2267. .tab-item .handle {
  2268. margin-right: 10px;
  2269. color: #666;
  2270. }
  2271.  
  2272. .btn-secondary {
  2273. background: #444;
  2274. color: #fff;
  2275. border: none;
  2276. padding: 8px 15px;
  2277. border-radius: 3px;
  2278. cursor: pointer;
  2279. margin-top: 10px;
  2280. }
  2281.  
  2282. .btn-secondary:hover {
  2283. background: #555;
  2284. }
  2285. #advanced-settings-content {
  2286. display: none;
  2287. margin-top: 15px;
  2288. }
  2289. #storage-data {
  2290. width: 100%;
  2291. height: 200px;
  2292. background: #333;
  2293. color: #fff;
  2294. border: 1px solid #444;
  2295. padding: 10px;
  2296. font-family: monospace;
  2297. margin-bottom: 10px;
  2298. white-space: pre;
  2299. overflow: auto;
  2300. }
  2301. .storage-key-item {
  2302. display: flex;
  2303. align-items: center;
  2304. margin-bottom: 5px;
  2305. background: #2a2a2a;
  2306. padding: 5px;
  2307. border-radius: 3px;
  2308. }
  2309. .storage-key {
  2310. flex: 1;
  2311. padding: 5px;
  2312. overflow: hidden;
  2313. text-overflow: ellipsis;
  2314. }
  2315. .storage-actions {
  2316. display: flex;
  2317. gap: 5px;
  2318. }
  2319. .storage-actions button {
  2320. background: #444;
  2321. border: none;
  2322. color: white;
  2323. padding: 3px 8px;
  2324. border-radius: 2px;
  2325. cursor: pointer;
  2326. }
  2327. .storage-actions button:hover {
  2328. background: #555;
  2329. }
  2330. .action-btn-danger {
  2331. background: #d9534f !important;
  2332. }
  2333. .action-btn-danger:hover {
  2334. background: #c9302c !important;
  2335. }
  2336. #edit-value-modal {
  2337. display: none;
  2338. position: fixed;
  2339. top: 0;
  2340. left: 0;
  2341. width: 100%;
  2342. height: 100%;
  2343. background: rgba(0, 0, 0, 0.8);
  2344. z-index: 999;
  2345. }
  2346. #edit-value-content {
  2347. position: absolute;
  2348. top: 50%;
  2349. left: 50%;
  2350. transform: translate(-50%, -50%);
  2351. background: #222;
  2352. padding: 20px;
  2353. border-radius: 5px;
  2354. width: 80%;
  2355. max-width: 600px;
  2356. }
  2357. #edit-value-textarea {
  2358. width: 100%;
  2359. height: 200px;
  2360. background: #333;
  2361. color: #fff;
  2362. border: 1px solid #444;
  2363. padding: 10px;
  2364. font-family: monospace;
  2365. margin-bottom: 15px;
  2366. }
  2367. .modal-buttons {
  2368. display: flex;
  2369. gap: 10px;
  2370. justify-content: flex-end;
  2371. }
  2372. /* Page Management Section */
  2373. #page-management {
  2374. margin-top: 20px;
  2375. border-top: 1px solid #333;
  2376. border-bottom: 1px solid #333;
  2377. padding-top: 20px;
  2378. padding-bottom: 30px;
  2379.  
  2380. }
  2381. #page-management h3 {
  2382. display: flex;
  2383. align-items: center;
  2384. gap: 10px;
  2385. }
  2386. .section-header {
  2387. font-weight: bold;
  2388. margin: 10px 0 5px 0;
  2389. color: #ccc;
  2390. }
  2391. .expand-icon::after {
  2392. content: "❯"; /* Chevron Right */
  2393. margin-left: 5px;
  2394. font-size: 14px;
  2395. display: inline-block;
  2396. transition: transform 0.2s ease;
  2397. }
  2398.  
  2399. .expand-icon.expanded::after {
  2400. content: "❯"; /* Keep the same content */
  2401. transform: rotate(90deg); /* Rotate to mimic Chevron Down */
  2402. font-size: 14px;
  2403. }
  2404.  
  2405. /* Style for the Show Non-English dropdown to match NHentai theme */
  2406. #showNonEnglishSelect {
  2407. /* Basic styling */
  2408. padding: 6px 10px;
  2409. margin: 0 5px;
  2410. min-width: 110px;
  2411. /* Colors */
  2412. background-color: #2b2b2b;
  2413. color: #e6e6e6;
  2414. border: 1px solid #3d3d3d;
  2415. /* Typography */
  2416. font-family: "Segoe UI", system-ui, -apple-system, sans-serif;
  2417. font-size: 14px;
  2418. font-weight: 400;
  2419. /* Effects */
  2420. border-radius: 4px;
  2421. cursor: pointer;
  2422. transition: all 0.15s ease;
  2423. }
  2424.  
  2425. /* Hover state */
  2426. #showNonEnglishSelect:hover {
  2427. border-color: #4e4e4e;
  2428. background-color: #323232;
  2429. }
  2430.  
  2431. /* Focus state */
  2432. #showNonEnglishSelect:focus {
  2433. outline: none;
  2434. border-color: #616161;
  2435. box-shadow: 0 0 0 2px rgba(82, 82, 82, 0.35);
  2436. }
  2437.  
  2438. /* Dropdown options */
  2439. #showNonEnglishSelect option {
  2440. padding: 8px 12px;
  2441. background-color: #2b2b2b;
  2442. color: #e6e6e6;
  2443. }
  2444.  
  2445. /* Tooltip integration */
  2446. label:hover .tooltip {
  2447. opacity: 1;
  2448. visibility: visible;
  2449. }
  2450.  
  2451. </style>
  2452.  
  2453. <div id="content">
  2454. <h1>Settings</h1>
  2455. <form id="settingsForm">
  2456. <label>
  2457. Show Non-English:
  2458. <select id="showNonEnglishSelect">
  2459. <option value="show">Show</option>
  2460. <option value="hide">Hide</option>
  2461. <option value="fade">Fade</option>
  2462. </select>
  2463. <span class="tooltip" data-tooltip="Control the visibility of non-English manga.">?</span>
  2464. </label>
  2465. <label>
  2466. <input type="checkbox" id="offlineFavoritingEnabled">
  2467. Enable Offline Favoriting <span class="tooltip" data-tooltip="Allows favoriting manga even without being logged in.">?</span>
  2468. </label>
  2469. <label>
  2470. <input type="checkbox" id="findSimilarEnabled">
  2471. Enable Find Similar Button <span class="tooltip" data-tooltip="Finds similar manga based on the current one.">?</span>
  2472. </label>
  2473. <div id="find-similar-options" style="display: none;">
  2474. <label>
  2475. <input type="radio" id="open-immediately" name="find-similar-type" value="immediately">
  2476. Open Immediately <span class="tooltip" data-tooltip="Opens the similar manga immediately.">?</span>
  2477. </label>
  2478. <label>
  2479. <input type="radio" id="input-tags" name="find-similar-type" value="input-tags">
  2480. Input Tags <span class="tooltip" data-tooltip="Allows inputting tags to find similar manga.">?</span>
  2481. </label>
  2482. </div>
  2483. <label>
  2484. <input type="checkbox" id="englishFilterEnabled">
  2485. Enable English Filter Button <span class="tooltip" data-tooltip="Filters manga to show only English translations.">?</span>
  2486. </label>
  2487. <label>
  2488. <input type="checkbox" id="autoLoginEnabled">
  2489. Enable Auto Login <span class="tooltip" data-tooltip="Automatically logs in with saved credentials.">?</span>
  2490. </label>
  2491. <div id="autoLoginCredentials">
  2492. <label>
  2493. Email: <input type="text" id="email">
  2494. </label>
  2495. <label>
  2496. Password: <input type="password" id="password">
  2497. </label>
  2498. </div>
  2499. <label>
  2500. <input type="checkbox" id="bookmarkLinkEnabled">
  2501. Enable Bookmark Link <span class="tooltip" data-tooltip="Adds a link to your bookmark in the manga title.">?</span>
  2502. </label>
  2503. <label>
  2504. <input type="checkbox" id="findAltmangaEnabled">
  2505. Enable Find Altmanga Button <span class="tooltip" data-tooltip="Finds alternative sources for the manga.">?</span>
  2506. </label>
  2507. <label>
  2508. <input type="checkbox" id="findAltMangaThumbnailEnabled">
  2509. Enable Find Alt Manga (Thumbnail Version) <span class="tooltip" data-tooltip="Displays alternative manga sources as thumbnails.">?</span>
  2510. </label>
  2511. <div id="find-Alt-Manga-Thumbnail-options" style="display: none;">
  2512. <label>
  2513. <input type="checkbox" id="mangagroupingenabled" name="manga-grouping-type" value="grouping">
  2514. Find Alt Manga Grouping <span class="tooltip" data-tooltip="Groups alternative versions of manga together on the page.">?</span>
  2515. </label>
  2516. </div>
  2517. <label>
  2518. <input type="checkbox" id="openInNewTabEnabled">
  2519. Enable Open in New Tab Button <span class="tooltip" data-tooltip="Opens manga links in a new tab.">?</span>
  2520. </label>
  2521. <div id="open-in-New-Tab-options" style="display: none;">
  2522. <label>
  2523. <input type="radio" id="open-in-new-tab-background" name="open-in-new-tab" value="background">
  2524. Open in New Tab (Background) <span class="tooltip" data-tooltip="Opens the link in a new tab without focusing on it.">?</span>
  2525. </label>
  2526. <label>
  2527. <input type="radio" id="open-in-new-tab-foreground" name="open-in-new-tab" value="foreground">
  2528. Open in New Tab (Foreground) <span class="tooltip" data-tooltip="Opens the link in a new tab and focuses on it.">?</span>
  2529. </label>
  2530. </div>
  2531. <label>
  2532. <input type="checkbox" id="monthFilterEnabled">
  2533. Enable Month Filter Button <span class="tooltip" data-tooltip="Filters manga by publication month.">?</span>
  2534. </label>
  2535. <label>
  2536. <input type="checkbox" id="mangaBookMarkingButtonEnabled">
  2537. Enable Manga Bookmarking Button <span class="tooltip" data-tooltip="Allows bookmarking manga for quick access.">?</span>
  2538. </label>
  2539. <div id="manga-bookmarking-options" style="display: none;">
  2540. <label>
  2541. <input type="radio" id="manga-bookmarking-cover" name="manga-bookmarking-type" value="cover">
  2542. Show Cover <span class="tooltip" data-tooltip="Displays the cover image for bookmarks.">?</span>
  2543. </label>
  2544. <label>
  2545. <input type="radio" id="manga-bookmarking-title" name="manga-bookmarking-type" value="title">
  2546. Show Title <span class="tooltip" data-tooltip="Displays the title only for bookmarks.">?</span>
  2547. </label>
  2548. <label>
  2549. <input type="radio" id="manga-bookmarking-both" name="manga-bookmarking-type" value="both">
  2550. Show Both <span class="tooltip" data-tooltip="Displays both the cover and title for bookmarks.">?</span>
  2551. </label>
  2552.  
  2553. </div>
  2554. <label>
  2555. <input type="checkbox" id="bookmarksEnabled">
  2556. Enable Bookmarks Button <span class="tooltip" data-tooltip="Enables the bookmarks feature.">?</span>
  2557. </label>
  2558. <div class="bookmark-actions">
  2559. <button type="button" id="exportBookmarks">Export Bookmarks</button>
  2560. <button type="button" id="importBookmarks">Import Bookmarks</button>
  2561. <input type="file" id="importBookmarksFile" accept=".json">
  2562. </div>
  2563. <div>
  2564. <label for="max-manga-per-bookmark-slider">Max Manga per Bookmark:</label>
  2565. <input type="range" id="max-manga-per-bookmark-slider" min="1" max="25" value="5">
  2566. <span id="max-manga-per-bookmark-on-mobile-value">5</span>
  2567. <span class="tooltip" data-tooltip="Sets the maximum number of manga fetched per bookmarked page.">?</span>
  2568. </div>
  2569.  
  2570. <!-- Page Management Section -->
  2571. <div id="page-management">
  2572. <h3 class="expand-icon">Page Management <span class="tooltip" data-tooltip="Enable or disable custom pages and features.">?</span></h3>
  2573. <div id="page-management-content">
  2574. <p>Control which custom pages and navigation elements are enabled:</p>
  2575. <div class="section-header">Feature Pages</div>
  2576. <label>
  2577. <input type="checkbox" id="nfmPageEnabled">
  2578. Enable NFM (Nhentai Favorite Manager) Page <span class="tooltip" data-tooltip="Enables the Nhentai Favorite Manager page for favorite management.">?</span>
  2579. </label>
  2580. <label>
  2581. <input type="checkbox" id="bookmarksPageEnabled">
  2582. Enable Bookmarks Page <span class="tooltip" data-tooltip="Enables the dedicated Bookmarks page for managing saved bookmarks.">?</span>
  2583. </label>
  2584. <div id="bookmark-page-options" style="display: none;">
  2585. <label>
  2586. <input type="checkbox" id="enableRandomButton">
  2587. Enable Random Button <span class="tooltip" data-tooltip="Randomly selects a bookmarked manga for reading.">?</span>
  2588. </label>
  2589. <div id="random-options" style="display: none;">
  2590. <label>
  2591. <input type="radio" id="random-open-in-new-tab" name="random-open-type" value="new-tab">
  2592. Open Random Manga in New Tab <span class="tooltip" data-tooltip="Opens the randomly selected manga in a new tab.">?</span>
  2593. </label>
  2594. <label>
  2595. <input type="radio" id="random-open-in-current-tab" name="random-open-type" value="current-tab">
  2596. Open Random Manga in Current Tab <span class="tooltip" data-tooltip="Opens the randomly selected manga in the current tab.">?</span>
  2597. </label>
  2598. </div>
  2599. </div>
  2600. <div class="section-header">Navigation</div>
  2601.  
  2602. <label>
  2603. <input type="checkbox" id="twitterButtonEnabled">
  2604. Delete Twitter Button <span class="tooltip" data-tooltip="Deletes the Twitter button.">?</span>
  2605. </label>
  2606. <label>
  2607. <input type="checkbox" id="profileButtonEnabled">
  2608. Delete Profile Button <span class="tooltip" data-tooltip="Deletes the Profile button.">?</span>
  2609. </label>
  2610. <label>
  2611. <input type="checkbox" id="infoButtonEnabled">
  2612. Delete Info Button <span class="tooltip" data-tooltip="Deletes the Info button.">?</span>
  2613. </label>
  2614. <label>
  2615. <input type="checkbox" id="logoutButtonEnabled">
  2616. Delete Logout Button <span class="tooltip" data-tooltip="Deletes the Logout button.">?</span>
  2617. </label>
  2618. <div class="section-header">Tab Arrangement</div>
  2619. <div id="tab-arrangement">
  2620. <p>Drag and drop tabs to rearrange their order:</p>
  2621. <ul id="tab-list" class="sortable-list">
  2622. <li data-tab="random" class="tab-item"><i class="fa fa-bars handle"></i> Random</li>
  2623. <li data-tab="tags" class="tab-item"><i class="fa fa-bars handle"></i> Tags</li>
  2624. <li data-tab="artists" class="tab-item"><i class="fa fa-bars handle"></i> Artists</li>
  2625. <li data-tab="characters" class="tab-item"><i class="fa fa-bars handle"></i> Characters</li>
  2626. <li data-tab="parodies" class="tab-item"><i class="fa fa-bars handle"></i> Parodies</li>
  2627. <li data-tab="groups" class="tab-item"><i class="fa fa-bars handle"></i> Groups</li>
  2628. <li data-tab="info" class="tab-item"><i class="fa fa-bars handle"></i> Info</li>
  2629. <li data-tab="twitter" class="tab-item"><i class="fa fa-bars handle"></i> Twitter</li>
  2630. </ul>
  2631. <button type="button" id="resetTabOrder" class="btn-secondary">Reset to Default Order</button>
  2632. </div>
  2633. <div class="section-header">Bookmarks Page Arrangement</div>
  2634. <div id="bookmarks-arrangement">
  2635. <p>Drag and drop elements to rearrange their order in the bookmarks page:</p>
  2636. <ul id="bookmarks-list" class="sortable-list">
  2637. <li data-element="bookmarksTitle" class="tab-item"><i class="fa fa-bars handle"></i> Bookmarked Pages Title</li>
  2638. <li data-element="searchInput" class="tab-item"><i class="fa fa-bars handle"></i> Search Input</li>
  2639. <li data-element="tagSearchInput" class="tab-item"><i class="fa fa-bars handle"></i> Tag Search Input</li>
  2640. <li data-element="bookmarksList" class="tab-item"><i class="fa fa-bars handle"></i> Bookmarks List</li>
  2641. <li data-element="mangaBookmarksTitle" class="tab-item"><i class="fa fa-bars handle"></i> Manga Bookmarks Title</li>
  2642. <li data-element="mangaBookmarksList" class="tab-item"><i class="fa fa-bars handle"></i> Manga Bookmarks List</li>
  2643. </ul>
  2644. <button type="button" id="resetBookmarksOrder" class="btn-secondary">Reset to Default Order</button>
  2645. </div>
  2646. </label>
  2647. </div>
  2648. </div>
  2649.  
  2650. <div id="random-settings">
  2651. <h3>Random Hentai Preferences</h3>
  2652. <label>Language: <input type="text" id="pref-language"> <span class="tooltip" data-tooltip="Preferred language for random hentai.">?</span></label>
  2653. <label>Tags: <input type="text" id="pref-tags"> <span class="tooltip" data-tooltip="Preferred tags for filtering hentai.">?</span></label>
  2654. <label>Blacklisted Tags: <input type="text" id="blacklisted-tags"> <span class="tooltip" data-tooltip="Tags to exclude from search results.">?</span></label>
  2655. <label>Minimum Pages: <input type="number" id="pref-pages-min"> <span class="tooltip" data-tooltip="Minimum number of pages for random hentai.">?</span></label>
  2656. <label>Maximum Pages: <input type="number" id="pref-pages-max"> <span class="tooltip" data-tooltip="Maximum number of pages for random hentai.">?</span></label>
  2657. <label>
  2658. <input type="checkbox" id="matchAllTags">
  2659. Match All Tags (unchecked = match any) <span class="tooltip" data-tooltip="If enabled, all tags must match instead of any.">?</span>
  2660. </label>
  2661. </div>
  2662. <label>
  2663. <input type="checkbox" id="tooltipsEnabled">
  2664. Enable Tooltips <span class="tooltip" data-tooltip="Enables or disables tooltips.">?</span>
  2665. </label>
  2666. <!-- Advanced Storage Section -->
  2667. <div id="advanced-settings">
  2668. <h3 class="expand-icon">Advanced Storage Management <span class="tooltip" data-tooltip="View and modify all data stored in GM.getValue">?</span></h3>
  2669. <div id="advanced-settings-content">
  2670. <p>This section allows you to view and modify all data stored by this userscript.</p>
  2671. <button type="button" id="refresh-storage">Refresh Storage Data</button>
  2672. <div id="storage-keys-list"></div>
  2673. <div id="edit-value-modal">
  2674. <div id="edit-value-content">
  2675. <h3>Edit Storage Value</h3>
  2676. <p id="editing-key-name">Key: </p>
  2677. <textarea id="edit-value-textarea"></textarea>
  2678. <div class="modal-buttons">
  2679. <button type="button" id="cancel-edit">Cancel</button>
  2680. <button type="button" id="save-edit">Save Changes</button>
  2681. </div>
  2682. </div>
  2683. </div>
  2684. </div>
  2685. </div>
  2686. <button type="submit">Save Settings</button>
  2687. </form>
  2688. </div>
  2689. `;
  2690.  
  2691. // Append settings form to the container
  2692. $('div.container').append(settingsHtml);
  2693.  
  2694.  
  2695.  
  2696.  
  2697. // Nhentai Plus+.user.js (2441-2516)
  2698. // Load settings
  2699. (async function() {
  2700. const findSimilarEnabled = await GM.getValue('findSimilarEnabled', true);
  2701. const englishFilterEnabled = await GM.getValue('englishFilterEnabled', true);
  2702. const autoLoginEnabled = await GM.getValue('autoLoginEnabled', true);
  2703. const email = await GM.getValue('email', '');
  2704. const password = await GM.getValue('password', '');
  2705. const findAltmangaEnabled = await GM.getValue('findAltmangaEnabled', true);
  2706. const bookmarksEnabled = await GM.getValue('bookmarksEnabled', true);
  2707. const language = await GM.getValue('randomPrefLanguage', '');
  2708. const tags = await GM.getValue('randomPrefTags', []);
  2709. const pagesMin = await GM.getValue('randomPrefPagesMin', '');
  2710. const pagesMax = await GM.getValue('randomPrefPagesMax', '');
  2711. const matchAllTags = await GM.getValue('matchAllTags', true);
  2712. const blacklistedTags = await GM.getValue('blacklistedTags', []);
  2713. const findAltMangaThumbnailEnabled = await GM.getValue('findAltMangaThumbnailEnabled', true);
  2714. const openInNewTabEnabled = await GM.getValue('openInNewTabEnabled', true);
  2715. const mangaBookMarkingButtonEnabled = await GM.getValue('mangaBookMarkingButtonEnabled', true);
  2716. const mangaBookMarkingType = await GM.getValue('mangaBookMarkingType', 'cover');
  2717. const bookmarkArrangementType = await GM.getValue('bookmarkArrangementType', 'default');
  2718. const monthFilterEnabled = await GM.getValue('monthFilterEnabled', true);
  2719. const tooltipsEnabled = await GM.getValue('tooltipsEnabled', true);
  2720. const mangagroupingenabled = await GM.getValue('mangagroupingenabled', true);
  2721. const maxMangaPerBookmark = await GM.getValue('maxMangaPerBookmark', 5);
  2722. const openInNewTabType = await GM.getValue('openInNewTabType', 'background');
  2723. const offlineFavoritingEnabled = await GM.getValue('offlineFavoritingEnabled', true);
  2724. const nfmPageEnabled = await GM.getValue('nfmPageEnabled', true);
  2725. const bookmarksPageEnabled = await GM.getValue('bookmarksPageEnabled', true);
  2726. const twitterButtonEnabled = await GM.getValue('twitterButtonEnabled', true);
  2727. const enableRandomButton = await GM.getValue('enableRandomButton', true);
  2728. const randomOpenType = await GM.getValue('randomOpenType', 'new-tab');
  2729. const profileButtonEnabled = await GM.getValue('profileButtonEnabled', true);
  2730. const infoButtonEnabled = await GM.getValue('infoButtonEnabled', true);
  2731. const logoutButtonEnabled = await GM.getValue('logoutButtonEnabled', true);
  2732. const bookmarkLinkEnabled = await GM.getValue('bookmarkLinkEnabled', true);
  2733. const findSimilarType = await GM.getValue('findSimilarType', 'immediately');
  2734. const showNonEnglish = await GM.getValue('showNonEnglish', 'show');
  2735.  
  2736.  
  2737. $('#findSimilarEnabled').prop('checked', findSimilarEnabled);
  2738. $('#find-similar-options').toggle(findSimilarEnabled);
  2739. $('#showNonEnglishSelect').val(showNonEnglish);
  2740.  
  2741. $('#englishFilterEnabled').prop('checked', englishFilterEnabled);
  2742. $('#autoLoginEnabled').prop('checked', autoLoginEnabled);
  2743. $('#email').val(email);
  2744. $('#password').val(password);
  2745. $('#findAltmangaEnabled').prop('checked', findAltmangaEnabled);
  2746. $('#bookmarksEnabled').prop('checked', bookmarksEnabled);
  2747. $('#pref-language').val(language);
  2748. $('#pref-tags').val(tags.join(', '));
  2749. $('#pref-pages-min').val(pagesMin);
  2750. $('#pref-pages-max').val(pagesMax);
  2751. $('#autoLoginCredentials').toggle(autoLoginEnabled);
  2752. $('#matchAllTags').prop('checked', matchAllTags);
  2753. $('#blacklisted-tags').val(blacklistedTags.join(', '));
  2754. $('#findAltMangaThumbnailEnabled').prop('checked', findAltMangaThumbnailEnabled);
  2755. $('#openInNewTabEnabled').prop('checked', openInNewTabEnabled);
  2756. $('#mangaBookMarkingButtonEnabled').prop('checked', mangaBookMarkingButtonEnabled);
  2757. $('#monthFilterEnabled').prop('checked', monthFilterEnabled);
  2758. $('#tooltipsEnabled').prop('checked', tooltipsEnabled);
  2759. $('#mangagroupingenabled').prop('checked', mangagroupingenabled);
  2760. $('#max-manga-per-bookmark-slider').val(maxMangaPerBookmark);
  2761. $('#offlineFavoritingEnabled').prop('checked', offlineFavoritingEnabled);
  2762. $('#nfmPageEnabled').prop('checked', nfmPageEnabled);
  2763. $('#bookmarksPageEnabled').prop('checked', bookmarksPageEnabled);
  2764. $('#twitterButtonEnabled').prop('checked', twitterButtonEnabled);
  2765. $('#enableRandomButton').prop('checked', enableRandomButton);
  2766. $('#random-open-in-new-tab').prop('checked', randomOpenType === 'new-tab');
  2767. $('#random-open-in-current-tab').prop('checked', randomOpenType === 'current-tab');
  2768. $('#profileButtonEnabled').prop('checked', profileButtonEnabled);
  2769. $('#infoButtonEnabled').prop('checked', infoButtonEnabled);
  2770. $('#logoutButtonEnabled').prop('checked', logoutButtonEnabled);
  2771. $('#bookmarkLinkEnabled').prop('checked', bookmarkLinkEnabled);
  2772. $('#open-immediately').prop('checked', findSimilarType === 'immediately');
  2773. $('#input-tags').prop('checked', findSimilarType === 'input-tags');
  2774.  
  2775.  
  2776.  
  2777.  
  2778.  
  2779. // Nhentai Plus+.user.js (2522-2535)
  2780. // Initialize the visibility of the find-similar-options div based on the initial state of the findSimilarEnabled checkbox
  2781. $('#find-similar-options').toggle(findSimilarEnabled);
  2782.  
  2783. // Add event listener to toggle the find-similar-options div when the findSimilarEnabled checkbox is changed
  2784. $('#findSimilarEnabled').on('change', function() {
  2785. const isChecked = $(this).is(':checked');
  2786. $('#find-similar-options').toggle(isChecked);
  2787. });
  2788.  
  2789. // Toggle auto login credentials
  2790. $('#autoLoginEnabled').on('change', function() {
  2791. $('#autoLoginCredentials').toggle(this.checked);
  2792. });
  2793.  
  2794. $('#page-management-content').hide();
  2795. // Add expand/collapse functionality for new page management section
  2796. $('#page-management h3').click(function() {
  2797. $(this).toggleClass('expanded');
  2798. $('#page-management-content').slideToggle();
  2799. });
  2800.  
  2801.  
  2802. // Show or hide the random options based on the enableRandomButton value
  2803. if (enableRandomButton) {
  2804. $('#random-options').show();
  2805. } else {
  2806. $('#random-options').hide();
  2807. }
  2808.  
  2809. // Add an event listener to the enableRandomButton to show or hide the random options
  2810. $('#enableRandomButton').on('change', function() {
  2811. if ($(this).is(':checked')) {
  2812. $('#random-options').show();
  2813. } else {
  2814. $('#random-options').hide();
  2815. }
  2816. });
  2817.  
  2818.  
  2819. $('#max-manga-per-bookmark-slider').on('input', function() {
  2820. const value = parseInt($(this).val());
  2821. $('#max-manga-per-bookmark-on-mobile-value').text(value);
  2822. //GM.setValue('maxMangaPerBookmark', value);
  2823. });
  2824.  
  2825. (async function() {
  2826. const maxMangaPerBookmark = await GM.getValue('maxMangaPerBookmark', 5);
  2827. $('#max-manga-per-bookmark-slider').val(maxMangaPerBookmark);
  2828. $('#max-manga-per-bookmark-on-mobile-value').text(maxMangaPerBookmark);
  2829. })();
  2830.  
  2831. $('.tooltip').toggle(tooltipsEnabled);
  2832. $('#tooltipsEnabled').on('change', function() {
  2833. $('.tooltip').toggle(this.checked);
  2834. });
  2835. if (findAltMangaThumbnailEnabled){
  2836. $('#find-Alt-Manga-Thumbnail-options').show();
  2837.  
  2838. }
  2839. $('#findAltMangaThumbnailEnabled').on('change', function() {
  2840. if ($(this).prop('checked')) {
  2841. $('#find-Alt-Manga-Thumbnail-options').show();
  2842. } else {
  2843. $('#find-Alt-Manga-Thumbnail-options').hide();
  2844. }
  2845. });
  2846. if(bookmarksPageEnabled){
  2847.  
  2848. $('#bookmark-page-options').show();
  2849. }
  2850.  
  2851. $('#bookmarksPageEnabled').on('change', function() {
  2852. if ($(this).prop('checked')) {
  2853. $('#bookmark-page-options').show();
  2854. } else {
  2855. $('#bookmark-page-options').hide();
  2856. }
  2857. });
  2858.  
  2859. if (mangaBookMarkingButtonEnabled) {
  2860. $('#manga-bookmarking-options').show();
  2861. }
  2862.  
  2863. if (mangaBookMarkingType === 'cover') {
  2864. $('#manga-bookmarking-cover').prop('checked', true);
  2865. } else if (mangaBookMarkingType === 'title') {
  2866. $('#manga-bookmarking-title').prop('checked', true);
  2867. } else if (mangaBookMarkingType === 'both') {
  2868. $('#manga-bookmarking-both').prop('checked', true);
  2869. }
  2870. // Initialize bookmark arrangement dropdown
  2871. $('#bookmark-arrangement-type').val(bookmarkArrangementType);
  2872.  
  2873. $('#mangaBookMarkingButtonEnabled').on('change', function() {
  2874. if ($(this).prop('checked')) {
  2875. $('#manga-bookmarking-options').show();
  2876. } else {
  2877. $('#manga-bookmarking-options').hide();
  2878. }
  2879. });
  2880.  
  2881. $('#showNonEnglishSelect').on('change', async () => {
  2882. const showNonEnglish = $('#showNonEnglishSelect').val();
  2883. await GM.setValue('showNonEnglish', showNonEnglish);
  2884. applyNonEnglishStyles();
  2885. });
  2886.  
  2887. // Check if openInNewTabEnabled is true, if not, hide the options
  2888. if (openInNewTabEnabled) {
  2889. $('#open-in-New-Tab-options').show();
  2890. }
  2891.  
  2892. // Add event listeners to the radio buttons
  2893. $('#open-in-new-tab-background').change(function() {
  2894. if (this.checked) {
  2895. GM.setValue('openInNewTabType', 'background');
  2896. }
  2897. });
  2898.  
  2899. $('#open-in-new-tab-foreground').change(function() {
  2900. if (this.checked) {
  2901. GM.setValue('openInNewTabType', 'foreground');
  2902. }
  2903. });
  2904.  
  2905. // Initialize the radio buttons based on the stored value
  2906. if (openInNewTabType === 'background') {
  2907. $('#open-in-new-tab-background').prop('checked', true);
  2908. } else {
  2909. $('#open-in-new-tab-foreground').prop('checked', true);
  2910. }
  2911.  
  2912. // Update the openInNewTabEnabled value in storage when the checkbox is changed
  2913. $('#openInNewTabEnabled').change(function() {
  2914. const openInNewTabEnabled = this.checked;
  2915. GM.setValue('openInNewTabEnabled', openInNewTabEnabled);
  2916. if (!openInNewTabEnabled) {
  2917. GM.setValue('openInNewTabType', null);
  2918. }
  2919. $('#open-in-New-Tab-options').toggle(openInNewTabEnabled);
  2920. });
  2921. })();
  2922.  
  2923. // Save settings
  2924. $('#settingsForm').on('submit', async function(event) {
  2925. event.preventDefault();
  2926.  
  2927. const findSimilarEnabled = $('#findSimilarEnabled').prop('checked');
  2928. const englishFilterEnabled = $('#englishFilterEnabled').prop('checked');
  2929. const autoLoginEnabled = $('#autoLoginEnabled').prop('checked');
  2930. const email = $('#email').val();
  2931. const password = $('#password').val();
  2932. const findAltmangaEnabled = $('#findAltmangaEnabled').prop('checked');
  2933. const bookmarksEnabled = $('#bookmarksEnabled').prop('checked');
  2934. const language = $('#pref-language').val();
  2935. let tags = $('#pref-tags').val().split(',').map(tag => tag.trim());
  2936. tags = tags.map(tag => tag.replace(/-/g, ' ')); // Replace hyphens with spaces
  2937. let blacklistedTags = $('#blacklisted-tags').val().split(',').map(tag => tag.trim());
  2938. blacklistedTags = blacklistedTags.map(tag => tag.replace(/-/g, ' ')); // Replace hyphens with spaces
  2939. const pagesMin = $('#pref-pages-min').val();
  2940. const pagesMax = $('#pref-pages-max').val();
  2941. const matchAllTags = $('#matchAllTags').prop('checked');
  2942. const findAltMangaThumbnailEnabled = $('#findAltMangaThumbnailEnabled').prop('checked');
  2943. const openInNewTabEnabled = $('#openInNewTabEnabled').prop('checked');
  2944. const mangaBookMarkingButtonEnabled = $('#mangaBookMarkingButtonEnabled').prop('checked');
  2945. const mangaBookMarkingType = $('input[name="manga-bookmarking-type"]:checked').val();
  2946. const bookmarkArrangementType = $('#bookmark-arrangement-type').val();
  2947. const monthFilterEnabled = $('#monthFilterEnabled').prop('checked');
  2948. const tooltipsEnabled = $('#tooltipsEnabled').prop('checked');
  2949. const mangagroupingenabled = $('#mangagroupingenabled').prop('checked');
  2950. const maxMangaPerBookmark = parseInt($('#max-manga-per-bookmark-slider').val());
  2951. const openInNewTabType = $('input[name="open-in-new-tab"]:checked').val();
  2952. const offlineFavoritingEnabled = $('#offlineFavoritingEnabled').prop('checked');
  2953. const nfmPageEnabled = $('#nfmPageEnabled').prop('checked');
  2954. const bookmarksPageEnabled = $('#bookmarksPageEnabled').prop('checked');
  2955. const twitterButtonEnabled = $('#twitterButtonEnabled').prop('checked');
  2956. const enableRandomButton = $('#enableRandomButton').prop('checked');
  2957. const randomOpenType = $('input[name="random-open-type"]:checked').val();
  2958. const profileButtonEnabled = $('#profileButtonEnabled').prop('checked');
  2959. const infoButtonEnabled = $('#infoButtonEnabled').prop('checked');
  2960. const logoutButtonEnabled = $('#logoutButtonEnabled').prop('checked');
  2961. const bookmarkLinkEnabled = $('#bookmarkLinkEnabled').prop('checked');
  2962. const findSimilarType = $('input[name="find-similar-type"]:checked').val();
  2963. const showNonEnglish = await GM.getValue('showNonEnglish', 'show');
  2964.  
  2965.  
  2966.  
  2967.  
  2968.  
  2969.  
  2970.  
  2971.  
  2972. await GM.setValue('showNonEnglish', showNonEnglish);
  2973. await GM.setValue('findSimilarEnabled', findSimilarEnabled);
  2974. await GM.setValue('englishFilterEnabled', englishFilterEnabled);
  2975. await GM.setValue('autoLoginEnabled', autoLoginEnabled);
  2976. await GM.setValue('email', email);
  2977. await GM.setValue('password', password);
  2978. await GM.setValue('findAltmangaEnabled', findAltmangaEnabled);
  2979. await GM.setValue('bookmarksEnabled', bookmarksEnabled);
  2980. await GM.setValue('randomPrefLanguage', language);
  2981. await GM.setValue('blacklistedTags', blacklistedTags);
  2982. await GM.setValue('randomPrefTags', tags);
  2983. await GM.setValue('randomPrefPagesMin', pagesMin);
  2984. await GM.setValue('randomPrefPagesMax', pagesMax);
  2985. await GM.setValue('matchAllTags', matchAllTags);
  2986. await GM.setValue('findAltMangaThumbnailEnabled', findAltMangaThumbnailEnabled);
  2987. await GM.setValue('openInNewTabEnabled', openInNewTabEnabled);
  2988. await GM.setValue('mangaBookMarkingButtonEnabled', mangaBookMarkingButtonEnabled);
  2989. await GM.setValue('mangaBookMarkingType', mangaBookMarkingType);
  2990. await GM.setValue('bookmarkArrangementType', bookmarkArrangementType);
  2991. await GM.setValue('monthFilterEnabled', monthFilterEnabled);
  2992. await GM.setValue('tooltipsEnabled', tooltipsEnabled);
  2993. await GM.setValue('mangagroupingenabled', mangagroupingenabled);
  2994. await GM.setValue('maxMangaPerBookmark', maxMangaPerBookmark);
  2995. await GM.setValue('openInNewTabType', openInNewTabType);
  2996. await GM.setValue('offlineFavoritingEnabled', offlineFavoritingEnabled);
  2997. await GM.setValue('nfmPageEnabled', nfmPageEnabled);
  2998. await GM.setValue('bookmarksPageEnabled', bookmarksPageEnabled);
  2999. await GM.setValue('twitterButtonEnabled', twitterButtonEnabled);
  3000. await GM.setValue('enableRandomButton', enableRandomButton);
  3001. await GM.setValue('randomOpenType', randomOpenType);
  3002. await GM.setValue('profileButtonEnabled', profileButtonEnabled);
  3003. await GM.setValue('infoButtonEnabled', infoButtonEnabled);
  3004. await GM.setValue('logoutButtonEnabled', logoutButtonEnabled);
  3005. await GM.setValue('bookmarkLinkEnabled', bookmarkLinkEnabled);
  3006. await GM.setValue('findSimilarType', findSimilarType);
  3007.  
  3008.  
  3009.  
  3010.  
  3011.  
  3012.  
  3013.  
  3014.  
  3015. // Show custom popup instead of alert
  3016. showPopup('Settings saved!');
  3017. });
  3018.  
  3019.  
  3020.  
  3021.  
  3022.  
  3023.  
  3024. // Import Bookmarked Pages
  3025. async function importBookmarkedPages(file) {
  3026. try {
  3027. const reader = new FileReader();
  3028. const fileContent = await new Promise((resolve, reject) => {
  3029. reader.onload = () => resolve(reader.result);
  3030. reader.onerror = () => reject(reader.error);
  3031. reader.readAsText(file);
  3032. });
  3033.  
  3034. const importedBookmarks = JSON.parse(fileContent);
  3035. if (!Array.isArray(importedBookmarks)) {
  3036. throw new Error('Invalid file format');
  3037. }
  3038.  
  3039. const existingBookmarks = await GM.getValue('bookmarkedPages', []);
  3040. const mergedBookmarks = [...new Set([...existingBookmarks, ...importedBookmarks])]; // Merge without duplicates
  3041. await GM.setValue('bookmarkedPages', mergedBookmarks);
  3042. alert('Bookmarks imported successfully!');
  3043. } catch (error) {
  3044. alert(`Failed to import bookmarks: ${error.message}`);
  3045. }
  3046. }
  3047. // Add event listeners to buttons on the settings page
  3048. function setupBookmarkButtons() {
  3049. // Export Button
  3050. document.getElementById('exportBookmarks').addEventListener('click', exportBookmarkedPages);
  3051.  
  3052. // Import Button
  3053. document.getElementById('importBookmarks').addEventListener('click', () => {
  3054. document.getElementById('importBookmarksFile').click();
  3055. });
  3056.  
  3057. // Handle file selection for import
  3058. document.getElementById('importBookmarksFile').addEventListener('change', (event) => {
  3059. const file = event.target.files[0];
  3060. if (file) {
  3061. importBookmarkedPages(file);
  3062. }
  3063. });
  3064. }
  3065. // Call this function after settings form is rendered
  3066. setupBookmarkButtons();
  3067.  
  3068. //------------------------------------------------ Advanced Settings Management Functions---------------------------------------------------------
  3069.  
  3070. // Toggle advanced settings section
  3071. const advancedHeader = document.querySelector('#advanced-settings h3');
  3072. const advancedContent = document.getElementById('advanced-settings-content');
  3073. if (!advancedHeader) {
  3074. console.error('Advanced settings header not found');
  3075. return;
  3076. }
  3077. if (!advancedContent) {
  3078. console.error('Advanced settings content not found');
  3079. return;
  3080. }
  3081. console.log('Advanced header found:', advancedHeader);
  3082. console.log('Initial display state:', advancedContent.style.display);
  3083. advancedHeader.addEventListener('click', function() {
  3084. console.log('Header clicked');
  3085. advancedContent.style.display = (advancedContent.style.display === 'none' || advancedContent.style.display === '') ? 'block' : 'none';
  3086. console.log('New display state:', advancedContent.style.display);
  3087. // Toggle the expanded class
  3088. advancedHeader.classList.toggle('expanded', advancedContent.style.display === 'block');
  3089. console.log('Classes after toggle:', advancedHeader.className);
  3090. if (advancedContent.style.display === 'block') {
  3091. refreshStorageData();
  3092. }
  3093. });
  3094.  
  3095.  
  3096.  
  3097. // Refresh storage button
  3098. const refreshBtn = document.getElementById('refresh-storage');
  3099. refreshBtn.addEventListener('click', refreshStorageData);
  3100. // Modal controls
  3101. const editModal = document.getElementById('edit-value-modal');
  3102. const cancelEditBtn = document.getElementById('cancel-edit');
  3103. const saveEditBtn = document.getElementById('save-edit');
  3104. cancelEditBtn.addEventListener('click', function() {
  3105. editModal.style.display = 'none';
  3106. });
  3107. saveEditBtn.addEventListener('click', function() {
  3108. const keyName = document.getElementById('editing-key-name').dataset.key;
  3109. const newValue = document.getElementById('edit-value-textarea').value;
  3110. try {
  3111. // Try to parse the JSON to validate it
  3112. const parsedValue = JSON.parse(newValue);
  3113. // Save the changes to GM storage
  3114. GM.setValue(keyName, parsedValue)
  3115. .then(() => {
  3116. alert('Value saved successfully!');
  3117. editModal.style.display = 'none';
  3118. refreshStorageData();
  3119. })
  3120. .catch(err => {
  3121. alert('Error saving value: ' + err.message);
  3122. });
  3123. } catch (e) {
  3124. alert('Invalid JSON format. Please check your input.');
  3125. }
  3126. });
  3127. // Function to refresh storage data with mobile-friendly layout
  3128. function refreshStorageData() {
  3129. const keysList = document.getElementById('storage-keys-list');
  3130. keysList.innerHTML = '<p>Loading storage data...</p>';
  3131. // Use GM.listValues() to get all keys
  3132. GM.listValues()
  3133. .then(keys => {
  3134. if (keys.length === 0) {
  3135. keysList.innerHTML = '<p>No data found in storage.</p>';
  3136. return;
  3137. }
  3138. keysList.innerHTML = '';
  3139. // Sort keys alphabetically for easier navigation
  3140. keys.sort();
  3141. // Process each key
  3142. Promise.all(keys.map(key => {
  3143. return GM.getValue(key)
  3144. .then(value => {
  3145. return { key, value };
  3146. });
  3147. }))
  3148. .then(items => {
  3149. // Create responsive container
  3150. const container = document.createElement('div');
  3151. container.style.width = '100%';
  3152. // Add media query detection
  3153. const isMobile = window.matchMedia("(max-width: 600px)").matches;
  3154. if (isMobile) {
  3155. // Mobile view: Card-based layout
  3156. items.forEach(item => {
  3157. const card = document.createElement('div');
  3158. card.style.border = '1px solid #444';
  3159. card.style.borderRadius = '4px';
  3160. card.style.padding = '10px';
  3161. card.style.marginBottom = '15px';
  3162. card.style.backgroundColor = '#2a2a2a';
  3163. // Key
  3164. const keyDiv = document.createElement('div');
  3165. keyDiv.style.fontWeight = 'bold';
  3166. keyDiv.style.marginBottom = '5px';
  3167. keyDiv.style.wordBreak = 'break-word';
  3168. keyDiv.textContent = item.key;
  3169. card.appendChild(keyDiv);
  3170. // Type and Size
  3171. const infoDiv = document.createElement('div');
  3172. infoDiv.style.display = 'flex';
  3173. infoDiv.style.justifyContent = 'space-between';
  3174. infoDiv.style.marginBottom = '10px';
  3175. infoDiv.style.fontSize = '0.9em';
  3176. infoDiv.style.color = '#aaa';
  3177. const typeSpan = document.createElement('span');
  3178. typeSpan.textContent = `Type: ${getValueType(item.value)}`;
  3179. const sizeSpan = document.createElement('span');
  3180. sizeSpan.textContent = `Size: ${getValueSize(item.value)}`;
  3181. infoDiv.appendChild(typeSpan);
  3182. infoDiv.appendChild(sizeSpan);
  3183. card.appendChild(infoDiv);
  3184. // Actions
  3185. const actionDiv = document.createElement('div');
  3186. actionDiv.style.display = 'flex';
  3187. actionDiv.style.gap = '10px';
  3188. const viewBtn = document.createElement('button');
  3189. viewBtn.textContent = 'View/Edit';
  3190. viewBtn.style.flex = '1';
  3191. viewBtn.style.padding = '8px';
  3192. viewBtn.style.backgroundColor = '#444';
  3193. viewBtn.style.border = 'none';
  3194. viewBtn.style.borderRadius = '4px';
  3195. viewBtn.style.color = 'white';
  3196. viewBtn.style.cursor = 'pointer';
  3197. viewBtn.addEventListener('click', function() {
  3198. openEditModal(item.key, item.value);
  3199. });
  3200. const deleteBtn = document.createElement('button');
  3201. deleteBtn.textContent = 'Delete';
  3202. deleteBtn.style.flex = '1';
  3203. deleteBtn.style.padding = '8px';
  3204. deleteBtn.style.backgroundColor = '#d9534f';
  3205. deleteBtn.style.border = 'none';
  3206. deleteBtn.style.borderRadius = '4px';
  3207. deleteBtn.style.color = 'white';
  3208. deleteBtn.style.cursor = 'pointer';
  3209. deleteBtn.addEventListener('click', function() {
  3210. if (confirm(`Are you sure you want to delete "${item.key}"?`)) {
  3211. GM.deleteValue(item.key)
  3212. .then(() => {
  3213. refreshStorageData();
  3214. })
  3215. .catch(err => {
  3216. alert('Error deleting value: ' + err.message);
  3217. });
  3218. }
  3219. });
  3220. actionDiv.appendChild(viewBtn);
  3221. actionDiv.appendChild(deleteBtn);
  3222. card.appendChild(actionDiv);
  3223. container.appendChild(card);
  3224. });
  3225. } else {
  3226. // Desktop view: Table layout
  3227. const table = document.createElement('table');
  3228. table.style.width = '100%';
  3229. table.style.borderCollapse = 'collapse';
  3230. table.style.marginTop = '10px';
  3231. // Create table header
  3232. const thead = document.createElement('thead');
  3233. const headerRow = document.createElement('tr');
  3234. ['Key', 'Type', 'Size', 'Actions'].forEach(text => {
  3235. const th = document.createElement('th');
  3236. th.textContent = text;
  3237. th.style.textAlign = 'left';
  3238. th.style.padding = '8px';
  3239. th.style.backgroundColor = '#2a2a2a';
  3240. th.style.borderBottom = '1px solid #444';
  3241. headerRow.appendChild(th);
  3242. });
  3243. thead.appendChild(headerRow);
  3244. table.appendChild(thead);
  3245. // Create table body
  3246. const tbody = document.createElement('tbody');
  3247. items.forEach(item => {
  3248. const row = document.createElement('tr');
  3249. row.style.borderBottom = '1px solid #333';
  3250. // Key column
  3251. const keyCell = document.createElement('td');
  3252. keyCell.textContent = item.key;
  3253. keyCell.style.padding = '8px';
  3254. keyCell.style.maxWidth = '200px';
  3255. keyCell.style.overflow = 'hidden';
  3256. keyCell.style.textOverflow = 'ellipsis';
  3257. keyCell.style.whiteSpace = 'nowrap';
  3258. // Type column
  3259. const typeCell = document.createElement('td');
  3260. typeCell.textContent = getValueType(item.value);
  3261. typeCell.style.padding = '8px';
  3262. // Size column
  3263. const sizeCell = document.createElement('td');
  3264. sizeCell.textContent = getValueSize(item.value);
  3265. sizeCell.style.padding = '8px';
  3266. // Actions column
  3267. const actionsCell = document.createElement('td');
  3268. actionsCell.style.padding = '8px';
  3269. const actionWrapper = document.createElement('div');
  3270. actionWrapper.style.display = 'flex';
  3271. actionWrapper.style.gap = '5px';
  3272. const viewBtn = document.createElement('button');
  3273. viewBtn.textContent = 'View/Edit';
  3274. viewBtn.style.padding = '3px 8px';
  3275. viewBtn.style.backgroundColor = '#444';
  3276. viewBtn.style.border = 'none';
  3277. viewBtn.style.borderRadius = '2px';
  3278. viewBtn.style.color = 'white';
  3279. viewBtn.style.cursor = 'pointer';
  3280. viewBtn.addEventListener('click', function() {
  3281. openEditModal(item.key, item.value);
  3282. });
  3283. const deleteBtn = document.createElement('button');
  3284. deleteBtn.textContent = 'Delete';
  3285. deleteBtn.style.padding = '3px 8px';
  3286. deleteBtn.style.backgroundColor = '#d9534f';
  3287. deleteBtn.style.border = 'none';
  3288. deleteBtn.style.borderRadius = '2px';
  3289. deleteBtn.style.color = 'white';
  3290. deleteBtn.style.cursor = 'pointer';
  3291. deleteBtn.addEventListener('click', function() {
  3292. if (confirm(`Are you sure you want to delete "${item.key}"?`)) {
  3293. GM.deleteValue(item.key)
  3294. .then(() => {
  3295. refreshStorageData();
  3296. })
  3297. .catch(err => {
  3298. alert('Error deleting value: ' + err.message);
  3299. });
  3300. }
  3301. });
  3302. actionWrapper.appendChild(viewBtn);
  3303. actionWrapper.appendChild(deleteBtn);
  3304. actionsCell.appendChild(actionWrapper);
  3305. // Add all cells to the row
  3306. row.appendChild(keyCell);
  3307. row.appendChild(typeCell);
  3308. row.appendChild(sizeCell);
  3309. row.appendChild(actionsCell);
  3310. // Add row to table body
  3311. tbody.appendChild(row);
  3312. });
  3313. table.appendChild(tbody);
  3314. container.appendChild(table);
  3315. }
  3316. keysList.appendChild(container);
  3317. // Add option to create new key
  3318. const addNewSection = document.createElement('div');
  3319. addNewSection.style.marginTop = '20px';
  3320. const addNewHeading = document.createElement('h4');
  3321. addNewHeading.textContent = 'Add New Storage Key';
  3322. addNewSection.appendChild(addNewHeading);
  3323. const addNewForm = document.createElement('div');
  3324. addNewForm.style.display = 'flex';
  3325. addNewForm.style.gap = '10px';
  3326. addNewForm.style.marginTop = '10px';
  3327. addNewForm.style.flexWrap = 'wrap'; // Allow wrapping on small screens
  3328. const keyInput = document.createElement('input');
  3329. keyInput.type = 'text';
  3330. keyInput.placeholder = 'Key name';
  3331. keyInput.style.flex = '1';
  3332. keyInput.style.padding = '8px';
  3333. keyInput.style.backgroundColor = '#333';
  3334. keyInput.style.border = '1px solid #444';
  3335. keyInput.style.color = '#fff';
  3336. keyInput.style.borderRadius = '4px';
  3337. keyInput.style.minWidth = '120px'; // Ensure minimum usable width
  3338. const valueInput = document.createElement('input');
  3339. valueInput.type = 'text';
  3340. valueInput.placeholder = 'Value (valid JSON)';
  3341. valueInput.style.flex = '2';
  3342. valueInput.style.padding = '8px';
  3343. valueInput.style.backgroundColor = '#333';
  3344. valueInput.style.border = '1px solid #444';
  3345. valueInput.style.color = '#fff';
  3346. valueInput.style.borderRadius = '4px';
  3347. valueInput.style.minWidth = '150px'; // Ensure minimum usable width
  3348. const addBtn = document.createElement('button');
  3349. addBtn.textContent = 'Add';
  3350. addBtn.style.padding = '8px';
  3351. addBtn.style.backgroundColor = '#28a745';
  3352. addBtn.style.border = 'none';
  3353. addBtn.style.borderRadius = '4px';
  3354. addBtn.style.color = 'white';
  3355. addBtn.style.cursor = 'pointer';
  3356. addBtn.addEventListener('click', function() {
  3357. const key = keyInput.value.trim();
  3358. const value = valueInput.value.trim();
  3359. if (!key) {
  3360. alert('Please enter a key name.');
  3361. return;
  3362. }
  3363. if (!value) {
  3364. alert('Please enter a value.');
  3365. return;
  3366. }
  3367. try {
  3368. const parsedValue = JSON.parse(value);
  3369. GM.setValue(key, parsedValue)
  3370. .then(() => {
  3371. alert('New key added successfully!');
  3372. keyInput.value = '';
  3373. valueInput.value = '';
  3374. refreshStorageData();
  3375. })
  3376. .catch(err => {
  3377. alert('Error adding new key: ' + err.message);
  3378. });
  3379. } catch (e) {
  3380. alert('Invalid JSON format. Please check your input.');
  3381. }
  3382. });
  3383. addNewForm.appendChild(keyInput);
  3384. addNewForm.appendChild(valueInput);
  3385. addNewForm.appendChild(addBtn);
  3386. addNewSection.appendChild(addNewForm);
  3387. keysList.appendChild(addNewSection);
  3388. // Add export/import buttons
  3389. const buttonSection = document.createElement('div');
  3390. buttonSection.style.marginTop = '20px';
  3391. buttonSection.style.display = 'flex';
  3392. buttonSection.style.gap = '10px';
  3393. buttonSection.style.flexWrap = 'wrap'; // Allow buttons to wrap on small screens
  3394. const exportBtn = document.createElement('button');
  3395. exportBtn.textContent = 'Export All Storage Data';
  3396. exportBtn.style.padding = '10px';
  3397. exportBtn.style.backgroundColor = '#007bff';
  3398. exportBtn.style.border = 'none';
  3399. exportBtn.style.borderRadius = '4px';
  3400. exportBtn.style.color = 'white';
  3401. exportBtn.style.cursor = 'pointer';
  3402. exportBtn.style.flex = '1';
  3403. exportBtn.style.minWidth = isMobile ? '100%' : '150px';
  3404. exportBtn.addEventListener('click', function() {
  3405. const exportData = {};
  3406. items.forEach(item => {
  3407. exportData[item.key] = item.value;
  3408. });
  3409. const dataStr = JSON.stringify(exportData, null, 2);
  3410. const dataUri = 'data:application/json;charset=utf-8,' + encodeURIComponent(dataStr);
  3411. const exportLink = document.createElement('a');
  3412. exportLink.setAttribute('href', dataUri);
  3413. exportLink.setAttribute('download', 'userscript_storage_backup.json');
  3414. exportLink.click();
  3415. });
  3416. const importInput = document.createElement('input');
  3417. importInput.type = 'file';
  3418. importInput.accept = '.json';
  3419. importInput.style.display = 'none';
  3420. importInput.id = 'import-storage-file';
  3421. const importBtn = document.createElement('button');
  3422. importBtn.textContent = 'Import Storage Data';
  3423. importBtn.style.padding = '10px';
  3424. importBtn.style.backgroundColor = '#6c757d';
  3425. importBtn.style.border = 'none';
  3426. importBtn.style.borderRadius = '4px';
  3427. importBtn.style.color = 'white';
  3428. importBtn.style.cursor = 'pointer';
  3429. importBtn.style.flex = '1';
  3430. importBtn.style.minWidth = isMobile ? '100%' : '150px';
  3431. importBtn.addEventListener('click', function() {
  3432. importInput.click();
  3433. });
  3434. importInput.addEventListener('change', function(e) {
  3435. const file = e.target.files[0];
  3436. if (!file) return;
  3437. const reader = new FileReader();
  3438. reader.onload = function(e) {
  3439. try {
  3440. const importData = JSON.parse(e.target.result);
  3441. if (confirm(`This will import ${Object.keys(importData).length} keys. Continue?`)) {
  3442. // Process each key in the import data
  3443. const importPromises = Object.entries(importData).map(([key, value]) => {
  3444. return GM.setValue(key, value);
  3445. });
  3446. Promise.all(importPromises)
  3447. .then(() => {
  3448. alert('Import completed successfully!');
  3449. refreshStorageData();
  3450. })
  3451. .catch(err => {
  3452. alert('Error during import: ' + err.message);
  3453. });
  3454. }
  3455. } catch (e) {
  3456. alert('Invalid JSON file. Please check the file format.');
  3457. }
  3458. };
  3459. reader.readAsText(file);
  3460. });
  3461. buttonSection.appendChild(exportBtn);
  3462. buttonSection.appendChild(importBtn);
  3463. buttonSection.appendChild(importInput);
  3464. keysList.appendChild(buttonSection);
  3465. })
  3466. .catch(err => {
  3467. keysList.innerHTML = `<p>Error processing storage data: ${err.message}</p>`;
  3468. });
  3469. })
  3470. .catch(err => {
  3471. keysList.innerHTML = `<p>Error loading storage data: ${err.message}</p>`;
  3472. });
  3473. }
  3474. // Function to open the edit modal
  3475. function openEditModal(key, value) {
  3476. const editModal = document.getElementById('edit-value-modal');
  3477. const keyNameElem = document.getElementById('editing-key-name');
  3478. const valueTextarea = document.getElementById('edit-value-textarea');
  3479. keyNameElem.textContent = `Key: ${key}`;
  3480. keyNameElem.dataset.key = key;
  3481. // Format the JSON for better readability
  3482. const formattedValue = JSON.stringify(value, null, 2);
  3483. valueTextarea.value = formattedValue;
  3484. editModal.style.display = 'block';
  3485. }
  3486. // Helper function to get the type of a value
  3487. function getValueType(value) {
  3488. if (value === null) return 'null';
  3489. if (Array.isArray(value)) return 'array';
  3490. return typeof value;
  3491. }
  3492. // Helper function to get the size of a value
  3493. function getValueSize(value) {
  3494. const json = JSON.stringify(value);
  3495. const bytes = new Blob([json]).size;
  3496. if (bytes < 1024) {
  3497. return bytes + ' bytes';
  3498. } else if (bytes < 1024 * 1024) {
  3499. return (bytes / 1024).toFixed(2) + ' KB';
  3500. } else {
  3501. return (bytes / (1024 * 1024)).toFixed(2) + ' MB';
  3502. }
  3503. }
  3504.  
  3505.  
  3506.  
  3507. }
  3508.  
  3509. // Initialize tab arrangement functionality
  3510. initializeTabSorting();
  3511. updateMenuOrder();
  3512. // Initialize Bookmarks Page Arrangement functionality
  3513. initializeBookmarksSorting();
  3514. // Initialize bookmarks page order from storage or use default order
  3515. async function initializeBookmarksOrder() {
  3516. const defaultOrder = ['bookmarksTitle', 'searchInput', 'tagSearchInput', 'bookmarksList', 'mangaBookmarksTitle', 'mangaBookmarksList'];
  3517. const savedOrder = await GM.getValue('bookmarksContainerOrder');
  3518. return savedOrder || defaultOrder;
  3519. }
  3520. // Function to initialize the bookmarks page sorting functionality
  3521. function initializeBookmarksSorting() {
  3522. const bookmarksList = document.getElementById('bookmarks-list');
  3523. if (!bookmarksList) return;
  3524. // Initialize bookmarks list with saved order
  3525. initializeBookmarksOrder().then(bookmarksOrder => {
  3526. // Reorder the list items according to the saved order
  3527. const listItems = Array.from(bookmarksList.children);
  3528. const tempContainer = document.createDocumentFragment();
  3529. bookmarksOrder.forEach(elementName => {
  3530. const item = listItems.find(li => li.dataset.element === elementName);
  3531. if (item) tempContainer.appendChild(item);
  3532. });
  3533. // Clear the list and add all items in the new order
  3534. while (bookmarksList.firstChild) {
  3535. bookmarksList.removeChild(bookmarksList.firstChild);
  3536. }
  3537. bookmarksList.appendChild(tempContainer);
  3538. });
  3539. // Initialize Sortable.js for Bookmarks Page Arrangement
  3540. new Sortable(bookmarksList, {
  3541. animation: 150,
  3542. handle: '.handle',
  3543. ghostClass: 'sortable-ghost',
  3544. dragClass: 'sortable-drag',
  3545. forceFallback: true,
  3546. fallbackTolerance: 1,
  3547. delayOnTouchOnly: false,
  3548. delay: 0,
  3549. touchStartThreshold: 1,
  3550. preventTextSelection: true,
  3551. onStart: function(evt) {
  3552. evt.item.classList.add('dragging');
  3553. document.body.style.userSelect = 'none';
  3554. document.body.style.webkitUserSelect = 'none';
  3555. document.body.style.mozUserSelect = 'none';
  3556. document.body.style.msUserSelect = 'none';
  3557. },
  3558. onEnd: async function(evt) {
  3559. evt.item.classList.remove('dragging');
  3560. document.body.style.userSelect = '';
  3561. document.body.style.webkitUserSelect = '';
  3562. document.body.style.mozUserSelect = '';
  3563. document.body.style.msUserSelect = '';
  3564. const newOrder = Array.from(bookmarksList.children).map(item => item.dataset.element);
  3565. await GM.setValue('bookmarksContainerOrder', newOrder);
  3566. }
  3567. });
  3568. // Add mouse event listeners to improve drag handle feedback
  3569. bookmarksList.querySelectorAll('.handle').forEach(handle => {
  3570. handle.addEventListener('mousedown', () => {
  3571. handle.style.cursor = 'grabbing';
  3572. });
  3573. handle.addEventListener('mouseup', () => {
  3574. handle.style.cursor = 'grab';
  3575. });
  3576. });
  3577. // Reset button handler
  3578. document.getElementById('resetBookmarksOrder').addEventListener('click', async function() {
  3579. const defaultOrder = ['bookmarksTitle', 'searchInput', 'tagSearchInput', 'bookmarksList', 'mangaBookmarksTitle', 'mangaBookmarksList'];
  3580. await GM.setValue('bookmarksContainerOrder', defaultOrder);
  3581. showPopup('Bookmarks page order reset!', {timeout: 1000});
  3582. // Reset visual order in settings
  3583. const bookmarksList = document.getElementById('bookmarks-list');
  3584. defaultOrder.forEach(elementName => {
  3585. const item = bookmarksList.querySelector(`[data-element="${elementName}"]`);
  3586. if (item) bookmarksList.appendChild(item);
  3587. });
  3588. });
  3589. }
  3590. // Initialize tab order from storage or use default order
  3591. async function initializeTabOrder() {
  3592. const defaultOrder = ['random', 'tags', 'artists', 'characters', 'parodies', 'groups', 'info', 'twitter', 'bookmarks', 'continue_reading', 'settings'];
  3593. const savedOrder = await GM.getValue('tabOrder');
  3594. return savedOrder || defaultOrder;
  3595. }
  3596. // Function to update the menu based on tab order
  3597. async function updateMenuOrder() {
  3598. const tabOrder = await initializeTabOrder();
  3599. const menu = document.querySelector('ul.menu.left');
  3600. const dropdown = document.querySelector('ul.dropdown-menu');
  3601. if (!menu || !dropdown) return;
  3602. // Get all menu items (both desktop and injected)
  3603. const allMenuItems = Array.from(menu.querySelectorAll('li:not(.dropdown)'));
  3604. // Create a temporary container to hold items during reordering
  3605. const tempContainer = document.createDocumentFragment();
  3606. // Process each tab in the desired order
  3607. for (const tabId of tabOrder) {
  3608. // Find the menu item for this tab
  3609. const menuItem = allMenuItems.find(li => {
  3610. const link = li.querySelector('a');
  3611. if (!link) return false;
  3612. const href = link.getAttribute('href');
  3613. // Special case for Twitter which is an external link
  3614. if (tabId === 'twitter' && href.includes('twitter.com/nhentaiOfficial')) {
  3615. return true;
  3616. }
  3617. // Regular case for internal links
  3618. return href.includes(`/${tabId}/`);
  3619. });
  3620. // If found, move it to our temporary container
  3621. if (menuItem) {
  3622. tempContainer.appendChild(menuItem);
  3623. }
  3624. }
  3625. // Add the dropdown menu item
  3626. const dropdownItem = menu.querySelector('li.dropdown');
  3627. if (dropdownItem) {
  3628. tempContainer.appendChild(dropdownItem);
  3629. }
  3630. // Clear the menu and add all items in the new order
  3631. while (menu.firstChild) {
  3632. menu.removeChild(menu.firstChild);
  3633. }
  3634. menu.appendChild(tempContainer);
  3635. // Now update the dropdown menu
  3636. // Clear the dropdown menu first
  3637. while (dropdown.firstChild) {
  3638. dropdown.removeChild(dropdown.firstChild);
  3639. }
  3640. // Add items to dropdown in the same order
  3641. for (const tabId of tabOrder) {
  3642. // Find the corresponding desktop item
  3643. const desktopItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3644. const link = li.querySelector('a');
  3645. if (!link) return false;
  3646. const href = link.getAttribute('href');
  3647. // Special case for Twitter which is an external link
  3648. if (tabId === 'twitter' && href.includes('twitter.com/nhentaiOfficial')) {
  3649. return true;
  3650. }
  3651. // Regular case for internal links
  3652. return href.includes(`/${tabId}/`);
  3653. });
  3654. if (desktopItem) {
  3655. // Clone the link and create a new dropdown item
  3656. const link = desktopItem.querySelector('a');
  3657. if (link) {
  3658. const dropdownLi = document.createElement('li');
  3659. dropdownLi.innerHTML = `<a href="${link.getAttribute('href')}">${link.textContent}</a>`;
  3660. dropdown.appendChild(dropdownLi);
  3661. }
  3662. }
  3663. }
  3664. }
  3665. // Helper function to find the reference item for insertion
  3666. function findReferenceItem(menu, tabOrder, currentIndex) {
  3667. // Find the previous item in the order that exists in the menu
  3668. for (let i = currentIndex - 1; i >= 0; i--) {
  3669. const prevTabId = tabOrder[i];
  3670. const prevItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3671. const link = li.querySelector('a');
  3672. return link && link.getAttribute('href').includes(prevTabId);
  3673. });
  3674. if (prevItem) return prevItem;
  3675. }
  3676. return null;
  3677. }
  3678. // Initialize Sortable.js for tab arrangement
  3679. function initializeTabSorting() {
  3680. const tabList = document.getElementById('tab-list');
  3681. if (!tabList) return;
  3682. // Initialize tab list with saved order
  3683. initializeTabOrder().then(tabOrder => {
  3684. // First, check if we need to create the dynamic tab items
  3685. const bookmarksExists = tabOrder.includes('bookmarks') && !tabList.querySelector('[data-tab="bookmarks"]');
  3686. const continueReadingExists = tabOrder.includes('continue_reading') && !tabList.querySelector('[data-tab="continue_reading"]');
  3687. const settingsExists = tabOrder.includes('settings') && !tabList.querySelector('[data-tab="settings"]');
  3688. // Check if these items exist in the actual menu before adding them to the sortable list
  3689. const menu = document.querySelector('ul.menu.left');
  3690. if (menu) {
  3691. // Only create bookmarks tab item if it exists in the actual menu and not in the DOM
  3692. const bookmarksInMenu = Array.from(menu.querySelectorAll('li')).some(li => {
  3693. const link = li.querySelector('a');
  3694. return link && link.getAttribute('href').includes('/bookmarks/');
  3695. });
  3696. if (bookmarksInMenu && bookmarksExists) {
  3697. const bookmarksTabItem = document.createElement('li');
  3698. bookmarksTabItem.className = 'tab-item';
  3699. bookmarksTabItem.dataset.tab = 'bookmarks';
  3700. bookmarksTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Bookmarks';
  3701. tabList.appendChild(bookmarksTabItem);
  3702. }
  3703. // Only create continue reading tab item if it exists in the actual menu and not in the DOM
  3704. const continueReadingInMenu = Array.from(menu.querySelectorAll('li')).some(li => {
  3705. const link = li.querySelector('a');
  3706. return link && link.getAttribute('href').includes('/continue_reading/');
  3707. });
  3708. if (continueReadingInMenu && continueReadingExists) {
  3709. const continueReadingTabItem = document.createElement('li');
  3710. continueReadingTabItem.className = 'tab-item';
  3711. continueReadingTabItem.dataset.tab = 'continue_reading';
  3712. continueReadingTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Continue Reading';
  3713. tabList.appendChild(continueReadingTabItem);
  3714. }
  3715. // Only create settings tab item if it exists in the actual menu and not in the DOM
  3716. const settingsInMenu = Array.from(menu.querySelectorAll('li')).some(li => {
  3717. const link = li.querySelector('a');
  3718. return link && link.getAttribute('href').includes('/settings/');
  3719. });
  3720. if (settingsInMenu && settingsExists) {
  3721. const settingsTabItem = document.createElement('li');
  3722. settingsTabItem.className = 'tab-item';
  3723. settingsTabItem.dataset.tab = 'settings';
  3724. settingsTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Settings';
  3725. tabList.appendChild(settingsTabItem);
  3726. }
  3727. }
  3728. // Now reorder all tabs according to the saved order
  3729. tabOrder.forEach(tabId => {
  3730. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3731. if (item) tabList.appendChild(item);
  3732. });
  3733. });
  3734. // Check for dynamically added menu items and add them to the tab list
  3735. function checkForDynamicItems() {
  3736. const menu = document.querySelector('ul.menu.left');
  3737. if (!menu) return;
  3738. // Check for Bookmarks
  3739. const bookmarksItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3740. const link = li.querySelector('a');
  3741. return link && link.getAttribute('href').includes('/bookmarks/');
  3742. });
  3743. if (bookmarksItem && !tabList.querySelector('[data-tab="bookmarks"]')) {
  3744. const bookmarksTabItem = document.createElement('li');
  3745. bookmarksTabItem.className = 'tab-item';
  3746. bookmarksTabItem.dataset.tab = 'bookmarks';
  3747. bookmarksTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Bookmarks';
  3748. tabList.appendChild(bookmarksTabItem);
  3749. // Reapply the saved order after adding a new item
  3750. initializeTabOrder().then(tabOrder => {
  3751. tabOrder.forEach(tabId => {
  3752. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3753. if (item) tabList.appendChild(item);
  3754. });
  3755. });
  3756. }
  3757. // Check for Continue Reading
  3758. const continueReadingItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3759. const link = li.querySelector('a');
  3760. return link && link.getAttribute('href').includes('/continue_reading/');
  3761. });
  3762. if (continueReadingItem && !tabList.querySelector('[data-tab="continue_reading"]')) {
  3763. const continueReadingTabItem = document.createElement('li');
  3764. continueReadingTabItem.className = 'tab-item';
  3765. continueReadingTabItem.dataset.tab = 'continue_reading';
  3766. continueReadingTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Continue Reading';
  3767. tabList.appendChild(continueReadingTabItem);
  3768. // Reapply the saved order after adding a new item
  3769. initializeTabOrder().then(tabOrder => {
  3770. tabOrder.forEach(tabId => {
  3771. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3772. if (item) tabList.appendChild(item);
  3773. });
  3774. });
  3775. }
  3776. // Check for Info
  3777. const infoItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3778. const link = li.querySelector('a');
  3779. return link && link.getAttribute('href').includes('/info/');
  3780. });
  3781.  
  3782. if (infoItem && !tabList.querySelector('[data-tab="info"]')) {
  3783. const infoTabItem = document.createElement('li');
  3784. infoTabItem.className = 'tab-item';
  3785. infoTabItem.dataset.tab = 'info';
  3786. infoTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Info';
  3787. tabList.appendChild(infoTabItem);
  3788. // Reapply the saved order after adding a new item
  3789. initializeTabOrder().then(tabOrder => {
  3790. tabOrder.forEach(tabId => {
  3791. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3792. if (item) tabList.appendChild(item);
  3793. });
  3794. });
  3795. }
  3796.  
  3797. // Check for Twitter
  3798. const twitterItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3799. const link = li.querySelector('a');
  3800. return link && link.getAttribute('href').includes('twitter.com/nhentaiOfficial');
  3801. });
  3802.  
  3803. if (twitterItem && !tabList.querySelector('[data-tab="twitter"]')) {
  3804. const twitterTabItem = document.createElement('li');
  3805. twitterTabItem.className = 'tab-item';
  3806. twitterTabItem.dataset.tab = 'twitter';
  3807. twitterTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Twitter';
  3808. tabList.appendChild(twitterTabItem);
  3809. // Reapply the saved order after adding a new item
  3810. initializeTabOrder().then(tabOrder => {
  3811. tabOrder.forEach(tabId => {
  3812. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3813. if (item) tabList.appendChild(item);
  3814. });
  3815. });
  3816. }
  3817.  
  3818. // Check for Settings
  3819. const settingsItem = Array.from(menu.querySelectorAll('li')).find(li => {
  3820. const link = li.querySelector('a');
  3821. return link && link.getAttribute('href').includes('/settings/');
  3822. });
  3823. if (settingsItem && !tabList.querySelector('[data-tab="settings"]')) {
  3824. const settingsTabItem = document.createElement('li');
  3825. settingsTabItem.className = 'tab-item';
  3826. settingsTabItem.dataset.tab = 'settings';
  3827. settingsTabItem.innerHTML = '<i class="fa fa-bars handle"></i> Settings';
  3828. tabList.appendChild(settingsTabItem);
  3829. // Reapply the saved order after adding a new item
  3830. initializeTabOrder().then(tabOrder => {
  3831. tabOrder.forEach(tabId => {
  3832. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3833. if (item) tabList.appendChild(item);
  3834. });
  3835. });
  3836. }
  3837. }
  3838. // Check for dynamic items initially and then every second
  3839. checkForDynamicItems();
  3840. setInterval(checkForDynamicItems, 1000);
  3841. new Sortable(tabList, {
  3842. animation: 150,
  3843. handle: '.handle',
  3844. ghostClass: 'sortable-ghost',
  3845. dragClass: 'sortable-drag',
  3846. forceFallback: true,
  3847. fallbackTolerance: 1,
  3848. delayOnTouchOnly: false,
  3849. delay: 0,
  3850. touchStartThreshold: 1,
  3851. preventTextSelection: true,
  3852. onStart: function(evt) {
  3853. evt.item.classList.add('dragging');
  3854. document.body.style.userSelect = 'none';
  3855. document.body.style.webkitUserSelect = 'none';
  3856. document.body.style.mozUserSelect = 'none';
  3857. document.body.style.msUserSelect = 'none';
  3858. },
  3859. onEnd: async function(evt) {
  3860. evt.item.classList.remove('dragging');
  3861. document.body.style.userSelect = '';
  3862. document.body.style.webkitUserSelect = '';
  3863. document.body.style.mozUserSelect = '';
  3864. document.body.style.msUserSelect = '';
  3865. const newOrder = Array.from(tabList.children).map(item => item.dataset.tab);
  3866. await GM.setValue('tabOrder', newOrder);
  3867. updateMenuOrder();
  3868. }
  3869. });
  3870. // Add mouse event listeners to improve drag handle feedback
  3871. tabList.querySelectorAll('.handle').forEach(handle => {
  3872. handle.addEventListener('mousedown', () => {
  3873. handle.style.cursor = 'grabbing';
  3874. });
  3875. handle.addEventListener('mouseup', () => {
  3876. handle.style.cursor = 'grab';
  3877. });
  3878. });
  3879. // Reset button handler
  3880. document.getElementById('resetTabOrder').addEventListener('click', async function() {
  3881. const defaultOrder = ['random', 'tags', 'artists', 'characters', 'parodies', 'groups', 'info', 'twitter', 'bookmarks', 'continue_reading', 'settings'];
  3882. await GM.setValue('tabOrder', defaultOrder);
  3883. showPopup('Tab order reset!', {timeout: 1000});
  3884. // Reset visual order in settings
  3885. const tabList = document.getElementById('tab-list');
  3886. defaultOrder.forEach(tabId => {
  3887. const item = tabList.querySelector(`[data-tab="${tabId}"]`);
  3888. if (item) tabList.appendChild(item);
  3889. });
  3890. updateMenuOrder();
  3891. });
  3892. }
  3893. // Function to check if the menu is in the correct order
  3894. async function isMenuInOrder() {
  3895. // console.log("Checking if menu is in order...");
  3896. const menu = document.querySelector('ul.menu.left');
  3897. if (!menu) return false;
  3898. // console.log("Menu:", menu);
  3899. const tabOrder = await initializeTabOrder(); // Wait for the promise to resolve
  3900. // console.log("Tab order:", tabOrder);
  3901. // Get all menu items except dropdown in their DOM order
  3902. const allMenuItems = Array.from(menu.querySelectorAll('li:not(.dropdown)'));
  3903. // console.log("All menu items:", allMenuItems);
  3904. // Create a map of tab IDs to their desired position
  3905. const tabPositions = {};
  3906. tabOrder.forEach((tabId, index) => {
  3907. tabPositions[tabId] = index;
  3908. });
  3909. // Extract the tab IDs from the DOM in order
  3910. const currentTabOrder = [];
  3911. for (const menuItem of allMenuItems) {
  3912. const link = menuItem.querySelector('a');
  3913. if (link) {
  3914. const href = link.getAttribute('href');
  3915. // Special case for Twitter which is an external link
  3916. if (href.includes('twitter.com/nhentaiOfficial')) {
  3917. currentTabOrder.push('twitter');
  3918. continue;
  3919. }
  3920. // Extract the tab ID from the href for internal links
  3921. const match = href.match(/\/([^\/]+)\//);
  3922. if (match && match[1]) {
  3923. currentTabOrder.push(match[1]);
  3924. }
  3925. }
  3926. }
  3927. // console.log("Current tab order from DOM:", currentTabOrder);
  3928. // console.log("Desired tab order:", tabOrder);
  3929. // Check if all tabs in tabOrder are present in currentTabOrder
  3930. const allTabsPresent = tabOrder.every(tabId =>
  3931. currentTabOrder.includes(tabId)
  3932. );
  3933. //Debug for checking if all tabs are in the menu
  3934. if (!allTabsPresent) {
  3935. //console.log("Not all tabs are present in the menu");
  3936. return false;
  3937. }
  3938. // Now check if the relative order is correct for the tabs that exist
  3939. // Skip tabs that don't exist in the current DOM
  3940. let lastFoundIndex = -1;
  3941. for (const tabId of tabOrder) {
  3942. const currentIndex = currentTabOrder.indexOf(tabId);
  3943. if (currentIndex !== -1) {
  3944. // If this tab exists in the DOM, it should come after the last found tab
  3945. if (currentIndex < lastFoundIndex) {
  3946. console.log(`Tab ${tabId} is out of order: found at ${currentIndex}, should be after ${lastFoundIndex}`);
  3947. return false;
  3948. }
  3949. lastFoundIndex = currentIndex;
  3950. }
  3951. }
  3952. // If we get here, all existing tabs are in the correct relative order
  3953. // console.log("Menu is in correct order");
  3954. return true;
  3955. }
  3956.  
  3957. // Call updateMenuOrder only when the menu is not in the correct order
  3958. setInterval(async () => {
  3959. if (!await isMenuInOrder()) {
  3960. updateMenuOrder();
  3961. }
  3962. }, 10);
  3963.  
  3964. //------------------------------------------------ Advanced Settings Management Functions---------------------------------------------------------
  3965.  
  3966.  
  3967.  
  3968.  
  3969. function showPopup(message, options = {}) {
  3970. // Default options
  3971. const defaultOptions = {
  3972. timeout: 3000, // Default timeout of 3 seconds
  3973. width: '250px', // Default width
  3974. buttons: [], // Additional buttons besides close
  3975. closeButton: true, // Show close button
  3976. autoClose: true // Auto close after timeout
  3977. };
  3978. // Merge default options with provided options
  3979. const settings = { ...defaultOptions, ...options };
  3980. // Create popup element
  3981. const popup = document.createElement('div');
  3982. popup.id = 'popup';
  3983. // Create buttons HTML if provided
  3984. let buttonsHTML = '';
  3985. if (settings.buttons && settings.buttons.length > 0) {
  3986. buttonsHTML = '<div class="popup-buttons">';
  3987. settings.buttons.forEach(button => {
  3988. buttonsHTML += `<button class="popup-btn" data-action="${button.action || ''}">${button.text}</button>`;
  3989. });
  3990. buttonsHTML += '</div>';
  3991. }
  3992. // Create close button HTML if enabled
  3993. const closeButtonHTML = settings.closeButton ?
  3994. '<button class="close-btn">&times;</button>' : '';
  3995. // Populate popup HTML
  3996. popup.innerHTML = `
  3997. <div class="popup-content">
  3998. ${closeButtonHTML}
  3999. <p>${message}</p>
  4000. ${buttonsHTML}
  4001. </div>
  4002. `;
  4003. document.body.appendChild(popup);
  4004.  
  4005. // Add CSS styling for the popup
  4006. const style = document.createElement('style');
  4007. style.textContent = `
  4008. #popup {
  4009. position: fixed;
  4010. top: 50%;
  4011. left: 50%;
  4012. transform: translate(-50%, -50%);
  4013. background: rgba(0, 0, 0, 0.9);
  4014. color: #fff;
  4015. border-radius: 5px;
  4016. z-index: 9999;
  4017. padding: 15px;
  4018. width: ${settings.width};
  4019. text-align: center;
  4020. }
  4021. .popup-content {
  4022. position: relative;
  4023. padding: 10px;
  4024. }
  4025. .close-btn {
  4026. position: absolute;
  4027. top: 5px;
  4028. right: 10px;
  4029. background: none;
  4030. border: none;
  4031. color: #fff;
  4032. font-size: 18px;
  4033. cursor: pointer;
  4034. transition: color 0.3s, opacity 0.3s;
  4035. }
  4036. .close-btn:hover {
  4037. color: #ff0000;
  4038. opacity: 0.7;
  4039. }
  4040. .popup-buttons {
  4041. margin-top: 15px;
  4042. display: flex;
  4043. justify-content: center;
  4044. gap: 10px;
  4045. }
  4046. .popup-btn {
  4047. background: #333;
  4048. color: #fff;
  4049. border: 1px solid #555;
  4050. border-radius: 3px;
  4051. padding: 5px 10px;
  4052. cursor: pointer;
  4053. transition: background 0.3s;
  4054. }
  4055. .popup-btn:hover {
  4056. background: #444;
  4057. }
  4058. `;
  4059. document.head.appendChild(style);
  4060.  
  4061. // Function to close the popup
  4062. const closePopup = () => {
  4063. if (document.body.contains(popup)) {
  4064. document.body.removeChild(popup);
  4065. document.head.removeChild(style);
  4066. }
  4067. };
  4068.  
  4069. // Close button event listener
  4070. if (settings.closeButton) {
  4071. const closeBtn = popup.querySelector('.close-btn');
  4072. if (closeBtn) {
  4073. closeBtn.addEventListener('click', closePopup);
  4074. }
  4075. }
  4076.  
  4077. // Add event listeners for custom buttons
  4078. if (settings.buttons && settings.buttons.length > 0) {
  4079. const buttons = popup.querySelectorAll('.popup-btn');
  4080. buttons.forEach((btn, index) => {
  4081. btn.addEventListener('click', (e) => {
  4082. // Execute the callback if provided
  4083. if (settings.buttons[index].callback && typeof settings.buttons[index].callback === 'function') {
  4084. settings.buttons[index].callback(e);
  4085. }
  4086. // Close the popup after button click if closeOnClick is true
  4087. if (settings.buttons[index].closeOnClick !== false) {
  4088. closePopup();
  4089. }
  4090. });
  4091. });
  4092. }
  4093.  
  4094. // Auto-close the popup after the specified timeout
  4095. let timeoutId;
  4096. if (settings.autoClose && settings.timeout > 0) {
  4097. timeoutId = setTimeout(closePopup, settings.timeout);
  4098. }
  4099.  
  4100. // Return an object with methods to control the popup
  4101. return {
  4102. close: closePopup,
  4103. updateMessage: (newMessage) => {
  4104. const messageElement = popup.querySelector('p');
  4105. if (messageElement) {
  4106. messageElement.innerHTML = newMessage;
  4107. }
  4108. },
  4109. resetTimeout: () => {
  4110. if (timeoutId) {
  4111. clearTimeout(timeoutId);
  4112. }
  4113. if (settings.autoClose && settings.timeout > 0) {
  4114. timeoutId = setTimeout(closePopup, settings.timeout);
  4115. }
  4116. }
  4117. };
  4118. }
  4119.  
  4120. function exportBookmarkedPages() {
  4121.     GM.getValue('bookmarkedPages', []).then(bookmarkedPages => {
  4122.         const blob = new Blob([JSON.stringify(bookmarkedPages, null, 2)], { type: 'application/json' });
  4123.         const link = document.createElement('a');
  4124.         link.href = URL.createObjectURL(blob);
  4125.         link.download = 'bookmarked_pages.json';
  4126.         document.body.appendChild(link);
  4127.         link.click();
  4128.         document.body.removeChild(link);
  4129.     });
  4130. }
  4131.  
  4132. //----------------------------**Settings**--------------------------------------------
  4133.  
  4134.  
  4135.  
  4136.  
  4137.  
  4138. //----------------------------**Random Hentai Preferences**----------------------------
  4139. // Intercept random button clicks only if preferences are set
  4140. document.addEventListener('click', async function(event) {
  4141. const target = event.target;
  4142. if (target.tagName === 'A' && target.getAttribute('href') === '/random/') {
  4143. event.preventDefault(); // Prevent the default navigation
  4144.  
  4145. // Show the loading popup immediately
  4146. showLoadingPopup();
  4147.  
  4148. // Check if user preferences are set
  4149. const preferencesSet = await arePreferencesSet();
  4150.  
  4151. if (preferencesSet) {
  4152. // Set a flag to stop the search if needed
  4153. window.searchInProgress = true;
  4154. fetchRandomHentai();
  4155. } else {
  4156. // Close the popup and proceed with the default action
  4157. hideLoadingPopup();
  4158. window.location.href = '/random/';
  4159. }
  4160. }
  4161. });
  4162.  
  4163. async function arePreferencesSet() {
  4164. try {
  4165. const language = await GM.getValue('randomPrefLanguage', '');
  4166. const tags = await GM.getValue('randomPrefTags', []);
  4167. const pagesMin = parseInt(await GM.getValue('randomPrefPagesMin', ''), 10);
  4168. const pagesMax = parseInt(await GM.getValue('randomPrefPagesMax', ''), 10);
  4169.  
  4170. return language || tags.length > 0 || !isNaN(pagesMin) || !isNaN(pagesMax);
  4171. } catch (error) {
  4172. console.error('Error checking preferences:', error);
  4173. return false;
  4174. }
  4175. }
  4176.  
  4177. function showLoadingPopup() {
  4178. if (window.searchInProgress) {
  4179. showPopup('Already searching for random content!');
  4180. return;
  4181. }
  4182.  
  4183. // Create and display the popup
  4184. const popup = document.createElement('div');
  4185. popup.id = 'loading-popup';
  4186. popup.style.position = 'fixed';
  4187. popup.style.top = '50%';
  4188. popup.style.left = '50%';
  4189. popup.style.transform = 'translate(-50%, -50%)';
  4190. popup.style.backgroundColor = 'rgba(0, 0, 0, 0.8)';
  4191. popup.style.color = 'white';
  4192. popup.style.padding = '20px';
  4193. popup.style.borderRadius = '8px';
  4194. popup.style.zIndex = '9999';
  4195. popup.style.display = 'flex';
  4196. popup.style.flexDirection = 'column';
  4197. popup.style.alignItems = 'center';
  4198. popup.style.justifyContent = 'center';
  4199.  
  4200. // Popup content with image container and buttons
  4201. popup.innerHTML = `
  4202. <span>Searching for random content...</span>
  4203. <div id="cover-preview-container" style="margin-top: 10px; width: 350px; height: 192px; display: flex; align-items: center; justify-content: center; overflow: hidden; border-radius: 8px;">
  4204. <a id="cover-preview-link" href="#" style="width: 100%; height: 100%; display: flex; align-items: center; justify-content: center; text-decoration: none;">
  4205. <img id="cover-preview" style="max-width: 100%; max-height: 100%; object-fit: contain; display: none; cursor: pointer;" />
  4206. </a>
  4207. </div>
  4208. <div id="preview-notes" style="margin-top: 10px; color: white; text-align: center;">
  4209. <!-- Notes will be inserted here -->
  4210. </div>
  4211. <div style="margin-top: 20px; display: flex; gap: 15px;">
  4212. <button id="previous-image" class="control-button" style="background: none; border: none; color: white; cursor: pointer; font-size: 20px; transition: color 0.3s ease, transform 0.3s ease;">
  4213. <i class="fas fa-arrow-left"></i>
  4214. </button>
  4215. <button id="pause-search" class="control-button" style="background: none; border: none; color: white; cursor: pointer; font-size: 20px; transition: color 0.3s ease, transform 0.3s ease;">
  4216. <i class="fas fa-pause"></i>
  4217. </button>
  4218. <button id="next-image" class="control-button" style="background: none; border: none; color: white; cursor: pointer; font-size: 20px; transition: color 0.3s ease, transform 0.3s ease;">
  4219. <i class="fas fa-arrow-right"></i>
  4220. </button>
  4221. </div>
  4222. <button class="close" style="margin-top: 20px; background: none; border: none; font-size: 24px; color: white; cursor: pointer;">&times;</button>
  4223. `;
  4224.  
  4225. document.body.appendChild(popup);
  4226.  
  4227. // Add event listener to close button
  4228. const closeButton = popup.querySelector('.close');
  4229. closeButton.addEventListener('click', function() {
  4230. hideLoadingPopup();
  4231. window.searchInProgress = false; // Stop the search
  4232. });
  4233.  
  4234. // Add hover effect for the close button
  4235. closeButton.addEventListener('mouseenter', function() {
  4236. closeButton.style.color = 'red';
  4237. closeButton.style.opacity = '0.7';
  4238. });
  4239.  
  4240. closeButton.addEventListener('mouseleave', function() {
  4241. closeButton.style.color = 'white';
  4242. closeButton.style.opacity = '1';
  4243. });
  4244.  
  4245. // Add hover effect for control buttons
  4246. const controlButtons = document.querySelectorAll('.control-button');
  4247. controlButtons.forEach(button => {
  4248. button.addEventListener('mouseenter', function() {
  4249. button.style.color = '#ddd'; // Light color on hover
  4250. button.style.transform = 'scale(1.1)'; // Slightly enlarge button
  4251. });
  4252.  
  4253. button.addEventListener('mouseleave', function() {
  4254. button.style.color = 'white'; // Original color
  4255. button.style.transform = 'scale(1)'; // Return to original size
  4256. });
  4257. });
  4258.  
  4259. // Add event listeners for control buttons
  4260. document.getElementById('previous-image').addEventListener('click', showPreviousImage);
  4261. document.getElementById('pause-search').addEventListener('click', togglePause);
  4262. document.getElementById('next-image').addEventListener('click', showNextImage);
  4263.  
  4264. // Add click event listener to the preview image to navigate to the content URL
  4265. document.getElementById('cover-preview').addEventListener('click', function() {
  4266. const currentImageIndex = parseInt(localStorage.getItem('currentImageIndex') || '0', 10);
  4267. const images = getImagesFromLocalStorage();
  4268. if (images[currentImageIndex] && images[currentImageIndex].url) {
  4269. window.location.href = images[currentImageIndex].url;
  4270. }
  4271. });
  4272. }
  4273.  
  4274.  
  4275.  
  4276. function hideLoadingPopup() {
  4277. const popup = document.getElementById('loading-popup');
  4278. if (popup) {
  4279. document.body.removeChild(popup);
  4280. }
  4281. }
  4282.  
  4283. async function fetchRandomHentai() {
  4284. try {
  4285. if (!window.searchInProgress) return; // Stop if search was canceled
  4286. const response = await fetch('https://nhentai.net/random/', { method: 'HEAD' });
  4287. await analyzeURL(response.url);
  4288. } catch (error) {
  4289. console.error('Error fetching random URL:', error);
  4290. }
  4291. }
  4292.  
  4293. async function analyzeURL(url) {
  4294. try {
  4295. if (!window.searchInProgress) {
  4296. return; // Stop if search was canceled
  4297. }
  4298. const response = await fetch(url);
  4299. const html = await response.text();
  4300. const parser = new DOMParser();
  4301. const doc = parser.parseFromString(html, 'text/html');
  4302.  
  4303. const coverImage = doc.querySelector('#cover img.lazyload');
  4304. const coverImageUrl = coverImage ? (coverImage.getAttribute('data-src') || coverImage.src) : null;
  4305.  
  4306. const title = doc.querySelector('#info h1')?.textContent.trim();
  4307. const tags = Array.from(doc.querySelectorAll('#tags .tag')).map(tag => tag.textContent.trim());
  4308. const pages = parseInt(doc.querySelector('#tags .tag-container:nth-last-child(2) .name')?.textContent.trim(), 10);
  4309. const uploadDate = doc.querySelector('#tags .tag-container:last-child time')?.getAttribute('datetime');
  4310.  
  4311. // Extract and handle languages
  4312. let languages = [];
  4313. const tagContainers = doc.querySelectorAll('.tag-container.field-name');
  4314. tagContainers.forEach(container => {
  4315. if (container.textContent.includes('Languages:')) {
  4316. const languageElements = container.querySelectorAll('.tags .tag .name');
  4317. languageElements.forEach(languageElement => {
  4318. let language = languageElement.textContent.trim().toLowerCase();
  4319. languages.push(language);
  4320. });
  4321. }
  4322. });
  4323.  
  4324. // Determine which language to display
  4325. let languageDisplay = 'Unknown';
  4326.  
  4327. if (languages.includes('english')) {
  4328. languageDisplay = 'English';
  4329. } else if (languages.includes('translated') && languages.length === 1) {
  4330. languageDisplay = 'English';
  4331. } else if (languages.includes('translated') && languages.length > 1) {
  4332. // Exclude 'translated' and show other language(s)
  4333. const otherLanguages = languages.filter(lang => lang !== 'translated');
  4334. languageDisplay = otherLanguages.length > 0 ? otherLanguages.map(lang => lang.charAt(0).toUpperCase() + lang.slice(1)).join(', ') : 'Unknown';
  4335. } else {
  4336. languageDisplay = languages.map(lang => lang.charAt(0).toUpperCase() + lang.slice(1)).join(', ');
  4337. }
  4338.  
  4339. if (coverImageUrl) {
  4340. saveImageToLocalStorage(coverImageUrl, url, languageDisplay, pages, title);
  4341. showPreviousImage();
  4342. }
  4343.  
  4344. if (await meetsUserPreferences(tags, pages)) {
  4345. hideLoadingPopup();
  4346. window.location.href = url;
  4347. } else {
  4348. fetchRandomHentai();
  4349. }
  4350. } catch (error) {
  4351. console.error('Error analyzing page:', error);
  4352. }
  4353. }
  4354.  
  4355. async function meetsUserPreferences(tags, pages) {
  4356. try {
  4357. const preferredLanguage = (await GM.getValue('randomPrefLanguage', '')).toLowerCase();
  4358. const preferredTags = (await GM.getValue('randomPrefTags', [])).map(tag => tag.toLowerCase());
  4359. const blacklistedTags = (await GM.getValue('blacklistedTags', [])).map(tag => tag.toLowerCase()).filter(tag => tag !== '');
  4360. const preferredPagesMin = parseInt(await GM.getValue('randomPrefPagesMin', ''), 10);
  4361. const preferredPagesMax = parseInt(await GM.getValue('randomPrefPagesMax', ''), 10);
  4362. const matchAllTags = await GM.getValue('matchAllTags', true);
  4363.  
  4364. // Strip tag counts and only keep the tag names
  4365. const cleanedTags = tags.map(tag => tag.replace(/\d+K?$/, '').trim().toLowerCase());
  4366.  
  4367. const hasPreferredLanguage = preferredLanguage ? cleanedTags.includes(preferredLanguage) : true;
  4368.  
  4369. let hasPreferredTags;
  4370. if (preferredTags.length > 0) {
  4371. if (matchAllTags) {
  4372. hasPreferredTags = preferredTags.every(tag => cleanedTags.includes(tag));
  4373. } else {
  4374. hasPreferredTags = preferredTags.some(tag => cleanedTags.includes(tag));
  4375. }
  4376. } else {
  4377. hasPreferredTags = true;
  4378. }
  4379.  
  4380. const withinPageRange = (!isNaN(preferredPagesMin) ? pages >= preferredPagesMin : true) &&
  4381. (!isNaN(preferredPagesMax) ? pages <= preferredPagesMax : true);
  4382.  
  4383. const hasBlacklistedTags = blacklistedTags.some(tag => cleanedTags.includes(tag));
  4384.  
  4385. const meetsPreferences = hasPreferredLanguage && hasPreferredTags && withinPageRange && !hasBlacklistedTags;
  4386. return meetsPreferences;
  4387. } catch (error) {
  4388. console.error('Error checking user preferences:', error);
  4389. return false;
  4390. }
  4391. }
  4392.  
  4393. function saveImageToLocalStorage(imageUrl, hentaiUrl, language, pages, title) {
  4394. let images = JSON.parse(localStorage.getItem('hentaiImages') || '[]');
  4395. images.unshift({ imageUrl, url: hentaiUrl, language, pages, title }); // Add title to stored data
  4396.  
  4397. if (images.length > 10) {
  4398. images.pop();
  4399. }
  4400.  
  4401. localStorage.setItem('hentaiImages', JSON.stringify(images));
  4402. localStorage.setItem('currentImageIndex', '0');
  4403. updatePreviewImage(imageUrl, language, pages, title);
  4404. }
  4405.  
  4406.  
  4407. function getImagesFromLocalStorage() {
  4408. return JSON.parse(localStorage.getItem('hentaiImages') || '[]');
  4409. }
  4410.  
  4411. function showNextImage() {
  4412. const images = getImagesFromLocalStorage();
  4413. if (images.length === 0) return;
  4414.  
  4415. let currentIndex = parseInt(localStorage.getItem('currentImageIndex') || '0', 10);
  4416. currentIndex = (currentIndex - 1 + images.length) % images.length;
  4417. localStorage.setItem('currentImageIndex', currentIndex.toString());
  4418.  
  4419. const currentImage = images[currentIndex];
  4420. updatePreviewImage(currentImage.imageUrl, currentImage.language, currentImage.pages, currentImage.title);
  4421. }
  4422.  
  4423. function showPreviousImage() {
  4424. const images = getImagesFromLocalStorage();
  4425. if (images.length === 0) return;
  4426.  
  4427. let currentIndex = parseInt(localStorage.getItem('currentImageIndex') || '0', 10);
  4428. currentIndex = (currentIndex + 1) % images.length;
  4429. localStorage.setItem('currentImageIndex', currentIndex.toString());
  4430.  
  4431. const currentImage = images[currentIndex];
  4432. updatePreviewImage(currentImage.imageUrl, currentImage.language, currentImage.pages, currentImage.title);
  4433. }
  4434.  
  4435.  
  4436. function updatePreviewImage(imageUrl, language = '', pages = '', title = '') {
  4437. const coverPreview = document.getElementById('cover-preview');
  4438. const coverPreviewLink = document.getElementById('cover-preview-link');
  4439. const notesContainer = document.getElementById('preview-notes');
  4440. const isPaused = !window.searchInProgress;
  4441.  
  4442. if (coverPreview) {
  4443. coverPreview.src = imageUrl;
  4444. coverPreview.style.display = 'block';
  4445. }
  4446.  
  4447. // Update the link URL
  4448. if (coverPreviewLink) {
  4449. const images = getImagesFromLocalStorage();
  4450. const currentIndex = parseInt(localStorage.getItem('currentImageIndex') || '0', 10);
  4451. if (images[currentIndex] && images[currentIndex].url) {
  4452. coverPreviewLink.href = images[currentIndex].url;
  4453. }
  4454. }
  4455.  
  4456. if (notesContainer) {
  4457. notesContainer.innerHTML = `
  4458. ${isPaused ? `<div style="margin-bottom: 5px;"><span style="font-weight: bold;">Title:</span> ${title || 'Title Not Available'}</div>` : ''}
  4459. <div>Language: ${language || 'N/A'}</div>
  4460. <div>Pages: ${pages || 'N/A'}</div>
  4461. `;
  4462. }
  4463. }
  4464.  
  4465. // Remove the old click event listener from the image and add it to the link instead (Not necessary may remove later)
  4466. document.addEventListener('DOMContentLoaded', function() {
  4467. const coverPreviewLink = document.getElementById('cover-preview-link');
  4468. if (coverPreviewLink) {
  4469. coverPreviewLink.addEventListener('click', function(event) {
  4470. event.preventDefault();
  4471. const currentImageIndex = parseInt(localStorage.getItem('currentImageIndex') || '0', 10);
  4472. const images = getImagesFromLocalStorage();
  4473. if (images[currentImageIndex] && images[currentImageIndex].url) {
  4474. window.location.href = images[currentImageIndex].url;
  4475. }
  4476. });
  4477. }
  4478. });
  4479.  
  4480. function togglePause() {
  4481. window.searchInProgress = !window.searchInProgress;
  4482. const pauseButtonIcon = document.querySelector('#pause-search i');
  4483. pauseButtonIcon.className = window.searchInProgress ? 'fas fa-pause' : 'fas fa-play';
  4484.  
  4485. // Update the current image display with the new pause state
  4486. const images = getImagesFromLocalStorage();
  4487. const currentIndex = parseInt(localStorage.getItem('currentImageIndex') || '0', 10);
  4488. if (images[currentIndex]) {
  4489. const currentImage = images[currentIndex];
  4490. updatePreviewImage(currentImage.imageUrl, currentImage.language, currentImage.pages, currentImage.title);
  4491. }
  4492.  
  4493. if (window.searchInProgress) {
  4494. fetchRandomHentai();
  4495. }
  4496. }
  4497.  
  4498. // Initialize the current image index
  4499. localStorage.setItem('currentImageIndex', '0');
  4500.  
  4501.  
  4502. //----------------------------**Random Hentai Preferences**----------------------------
  4503.  
  4504. //---------------------------**Open In New Tab Button**---------------------------------
  4505.  
  4506. // Add this code after the existing findVersionButton code in the same section
  4507. async function addNewTabButtons() {
  4508. // Check if the feature is enabled
  4509. const openInNewTabEnabled = await GM.getValue('openInNewTabEnabled', true);
  4510. if (!openInNewTabEnabled) return;
  4511. const openInNewTabType = await GM.getValue('openInNewTabType', 'background');
  4512. const baseUrl = 'https://nhentai.net';
  4513. const covers = document.querySelectorAll('.cover');
  4514. covers.forEach(cover => {
  4515. // Check if the button doesn't already exist for this cover
  4516. if (!cover.querySelector('.newTabButton')) {
  4517. const newTabButton = document.createElement('div');
  4518. newTabButton.className = 'newTabButton';
  4519. newTabButton.innerHTML = '<i class="fas fa-external-link-alt"></i>'; // Updated to include icon
  4520. // Add click event listener
  4521. newTabButton.addEventListener('click', (e) => {
  4522. e.preventDefault();
  4523. e.stopPropagation(); // Prevent the click from bubbling up to the cover
  4524.  
  4525. // Get the href from the cover
  4526. const mangaUrl = cover.getAttribute('href');
  4527. console.log('Opening manga URL:', mangaUrl); // Debugging log
  4528.  
  4529. if (mangaUrl) {
  4530. const fullUrl = baseUrl + mangaUrl; // Construct the full URL
  4531. if (openInNewTabType === 'foreground') {
  4532. console.log("foreground");
  4533. window.open(fullUrl, '_blank'); // Open in new tab and focus on it
  4534. } else {
  4535. console.log("background");
  4536. GM.openInTab(fullUrl, { active: false }); // Open in new tab without focusing on it
  4537. }
  4538. }else {
  4539. console.error('No URL found for this cover.'); // Error log if no URL
  4540. }
  4541. });
  4542. cover.appendChild(newTabButton);
  4543. }
  4544. });
  4545. }
  4546.  
  4547. // Add observer to handle dynamically loaded content
  4548. const observer = new MutationObserver((mutations) => {
  4549. mutations.forEach((mutation) => {
  4550. if (mutation.addedNodes.length) {
  4551. addNewTabButtons();
  4552. }
  4553. });
  4554. });
  4555.  
  4556. // Start observing the document with the configured parameters
  4557. observer.observe(document.body, { childList: true, subtree: true });
  4558.  
  4559. // Initial call to add buttons to existing covers
  4560. addNewTabButtons();
  4561.  
  4562. //---------------------------**Open In New Tab Button**---------------------------------
  4563.  
  4564. //----------------------------**Manga BookMark**---------------------------------
  4565.  
  4566.  
  4567.  
  4568. function mangaBookmarking() {
  4569. // Get the download button
  4570. const downloadButton = document.getElementById('download');
  4571. if (!downloadButton) {
  4572. console.log('Download button not found.');
  4573. return;
  4574. }
  4575.  
  4576. // Check if the manga bookmarking button is enabled in settings
  4577. async function getMangaBookMarkingButtonEnabled() {
  4578. return await GM.getValue('mangaBookMarkingButtonEnabled', true);
  4579. }
  4580.  
  4581. getMangaBookMarkingButtonEnabled().then(mangaBookMarkingButtonEnabled => {
  4582. if (!mangaBookMarkingButtonEnabled) return;
  4583.  
  4584. // Get the current URL
  4585. const currentUrl = window.location.href;
  4586.  
  4587. // Check if the current manga is already bookmarked
  4588. async function getBookmarkedMangas() {
  4589. try {
  4590. const bookmarkedMangas = await GM.getValue('bookmarkedMangas', []);
  4591. return bookmarkedMangas;
  4592. } catch (error) {
  4593. console.error('Error checking bookmarks:', error);
  4594. return [];
  4595. }
  4596. }
  4597.  
  4598. getBookmarkedMangas().then(bookmarkedMangas => {
  4599. let bookmarkText = 'Bookmark';
  4600. let bookmarkClass = 'btn-enabled';
  4601. if (bookmarkedMangas.some(manga => manga.url === currentUrl)) {
  4602. bookmarkText = 'Bookmarked';
  4603. bookmarkClass = 'btn-disabled';
  4604. }
  4605.  
  4606. const MangaBookMarkHtml = `
  4607. <a class="btn btn-primary ${bookmarkClass} tooltip bookmark" id="bookmark-button">
  4608. <i class="fas fa-bookmark"></i>
  4609. <span>${bookmarkText}</span>
  4610. <div class="top">Click to save this manga for later<i></i></div>
  4611. </a>
  4612. `;
  4613.  
  4614. // Insert 'Find Similar' button next to the download button
  4615. $(downloadButton).after(MangaBookMarkHtml);
  4616.  
  4617. // Add event listener to the bookmark button
  4618. document.getElementById('bookmark-button').addEventListener('click', async function() {
  4619. // Get the current URL
  4620. const currentUrl = window.location.href;
  4621.  
  4622. // Get the cover image URL
  4623. const coverImageContainer = document.getElementById('cover');
  4624. const coverImage = coverImageContainer.querySelector('img');
  4625. const coverImageUrl = coverImage.dataset.src || coverImage.src;
  4626.  
  4627. try {
  4628. // Get the bookmarked mangas (asynchronously)
  4629. const bookmarkedMangas = await GM.getValue('bookmarkedMangas', []);
  4630.  
  4631. const existingManga = bookmarkedMangas.find(manga => manga.url === currentUrl);
  4632. if (existingManga) {
  4633. // If already bookmarked, remove it
  4634. const index = bookmarkedMangas.indexOf(existingManga);
  4635. bookmarkedMangas.splice(index, 1);
  4636. this.querySelector('span').textContent = 'Bookmark';
  4637. this.classList.remove('btn-disabled');
  4638. this.classList.add('btn-enabled');
  4639. } else {
  4640. // If not bookmarked, add it
  4641. bookmarkedMangas.push({
  4642. url: currentUrl,
  4643. coverImageUrl: coverImageUrl
  4644. });
  4645. this.querySelector('span').textContent = 'Bookmarked';
  4646. this.classList.remove('btn-enabled');
  4647. this.classList.add('btn-disabled');
  4648. }
  4649.  
  4650. // Save the updated list (asynchronously)
  4651. await GM.setValue('bookmarkedMangas', bookmarkedMangas);
  4652.  
  4653. } catch (error) {
  4654. console.error('Error handling bookmarks:', error);
  4655. // Optionally display an error to the user
  4656. alert('An error occurred while saving your bookmark.');
  4657. }
  4658. });
  4659. });
  4660. });
  4661. }
  4662.  
  4663. mangaBookmarking();
  4664.  
  4665.  
  4666. //----------------------------**Manga BookMark**---------------------------------
  4667.  
  4668.  
  4669. //---------------------------**Month Filter**------------------------------------
  4670.  
  4671. async function addMonthFilter() {
  4672. const monthFilterEnabled = await GM.getValue('monthFilterEnabled', true);
  4673. if (!monthFilterEnabled) return;
  4674.  
  4675. const path = window.location.pathname;
  4676.  
  4677. if (/^\/(search|tag|artist|character|parody)\//.test(path)) {
  4678. const sortTypes = document.getElementsByClassName("sort-type");
  4679. if (sortTypes.length > 1) {
  4680.  
  4681. let baseUrl = window.location.pathname;
  4682. // Remove existing popularity filter from the path if present.
  4683. baseUrl = baseUrl.replace(/\/popular(-\w+)?$/, '');
  4684.  
  4685.  
  4686. const urlParams = new URLSearchParams(window.location.search);
  4687. urlParams.delete('sort'); // Remove any sort parameter from the query string
  4688. const remainingParams = urlParams.toString();
  4689.  
  4690. if (remainingParams) {
  4691. baseUrl += '?' + remainingParams;
  4692. }
  4693.  
  4694.  
  4695. const monthFilterHtml = `
  4696. <span class="sort-name">Popular:</span>
  4697. <a href="${baseUrl}${baseUrl.endsWith('/') ? '' : '/'}popular-today">today</a>
  4698. <a href="${baseUrl}${baseUrl.endsWith('/') ? '' : '/'}popular-week">week</a>
  4699. <a href="${baseUrl}${baseUrl.endsWith('/') ? '' : '/'}popular-month">month</a>
  4700. <a href="${baseUrl}${baseUrl.endsWith('/') ? '' : '/'}popular">all time</a>
  4701. `;
  4702. sortTypes[1].innerHTML = monthFilterHtml;
  4703. }
  4704. }
  4705. }
  4706.  
  4707. addMonthFilter();
  4708.  
  4709.  
  4710.  
  4711. //--------------------------*Month Filter**----------------------------------------
  4712.  
  4713. //---------------------------**BookMark-Random-Button**-----------------------------
  4714. async function appendButton() {
  4715. const enableRandomButton = await GM.getValue('enableRandomButton', true);
  4716. if (!enableRandomButton) return;
  4717.  
  4718. // Check if we're on the bookmarks page
  4719. if (window.location.pathname.includes('/bookmarks')) {
  4720. // Pre-fetch the bookmarks outside the observer
  4721. const bookmarks = await getBookmarksFromStorage();
  4722.  
  4723. // Create a function to check for the element and append the button
  4724. function checkAndAppendButton() {
  4725. const target = document.querySelector("#bookmarksContainer > h2:nth-child(1)");
  4726. if (target) {
  4727. // Append the button
  4728. const button = $('<button class="random-button"><i class="fas fa-random"></i> Random</button>');
  4729. $(target).after(button);
  4730. $(target).css('display', 'inline-block');
  4731. button.css({
  4732. 'display': 'inline-block',
  4733. 'margin-left': '10px',
  4734. 'position': 'relative',
  4735. 'top': '-3px'
  4736. });
  4737.  
  4738. button.on('click', async () => {
  4739. if (bookmarks.length > 0) {
  4740. const randomIndex = Math.floor(Math.random() * bookmarks.length);
  4741. const randomBookmark = bookmarks[randomIndex];
  4742. const link = `https://nhentai.net/g/${randomBookmark.id}`;
  4743.  
  4744. // Store bookmark info in localStorage for the next page
  4745. localStorage.setItem('randomMangaSource', JSON.stringify({
  4746. source: randomBookmark.source,
  4747. id: randomBookmark.id
  4748. }));
  4749.  
  4750. // Get the openInNewTabType value from storage
  4751. const openInNewTabType = await GM.getValue('openInNewTabType', 'new-tab');
  4752. const enableRandomButton = await GM.getValue('enableRandomButton', true);
  4753. const randomOpenType = await GM.getValue('randomOpenType', 'new-tab');
  4754.  
  4755. // Determine how to open the link based on the openInNewTabType value
  4756. if (enableRandomButton && randomOpenType === 'new-tab') {
  4757. // Open the link in a new tab
  4758. window.open(link, '_blank');
  4759. } else if (enableRandomButton && randomOpenType === 'current-tab') {
  4760. // Open the link in the current tab
  4761. window.location.href = link;
  4762. } else if (openInNewTabType === 'new-tab') {
  4763. // Open the link in a new tab
  4764. window.open(link, '_blank');
  4765. } else if (openInNewTabType === 'current-tab') {
  4766. // Open the link in the current tab
  4767. window.location.href = link;
  4768. }
  4769. } else {
  4770. showPopup("No bookmarks found.", {
  4771. timeout: 3000
  4772. });
  4773. }
  4774. });
  4775.  
  4776. // Clear the interval since we've found the element
  4777. clearInterval(intervalId);
  4778. }
  4779. }
  4780.  
  4781. // Set an interval to check for the element every second
  4782. const intervalId = setInterval(checkAndAppendButton, 1);
  4783.  
  4784.  
  4785. } else {
  4786. // Check if we're on a manga page and show the popup
  4787. checkRandomMangaSource();
  4788. }
  4789. }
  4790.  
  4791. function checkRandomMangaSource() {
  4792. const randomMangaSource = localStorage.getItem('randomMangaSource');
  4793. if (randomMangaSource) {
  4794. try {
  4795. const { source, id } = JSON.parse(randomMangaSource);
  4796. let popupText;
  4797. if (source.startsWith('bookmark_manga_ids_')) {
  4798. const link = source.replace('bookmark_manga_ids_', '');
  4799. const maxLength = 40; // maximum length of the link to display
  4800. const displayedLink = link.length > maxLength ? link.substring(0, maxLength) + '...' : link;
  4801. popupText = `Random manga from <a href="${link}" target="_blank" style="word-wrap: break-word; width: 200px; display: inline-block; vertical-align: top;">${displayedLink}</a>`;
  4802. } else {
  4803. popupText = `Random manga from ${source}`;
  4804. }
  4805. // Create popup with options to random again or continue browsing
  4806. showPopup(popupText, {
  4807. autoClose: false,
  4808. width: 250, // adjust the width to fit the link
  4809. buttons: [
  4810. {
  4811. text: "<i class='fas fa-check'></i> Continue",
  4812. callback: () => {
  4813. // Just close the popup
  4814. }
  4815. },
  4816. {
  4817. text: "<i class='fas fa-random'></i> Again",
  4818. callback: async () => {
  4819. // Get bookmarks and find a new random one directly
  4820. const bookmarks = await getBookmarksFromStorage();
  4821. if (bookmarks.length > 0) {
  4822. const randomIndex = Math.floor(Math.random() * bookmarks.length);
  4823. const randomBookmark = bookmarks[randomIndex];
  4824. const link = `https://nhentai.net/g/${randomBookmark.id}`;
  4825. // Store bookmark info in localStorage for the next page
  4826. localStorage.setItem('randomMangaSource', JSON.stringify({
  4827. source: randomBookmark.source,
  4828. id: randomBookmark.id
  4829. }));
  4830. // Navigate to the new manga page
  4831. window.location.href = link;
  4832. } else {
  4833. showPopup("No bookmarks found.", {
  4834. timeout: 3000
  4835. });
  4836. }
  4837. }
  4838. }
  4839. ]
  4840. });
  4841. // Clear the localStorage item
  4842. localStorage.removeItem('randomMangaSource');
  4843. } catch (error) {
  4844. console.error('Error parsing random manga source', error);
  4845. }
  4846. }
  4847. }
  4848. appendButton();
  4849.  
  4850.  
  4851.  
  4852. async function getBookmarksFromStorage() {
  4853. const bookmarks = [];
  4854. const addedIds = new Set();
  4855.  
  4856. // Check for bookmarks in the first format (simple array of IDs)
  4857. const allKeys = await GM.listValues();
  4858. for (const key of allKeys) {
  4859. if (key.startsWith("bookmark_manga_ids_")) {
  4860. const ids = await GM.getValue(key);
  4861. if (Array.isArray(ids)) {
  4862. // Add each ID as a bookmark object
  4863. ids.forEach(id => {
  4864. if (!addedIds.has(id)) {
  4865. bookmarks.push({
  4866. id: id,
  4867. url: `https://nhentai.net/g/${id}/`,
  4868. source: key
  4869. });
  4870. addedIds.add(id);
  4871. }
  4872. });
  4873. }
  4874. }
  4875. }
  4876.  
  4877. // Check for bookmarks in the second format (array of objects)
  4878. const bookmarkedMangas = await GM.getValue("bookmarkedMangas");
  4879. if (Array.isArray(bookmarkedMangas)) {
  4880. bookmarkedMangas.forEach(manga => {
  4881. // Extract ID from URL if it exists
  4882. if (manga.url) {
  4883. const match = manga.url.match(/\/g\/(\d+)/);
  4884. if (match && match[1]) {
  4885. const id = match[1];
  4886. // Check if this ID is already in our bookmarks array
  4887. if (!addedIds.has(id)) {
  4888. bookmarks.push({
  4889. id: id,
  4890. url: manga.url,
  4891. cover: manga.cover || null,
  4892. title: manga.title || null,
  4893. source: "bookmarkedMangas"
  4894. });
  4895. addedIds.add(id);
  4896. }
  4897. }
  4898. }
  4899. });
  4900. }
  4901.  
  4902. return bookmarks;
  4903. }
  4904.  
  4905. function getMangaLink(mangaID) {
  4906. return `https://nhentai.net/g/${mangaID}`;
  4907. }
  4908. //---------------------------**BookMark-Random-Button**-----------------------------
  4909.  
  4910. //--------------------------**Offline Favoriting**----------------------------------------------
  4911. // Main function to initialize the script
  4912. async function init() {
  4913. const offlineFavoritingEnabled = await GM.getValue('offlineFavoritingEnabled', true);
  4914. if (!offlineFavoritingEnabled) return;
  4915. console.log("NHentai Favorite Manager initialized");
  4916. // Check if user is logged in
  4917. const isLoggedIn = !document.querySelector('.menu-sign-in');
  4918. console.log("User logged in status:", isLoggedIn);
  4919. // Process stored favorites if user is logged in, regardless of current page
  4920. if (isLoggedIn) {
  4921. const toFavorite = await GM.getValue('toFavorite', []);
  4922. if (Array.isArray(toFavorite) && toFavorite.length > 0) {
  4923. console.log("Found stored favorites to process:", toFavorite);
  4924. await processFavorites(toFavorite);
  4925. }
  4926. }
  4927. // Only proceed with manga-specific features if we're on a manga page
  4928. if (window.location.pathname.includes('/g/')) {
  4929. await handleMangaPage(isLoggedIn);
  4930. }
  4931. }
  4932. // Handle manga page-specific functionality
  4933. async function handleMangaPage(isLoggedIn) {
  4934. // Get the manga ID from the URL
  4935. const mangaId = getMangaIdFromUrl();
  4936. console.log("Current manga ID:", mangaId);
  4937. if (!mangaId) {
  4938. console.log("Could not find manga ID, exiting manga-specific handling");
  4939. return;
  4940. }
  4941. // Get favorite button
  4942. const favoriteBtn = document.querySelector('.btn.btn-primary[class*="tooltip"]');
  4943. if (!favoriteBtn) {
  4944. console.log("Could not find favorite button, exiting manga-specific handling");
  4945. return;
  4946. }
  4947. // Get stored favorites
  4948. let toFavorite = await GM.getValue('toFavorite', []);
  4949. if (!Array.isArray(toFavorite)) {
  4950. toFavorite = [];
  4951. await GM.setValue('toFavorite', toFavorite);
  4952. }
  4953. console.log("Stored favorites:", toFavorite);
  4954. // Is this manga in our favorites?
  4955. const isFavorited = toFavorite.includes(mangaId);
  4956. console.log("Current manga in stored favorites:", isFavorited);
  4957. // Enable button if disabled
  4958. if (favoriteBtn.classList.contains('btn-disabled') && !isLoggedIn) {
  4959. favoriteBtn.classList.remove('btn-disabled');
  4960. console.log("Favorite button enabled");
  4961. }
  4962. // Update button state if it's in our favorites
  4963. if (isFavorited && !isLoggedIn) {
  4964. updateButtonToFavorited(favoriteBtn);
  4965. }
  4966. // Add click event to favorite button
  4967. favoriteBtn.addEventListener('click', async function(e) {
  4968. e.preventDefault();
  4969. e.stopPropagation();
  4970. console.log("Favorite button clicked");
  4971. // Get the CURRENT list of favorites (not the one from page load)
  4972. // This ensures we have the most up-to-date list
  4973. let currentFavorites = await GM.getValue('toFavorite', []);
  4974. if (!Array.isArray(currentFavorites)) {
  4975. currentFavorites = [];
  4976. }
  4977. // Check if this manga is CURRENTLY in favorites
  4978. const currentlyFavorited = currentFavorites.includes(mangaId);
  4979. console.log("Manga currently in favorites:", currentlyFavorited);
  4980. if (isLoggedIn) {
  4981. // Send favorite request directly to API
  4982. try {
  4983. await sendFavoriteRequest(mangaId);
  4984. console.log("Successfully favorited manga:", mangaId);
  4985. // Remove from stored favorites if present
  4986. const index = currentFavorites.indexOf(mangaId);
  4987. if (index > -1) {
  4988. currentFavorites.splice(index, 1);
  4989. await GM.setValue('toFavorite', currentFavorites);
  4990. console.log("Removed manga from stored favorites:", mangaId);
  4991. console.log("Updated stored favorites:", currentFavorites);
  4992. }
  4993. // Show success popup
  4994. showPopup("Successfully favorited manga!", {
  4995. timeout: 2000,
  4996. width: '300px'
  4997. });
  4998. } catch (error) {
  4999. console.error("Failed to favorite manga:", error);
  5000. // Show error popup
  5001. showPopup("Failed to favorite manga: " + error.message, {
  5002. timeout: 4000,
  5003. width: '300px'
  5004. });
  5005. }
  5006. } else {
  5007. // Toggle in stored favorites
  5008. if (currentlyFavorited) {
  5009. // Remove from favorites
  5010. const index = currentFavorites.indexOf(mangaId);
  5011. currentFavorites.splice(index, 1);
  5012. updateButtonToUnfavorited(favoriteBtn);
  5013. // showPopup("Removed from offline favorites", {
  5014. // timeout: 2000,
  5015. // width: '300px'
  5016. // });
  5017. console.log("Removed manga from stored favorites:", mangaId);
  5018. } else {
  5019. // Add to favorites
  5020. currentFavorites.push(mangaId);
  5021. updateButtonToFavorited(favoriteBtn);
  5022. // showPopup("Added to offline favorites", {
  5023. // timeout: 2000,
  5024. // width: '300px'
  5025. // });
  5026. console.log("Added manga to stored favorites:", mangaId);
  5027. }
  5028. await GM.setValue('toFavorite', currentFavorites);
  5029. console.log("Updated stored favorites:", currentFavorites);
  5030. }
  5031. });
  5032. }
  5033. // Helper function to get manga ID from URL
  5034. function getMangaIdFromUrl() {
  5035. const urlPath = window.location.pathname;
  5036. const match = urlPath.match(/\/g\/(\d+)/);
  5037. return match ? match[1] : null;
  5038. }
  5039. // Extract CSRF token from page
  5040. function getCsrfToken() {
  5041. // Try to get from app initialization
  5042. const scriptText = document.body.innerHTML;
  5043. const tokenMatch = scriptText.match(/csrf_token:\s*"([^"]+)"/);
  5044. if (tokenMatch && tokenMatch[1]) {
  5045. console.log("Found CSRF token from script:", tokenMatch[1]);
  5046. return tokenMatch[1];
  5047. }
  5048. // Try alternative method - look for form inputs
  5049. const csrfInput = document.querySelector('input[name="csrfmiddlewaretoken"]');
  5050. if (csrfInput) {
  5051. console.log("Found CSRF token from input:", csrfInput.value);
  5052. return csrfInput.value;
  5053. }
  5054. console.log("Could not find CSRF token");
  5055. return null;
  5056. }
  5057. // Nhentai Plus+.user.js (4405-4427)
  5058. function updateButtonToFavorited(button) {
  5059. button.classList.add('favorited');
  5060.  
  5061. const icon = button.querySelector('i');
  5062. const text = button.querySelector('span');
  5063.  
  5064. if (icon) icon.className = 'far fa-heart'; // Solid (filled) heart
  5065. if (text) {
  5066. const countSpan = text.querySelector('span.nobold');
  5067. text.innerText = 'Unfavorite ';
  5068. if (countSpan) {
  5069. text.appendChild(countSpan);
  5070. }
  5071. }
  5072.  
  5073. console.log("Button updated to favorited state");
  5074. }
  5075.  
  5076. function updateButtonToUnfavorited(button) {
  5077. button.classList.remove('favorited');
  5078.  
  5079. const icon = button.querySelector('i');
  5080. const text = button.querySelector('span');
  5081.  
  5082. if (icon) icon.className = 'fas fa-heart'; // Regular (outline) heart
  5083. if (text) {
  5084. const countSpan = text.querySelector('span.nobold');
  5085. text.innerText = 'Favorite ';
  5086. if (countSpan) {
  5087. text.appendChild(countSpan);
  5088. }
  5089. }
  5090.  
  5091. console.log("Button updated to unfavorited state");
  5092. }
  5093. // Modified sendFavoriteRequest function with improved CSRF token handling
  5094. async function sendFavoriteRequest(mangaId) {
  5095. const isIOSDevice = await GM.getValue('isIOSDevice', false);
  5096. if (isIOSDevice) {
  5097. // For iOS, we'll use a more compatible method
  5098. return new Promise((resolve, reject) => {
  5099. console.log("Using iOS-compatible favoriting method for manga:", mangaId);
  5100. // Get CSRF token using improved method
  5101. const csrfToken = getCsrfToken();
  5102. if (!csrfToken) {
  5103. console.error("Could not find CSRF token for request");
  5104. reject(new Error("Missing CSRF token"));
  5105. return;
  5106. }
  5107. // Create a temporary form to submit
  5108. const form = document.createElement('form');
  5109. form.method = 'POST';
  5110. form.action = `https://nhentai.net/api/gallery/${mangaId}/favorite`;
  5111. form.style.display = 'none';
  5112. // Add CSRF token to form
  5113. const csrfInput = document.createElement('input');
  5114. csrfInput.type = 'hidden';
  5115. csrfInput.name = 'csrf_token';
  5116. csrfInput.value = csrfToken;
  5117. form.appendChild(csrfInput);
  5118. // Add a hidden iframe to target the form
  5119. const iframe = document.createElement('iframe');
  5120. iframe.name = 'favorite_frame';
  5121. iframe.style.display = 'none';
  5122. document.body.appendChild(iframe);
  5123. // Set up form target and add to document
  5124. form.target = 'favorite_frame';
  5125. document.body.appendChild(form);
  5126. // Set up response handling
  5127. let timeoutId;
  5128. iframe.onload = () => {
  5129. clearTimeout(timeoutId);
  5130. try {
  5131. // Check if favoriting was successful
  5132. if (iframe.contentDocument.body.textContent.includes('success')) {
  5133. console.log("Successfully favorited manga:", mangaId);
  5134. resolve({ status: 200 });
  5135. } else {
  5136. console.error("Failed to favorite manga:", mangaId);
  5137. reject(new Error("Failed to favorite manga"));
  5138. }
  5139. } catch (e) {
  5140. // If we can't access iframe content due to CORS, assume success
  5141. console.log("Could not access iframe content, assuming success");
  5142. resolve({ status: 200 });
  5143. }
  5144. // Clean up
  5145. setTimeout(() => {
  5146. document.body.removeChild(form);
  5147. document.body.removeChild(iframe);
  5148. }, 100);
  5149. };
  5150. // Set timeout in case of no response
  5151. timeoutId = setTimeout(() => {
  5152. console.error("Favorite request timed out for manga:", mangaId);
  5153. document.body.removeChild(form);
  5154. document.body.removeChild(iframe);
  5155. reject(new Error("Request timed out"));
  5156. }, 10000);
  5157. // Submit the form
  5158. form.submit();
  5159. });
  5160. }else{
  5161. return new Promise((resolve, reject) => {
  5162. console.log("Sending favorite request for manga:", mangaId);
  5163. // Get CSRF token - trying multiple methods
  5164. let csrfToken = getCsrfToken();
  5165. if (!csrfToken) {
  5166. console.error("Could not find CSRF token for request");
  5167. reject(new Error("Missing CSRF token"));
  5168. return;
  5169. }
  5170. // Use fetch API instead of GM.xmlHttpRequest for iOS compatibility
  5171. // Note: This requires Tampermonkey to grant fetch permissions
  5172. fetch(`https://nhentai.net/api/gallery/${mangaId}/favorite`, {
  5173. method: "POST",
  5174. headers: {
  5175. "Content-Type": "application/x-www-form-urlencoded",
  5176. "X-CSRFToken": csrfToken,
  5177. "Referer": "https://nhentai.net/g/" + mangaId + "/",
  5178. "User-Agent": navigator.userAgent
  5179. },
  5180. body: `csrf_token=${encodeURIComponent(csrfToken)}`,
  5181. credentials: "include", // Important for sending cookies properly
  5182. mode: "cors"
  5183. })
  5184. .then(response => {
  5185. console.log("Favorite request response for manga " + mangaId + ":", response.status);
  5186. if (response.status === 200) {
  5187. resolve(response);
  5188. } else {
  5189. console.error("Favorite request failed for manga " + mangaId + ":", response.status);
  5190. reject(new Error(`Request failed with status ${response.status}`));
  5191. }
  5192. })
  5193. .catch(error => {
  5194. console.error("Favorite request error for manga " + mangaId + ":", error);
  5195. reject(error);
  5196. });
  5197. });
  5198. }
  5199. }
  5200.  
  5201. // Improved CSRF token extraction function
  5202. function getCsrfToken() {
  5203. // Try to get from script tag with the most up-to-date token
  5204. const scriptTags = document.querySelectorAll('script:not([src])');
  5205. for (const script of scriptTags) {
  5206. const tokenMatch = script.textContent.match(/csrf_token:\s*"([^"]+)"/);
  5207. if (tokenMatch && tokenMatch[1]) {
  5208. console.log("Found CSRF token from inline script:", tokenMatch[1]);
  5209. return tokenMatch[1];
  5210. }
  5211. }
  5212. // Try to get from window._n_app object which should have the most recent token
  5213. if (window._n_app && window._n_app.csrf_token) {
  5214. console.log("Found CSRF token from window._n_app:", window._n_app.csrf_token);
  5215. return window._n_app.csrf_token;
  5216. }
  5217. // Try getting from page HTML (your original method)
  5218. const scriptText = document.body.innerHTML;
  5219. const tokenMatch = scriptText.match(/csrf_token:\s*"([^"]+)"/);
  5220. if (tokenMatch && tokenMatch[1]) {
  5221. console.log("Found CSRF token from page HTML:", tokenMatch[1]);
  5222. return tokenMatch[1];
  5223. }
  5224. // Try alternative method - look for form inputs
  5225. const csrfInput = document.querySelector('input[name="csrfmiddlewaretoken"]');
  5226. if (csrfInput) {
  5227. console.log("Found CSRF token from input:", csrfInput.value);
  5228. return csrfInput.value;
  5229. }
  5230. console.log("Could not find CSRF token");
  5231. return null;
  5232. }
  5233. // Add this function to check if cookies are properly enabled and set
  5234. function verifyCookies() {
  5235. return new Promise((resolve, reject) => {
  5236. // Try setting a test cookie
  5237. document.cookie = "test_cookie=1; path=/;";
  5238. // Check if the cookie was set
  5239. if (document.cookie.indexOf("test_cookie=1") === -1) {
  5240. console.error("Cookies appear to be disabled or restricted");
  5241. reject(new Error("Cookies appear to be disabled or restricted"));
  5242. return;
  5243. }
  5244. // Verify session cookies by making a simple request
  5245. fetch("https://nhentai.net/", {
  5246. method: "GET",
  5247. credentials: "include"
  5248. })
  5249. .then(response => {
  5250. if (response.ok) {
  5251. // Check if we're actually logged in by looking for specific elements in the response
  5252. return response.text().then(html => {
  5253. const parser = new DOMParser();
  5254. const doc = parser.parseFromString(html, "text/html");
  5255. // If the menu-sign-in element is present, we're not properly logged in
  5256. const signInElement = doc.querySelector('.menu-sign-in');
  5257. if (signInElement) {
  5258. console.error("Session cookies not working correctly - not logged in");
  5259. reject(new Error("Session cookies not working correctly - not logged in"));
  5260. } else {
  5261. console.log("Cookies and session verified successfully");
  5262. resolve(true);
  5263. }
  5264. });
  5265. } else {
  5266. console.error("Failed to verify session");
  5267. reject(new Error("Failed to verify session"));
  5268. }
  5269. })
  5270. .catch(error => {
  5271. console.error("Error verifying cookies:", error);
  5272. reject(error);
  5273. });
  5274. });
  5275. }
  5276.  
  5277. // Modify the processFavorites function to check cookies first
  5278. async function processFavorites(favorites) {
  5279. if (window.location.href.startsWith("https://nhentai.net/login/")) {
  5280. return;
  5281. }
  5282.  
  5283. console.log("Processing stored favorites:", favorites);
  5284. // Verify cookies before proceeding
  5285. try {
  5286. await verifyCookies();
  5287. } catch (error) {
  5288. console.error("Cookie verification failed:", error);
  5289. showPopup(`Cannot process favorites: ${error.message}. Try logging in again.`, {
  5290. timeout: 5000,
  5291. width: '300px'
  5292. });
  5293. return;
  5294. }
  5295. // Create and show a popup with progress information
  5296. const progressPopup = showPopup(`Processing favorites: 0/${favorites.length}`, {
  5297. autoClose: false,
  5298. width: '300px',
  5299. buttons: [
  5300. {
  5301. text: "Cancel",
  5302. callback: () => {
  5303. // User canceled processing
  5304. processingCanceled = true;
  5305. }
  5306. }
  5307. ]
  5308. });
  5309. const successfulOnes = [];
  5310. const failedOnes = [];
  5311. let processingCanceled = false;
  5312. for (let i = 0; i < favorites.length; i++) {
  5313. if (processingCanceled) {
  5314. progressPopup.updateMessage(`Processing canceled. Completed: ${successfulOnes.length}/${favorites.length}`);
  5315. break;
  5316. }
  5317. const mangaId = favorites[i];
  5318. // Update progress in popup
  5319. progressPopup.updateMessage(`Processing favorites: ${i+1}/${favorites.length}`);
  5320. try {
  5321. await sendFavoriteRequest(mangaId);
  5322. console.log("Successfully favorited manga:", mangaId);
  5323. successfulOnes.push(mangaId);
  5324. } catch (error) {
  5325. console.error("Error favoriting manga:", mangaId, error);
  5326. failedOnes.push(mangaId);
  5327. }
  5328. // Small delay to avoid hammering the server
  5329. await new Promise(resolve => setTimeout(resolve, 500));
  5330. }
  5331. // Keep only the failed ones in storage
  5332. if (failedOnes.length > 0) {
  5333. await GM.setValue('toFavorite', failedOnes);
  5334. console.log("Updated stored favorites with failed ones:", failedOnes);
  5335. } else {
  5336. // Clear stored favorites after processing
  5337. await GM.setValue('toFavorite', []);
  5338. console.log("Cleared stored favorites");
  5339. }
  5340. // Update final result in popup
  5341. progressPopup.updateMessage(`Completed: ${successfulOnes.length} successful, ${failedOnes.length} failed`);
  5342. // Add a "Done" button to close the popup
  5343. const content = progressPopup.close();
  5344. // Show a summary popup that auto-closes
  5345. showPopup(`Completed: ${successfulOnes.length} successful, ${failedOnes.length} failed`, {
  5346. timeout: 5000,
  5347. width: '300px',
  5348. buttons: [
  5349. {
  5350. text: "OK",
  5351. callback: () => {}
  5352. }
  5353. ]
  5354. });
  5355. }
  5356. init();
  5357. //--------------------------**Offline Favoriting**----------------------------------------------
  5358.  
  5359.  
  5360. //-----------------------------------------------------NFM-Debugging------------------------------------------------------------------
  5361.  
  5362. // Add this function to create a settings menu
  5363. async function createSettingsMenu() {
  5364.  
  5365. const nfmPageEnabled = await GM.getValue('nfmPageEnabled', true);
  5366. if (!nfmPageEnabled) return;
  5367.  
  5368. // Create settings button
  5369. const nav = document.querySelector('nav .menu.left');
  5370. if (!nav) return;
  5371. const settingsLi = document.createElement('li');
  5372. settingsLi.className = 'desktop';
  5373. const settingsLink = document.createElement('a');
  5374. settingsLink.href = '#';
  5375. settingsLink.innerHTML = '<i class="fas fa-cog" style="color:pink;"></i> NFM';
  5376. settingsLi.appendChild(settingsLink);
  5377. nav.appendChild(settingsLi);
  5378. // Create settings popup
  5379. settingsLink.addEventListener('click', async (e) => {
  5380. e.preventDefault();
  5381. const offlineFavoritingEnabled = await GM.getValue('offlineFavoritingEnabled', true);
  5382. const toFavorite = await GM.getValue('toFavorite', []);
  5383. const isIOSDevice = /iPad|iPhone|iPod/.test(navigator.userAgent) && !window.MSStream;
  5384. const content = `
  5385. <div style="padding: 1rem;">
  5386. <h3>NHentai Favorite Manager Settings</h3>
  5387. <div style="margin-bottom: 1rem;">
  5388. <label>
  5389. <input type="checkbox" id="nfm-offline-favoriting" ${offlineFavoritingEnabled ? 'checked' : ''}>
  5390. Enable offline favoriting
  5391. </label>
  5392. </div>
  5393. <div style="margin-bottom: 1rem;">
  5394. <p>Pending favorites: ${toFavorite.length}</p>
  5395. <button id="nfm-clear-favorites" class="btn btn-secondary">Clear Pending Favorites</button>
  5396. <button id="nfm-process-favorites" class="btn btn-primary">Process Now</button>
  5397. </div>
  5398. <div style="margin-bottom: 1rem;">
  5399. <h4>Debug Info</h4>
  5400. <p>iOS Device: ${isIOSDevice ? 'Yes' : 'No'}</p>
  5401. <p>Logged In: ${!document.querySelector('.menu-sign-in') ? 'Yes' : 'No'}</p>
  5402. <p>Cookies Enabled: ${navigator.cookieEnabled ? 'Yes' : 'No'}</p>
  5403. <button id="nfm-test-request" class="btn btn-secondary">Test API Request</button>
  5404. </div>
  5405. </div>
  5406. `;
  5407. const popup = showPopup(content, {
  5408. autoClose: false,
  5409. width: '400px',
  5410. buttons: [
  5411. {
  5412. text: "Close",
  5413. callback: () => {}
  5414. }
  5415. ]
  5416. });
  5417. // Add event listeners
  5418. document.getElementById('nfm-offline-favoriting').addEventListener('change', async (e) => {
  5419. await GM.setValue('offlineFavoritingEnabled', e.target.checked);
  5420. console.log("Offline favoriting enabled:", e.target.checked);
  5421. });
  5422. document.getElementById('nfm-clear-favorites').addEventListener('click', async () => {
  5423. await GM.setValue('toFavorite', []);
  5424. console.log("Cleared pending favorites");
  5425. popup.updateMessage('Pending favorites cleared!');
  5426. setTimeout(() => popup.close(), 1500);
  5427. });
  5428. document.getElementById('nfm-process-favorites').addEventListener('click', async () => {
  5429. popup.close();
  5430. const toFavorite = await GM.getValue('toFavorite', []);
  5431. if (toFavorite.length > 0) {
  5432. await processFavorites(toFavorite);
  5433. } else {
  5434. showPopup("No pending favorites to process.", {
  5435. timeout: 2000,
  5436. width: '300px'
  5437. });
  5438. }
  5439. });
  5440. document.getElementById('nfm-test-request').addEventListener('click', async () => {
  5441. console.log("Testing API request...");
  5442. try {
  5443. await verifyCookies();
  5444. showPopup("Cookie test successful!", {
  5445. timeout: 2000,
  5446. width: '300px'
  5447. });
  5448. } catch (error) {
  5449. showPopup(`Cookie test failed: ${error.message}`, {
  5450. timeout: 4000,
  5451. width: '300px'
  5452. });
  5453. }
  5454. });
  5455. });
  5456. }
  5457.  
  5458. // Add this to your init function
  5459. createSettingsMenu();
  5460.  
  5461. //-----------------------------------------------------NFM-Debugging------------------------------------------------------------------
  5462.  
  5463. //-------------------------------------------------**Delete-Twitter-Button**-----------------------------------------------
  5464. async function deleteTwitterButton() {
  5465. const twitterButtonEnabled = await GM.getValue('twitterButtonEnabled', true);
  5466. if (!twitterButtonEnabled) return;
  5467.  
  5468. $('a[href="https://twitter.com/nhentaiOfficial"]').remove();
  5469. }
  5470.  
  5471. deleteTwitterButton();
  5472.  
  5473. //-------------------------------------------------**Delete-Twitter-Button**-----------------------------------------------
  5474.  
  5475. //-------------------------------------------------**Delete-Info-Button**-----------------------------------------------
  5476. async function deleteInfoButton() {
  5477. const infoButtonEnabled = await GM.getValue('infoButtonEnabled', true);
  5478. if (!infoButtonEnabled) return;
  5479.  
  5480. $("a[href='/info/']").remove();
  5481. }
  5482. //Call the function to execute
  5483. deleteInfoButton();
  5484. //-------------------------------------------------**Delete-Info-Button**-----------------------------------------------
  5485.  
  5486. //-------------------------------------------------**Delete-Profile-Button**-----------------------------------------------
  5487.  
  5488. async function deleteProfileButton() {
  5489. const profileButtonEnabled = await GM.getValue('profileButtonEnabled', true);
  5490. if (!profileButtonEnabled) return;
  5491.  
  5492. $("li a[href^='/users/']").remove();
  5493. }
  5494. //Call the function to execute.
  5495. deleteProfileButton();
  5496. //-------------------------------------------------**Delete-Profile-Button**-----------------------------------------------
  5497.  
  5498. //-------------------------------------------------**Delete-Logout-Button**-----------------------------------------------
  5499.  
  5500. async function deleteLogoutButton() {
  5501. const logoutButtonEnabled = await GM.getValue('logoutButtonEnabled', true);
  5502. if (!logoutButtonEnabled) return;
  5503.  
  5504. $("li a[href='/logout/?next=/settings/']").parent().remove();
  5505. }
  5506. deleteLogoutButton();
  5507.  
  5508. //-------------------------------------------------**Delete-Logout-Button**-----------------------------------------------
  5509.  
  5510.  
  5511. //-------------------------------------------------**BookMark-Link**---------------------------------------------------------
  5512. async function createBookmarkLink() {
  5513. const bookmarkLinkEnabled = await GM.getValue('bookmarkLinkEnabled', true);
  5514. if (!bookmarkLinkEnabled) return;
  5515.  
  5516.  
  5517. // Extract current manga ID from URL
  5518. const currentMangaId = window.location.pathname.split('/')[2];
  5519. // Get all GM keys
  5520. const allKeys = await GM.listValues();
  5521. // Filter bookmark keys and check for current ID
  5522. let bookmarkUrl = null;
  5523. for (const key of allKeys) {
  5524. if (key.startsWith('bookmark_manga_ids_')) {
  5525. const mangaIds = await GM.getValue(key, []);
  5526. if (mangaIds.includes(currentMangaId)) {
  5527. // Extract original bookmark URL from key
  5528. bookmarkUrl = key.replace('bookmark_manga_ids_', '');
  5529. break;
  5530. }
  5531. }
  5532. }
  5533.  
  5534. // Update title if bookmark found
  5535. if (bookmarkUrl) {
  5536. const $title = $('h1.title');
  5537. const linkHtml = `<a href="${bookmarkUrl}" class="bookmark-link" style="color: inherit; text-decoration: none;"><u>${$title.html()}</u></a>`;
  5538. $title.html(linkHtml).css('cursor', 'pointer');
  5539. }
  5540. }
  5541. createBookmarkLink();
  5542.  
  5543. //-------------------------------------------------**BookMark-Link**---------------------------------------------------------
  5544.  
  5545.  
  5546. //-------------------------------------------------**Non-English-Manga**--------------------------------------------------------
  5547.  
  5548. async function applyNonEnglishStyles() {
  5549. // Remove existing styles
  5550. $('style[data-non-english]').remove();
  5551.  
  5552. const showNonEnglish = await GM.getValue('showNonEnglish', 'show');
  5553. let style = '';
  5554. if (showNonEnglish === 'hide') {
  5555. style = `.gallery:not([data-tags~='12227']) { display: none; }`;
  5556. } else if (showNonEnglish === 'fade') {
  5557. const nonEnglishFadeOpacity = 0.5; // Or get this from settings
  5558. style = `.gallery:not([data-tags~='12227']) > .cover > img, .gallery:not([data-tags~='12227']) > .cover > .caption { opacity: ${nonEnglishFadeOpacity}; }`;
  5559. }
  5560. if (style) {
  5561. const newStyle = document.createElement('style');
  5562. newStyle.dataset.nonEnglish = true;
  5563. newStyle.innerHTML = style;
  5564. document.head.appendChild(newStyle);
  5565. }
  5566. }
  5567.  
  5568. applyNonEnglishStyles(); // Apply styles on initial load
  5569.  
  5570.  
  5571. //-------------------------------------------------**Non-English-Manga**--------------------------------------------------------