Allover30 Images & Videos

Access full-size content and add download buttons

질문, 리뷰하거나, 이 스크립트를 신고하세요.
  1. // ==UserScript==
  2. // @name Allover30 Images & Videos
  3. // @namespace https://greasyfork.org/en/users/1384264-atman
  4. // @version 2025-01-12
  5. // @description Access full-size content and add download buttons
  6. // @author atman
  7. // @match https://new.allover30.com/model-pages/*
  8. // @match https://new.allover30.com/Model_Directory*
  9. // @match https://tour.allover30.com/Model-Pages/*
  10. // @grant GM.xmlHttpRequest
  11. // @license GPL-3.0
  12. // ==/UserScript==
  13.  
  14. (function() {
  15. 'use strict';
  16.  
  17. // Constants and Selectors
  18. const MODEL_BOXES = document.querySelectorAll('.modelBox:not(.disabled)');
  19. const PHOTO_BOXES = document.querySelectorAll('.modelBox:not(.vid):not(.disabled)');
  20. const OLD_SITE_IMAGES = document.querySelectorAll('img.border');
  21. const STUDIO_NUMBERS = [2, 5, 14, 39, 44, 45, 46, 48, 50, 51, 52];
  22.  
  23. // Shared state
  24. let setNumber = null;
  25.  
  26. // Fetch studio number by checking image URLs
  27. async function checkStudioNumber() {
  28. if (!PHOTO_BOXES.length) return;
  29.  
  30. const imgSrc = PHOTO_BOXES[0].querySelector('img').src;
  31. const [, letter, model, set] = imgSrc.match(/allover30.com\/(.)\/(\w+)\/(\d+)(?=\/cover)/) || [];
  32. if (!letter || !model || !set) return;
  33.  
  34. const urlPromises = STUDIO_NUMBERS.map(number =>
  35. new Promise(resolve => {
  36. GM.xmlHttpRequest({
  37. method: 'HEAD',
  38. url: `https://members.allover30.com/media/${letter}/${model}/${set}/1536/${model}${number}${set}_1.jpg`,
  39. onload: response => resolve(response.status === 200 ? number : null),
  40. onerror: () => resolve(null)
  41. });
  42. })
  43. );
  44.  
  45. const results = await Promise.all(urlPromises);
  46. setNumber = results.find(num => num !== null);
  47. if (setNumber) {
  48. console.log(`STUDIO/Photographer number: ${setNumber}`);
  49. } else {
  50. // Extract model name from current URL and redirect
  51. const currentUrl = window.location.href;
  52. const modelMatch = currentUrl.match(/model-pages\/([^/]+)/);
  53. if (modelMatch) {
  54. const modelName = modelMatch[1]
  55. .split('-') // Split at dashes
  56. .map(part => part.charAt(0).toUpperCase() + part.slice(1)) // Capitalize each part
  57. .join(''); // Join without dashes
  58. window.location.href = `https://tour.allover30.com/Model-Pages/${modelName}/`;
  59. }
  60. }
  61. }
  62.  
  63. // Update links for model boxes (photos and videos)
  64. function updateModelBoxLinks() {
  65. MODEL_BOXES.forEach(box => {
  66. const img = box.querySelector('img');
  67. const modelPLink = box.querySelector('.modelP a');
  68. const [, letter, model, set] = img.src.match(/allover30.com\/(.)\/(\w+)\/(\d+)(?=\/cover)/) || [];
  69. if (!letter || !model || !set || !setNumber) return;
  70.  
  71. const baseUrl = `https://members.allover30.com/media/${letter}/${model}/${set}`;
  72. const isPhoto = box.querySelector('.modelttl').textContent.includes('Photo');
  73. const detailsList = box.querySelector('.modelPdtls');
  74.  
  75. if (isPhoto) {
  76. modelPLink.href = `${baseUrl}/4800/${model}${setNumber}${set}_1.jpg`;
  77. modelPLink.target = '_blank';
  78. detailsList.appendChild(createDownloadButton(`${baseUrl}/4800/${model}-${set}-4800.zip`, 'Download ZIP'));
  79. } else {
  80. modelPLink.href = `${baseUrl}/${model}-${set}-720.mp4`;
  81. modelPLink.target = '_blank';
  82. detailsList.appendChild(createDownloadButton(`${baseUrl}/${model}-${set}-720.mp4`, '720p', true));
  83. detailsList.appendChild(createDownloadButton(`${baseUrl}/${model}-${set}-1080.mp4`, '1080p', true));
  84. detailsList.appendChild(createDownloadButton(`${baseUrl}/${model}-${set}-4k.mp4`, '4K', true));
  85. }
  86. });
  87. }
  88.  
  89. // Update links for model directory
  90. function updateModelLinks() {
  91. const models = document.querySelectorAll('.allModels li');
  92. models.forEach(model => {
  93. const imageLink = model.querySelector('a');
  94. const nameLink = model.querySelector('.amTtl a');
  95. if (!nameLink) return;
  96.  
  97. const modelName = nameLink.textContent.trim();
  98. const newHref = `https://www.google.com/search?q=${encodeURIComponent('site:*.allover30.com/model-pages ' + modelName)}`;
  99.  
  100. nameLink.href = newHref;
  101. nameLink.target = '_blank';
  102. if (imageLink) {
  103. imageLink.href = newHref;
  104. imageLink.target = '_blank';
  105. }
  106. });
  107. console.log('Models found:', models.length);
  108. }
  109.  
  110. // Update links for old site layout
  111. function updateOldSiteLinks() {
  112. OLD_SITE_IMAGES.forEach(img => {
  113. const [, model, studio, setNum] = img.src.match(/index\/(\w{6})(\w{3})(\w{6})/) || [];
  114. if (!model || !studio || !setNum) return;
  115.  
  116. const letter = model.charAt(0);
  117. const resolution = setNum < 5000 ? 1536 : setNum < 17500 ? 2400 : 4800;
  118. const baseUrl = `https://members.allover30.com/media/${letter}/${model}/${setNum}`;
  119. const previousTr = img.closest('tr')?.previousElementSibling;
  120. if (!previousTr) return;
  121.  
  122. if (previousTr.textContent.includes('PICTURES')) {
  123. const link = document.createElement('a');
  124. link.href = `${baseUrl}/${resolution}/${model}${studio}${setNum}001.jpg`;
  125. link.target = '_blank';
  126. link.appendChild(img.cloneNode());
  127. img.parentNode.replaceChild(link, img);
  128.  
  129. const downloadButton = createDownloadButton(`${baseUrl}/${model}${studio}_${setNum}_${resolution}.zip`);
  130. link.parentNode.insertBefore(downloadButton, link.nextSibling);
  131. } else if (previousTr.textContent.includes('MOVIE')) {
  132. const link = document.createElement('a');
  133. link.href = `${baseUrl}/wmv/${model}${studio}${setNum}001.wmv`;
  134. link.target = '_blank';
  135. link.appendChild(img.cloneNode());
  136. img.parentNode.replaceChild(link, img);
  137.  
  138. const wmvButton = createDownloadButton(`${baseUrl}/wmv/${model}${studio}${setNum}001.wmv`, 'WMV', true);
  139. const mpgButton = createDownloadButton(`${baseUrl}/mpg/${model}${studio}${setNum}001.mpg`, 'MPG', true);
  140. link.parentNode.insertBefore(wmvButton, link.nextSibling);
  141. link.parentNode.insertBefore(mpgButton, link.nextSibling);
  142. }
  143. });
  144. }
  145.  
  146. // Poll for changes in model directory
  147. function startModelPolling() {
  148. let lastModelCount = document.querySelectorAll('.allModels li').length;
  149. setInterval(() => {
  150. const currentCount = document.querySelectorAll('.allModels li').length;
  151. if (currentCount !== lastModelCount) {
  152. console.log('Model count changed from', lastModelCount, 'to', currentCount);
  153. updateModelLinks();
  154. lastModelCount = currentCount;
  155. }
  156. }, 1000);
  157. }
  158.  
  159. // Utility: Create a styled download button
  160. function createDownloadButton(url, text = 'Download ZIP', isVideo = false) {
  161. const button = document.createElement('a');
  162. button.href = url;
  163. button.textContent = text;
  164. button.style.cssText = `
  165. display: ${isVideo ? 'inline-block' : 'block'};
  166. ${isVideo ? 'max-width: 30%;' : 'width: 90%;'}
  167. margin: ${isVideo ? '6px' : '5px'};
  168. padding: 10px 6px;
  169. background: linear-gradient(90deg, #00d478, #297d58);
  170. color: #fff;
  171. text-decoration: none;
  172. border-radius: 5px;
  173. text-align: center;
  174. font-weight: bold;
  175. transition: background 0.5s linear;
  176. `;
  177. return button;
  178. }
  179.  
  180. // Utility: Replace image with clickable link
  181. function replaceImageWithLink(img, url) {
  182. const link = document.createElement('a');
  183. link.href = url;
  184. link.target = '_blank';
  185. link.appendChild(img.cloneNode());
  186. img.parentNode.replaceChild(link, img);
  187. }
  188.  
  189. // Cleanup: Remove unwanted elements
  190. function cleanupPage() {
  191. document.querySelectorAll('a[href*="signup.php"]').forEach(link => {
  192. if (link.querySelector('img[src*="join.gif"]')) link.remove();
  193. });
  194. const paypal = document.querySelector('.paypal');
  195. if (paypal) paypal.remove();
  196. }
  197.  
  198. // Main execution
  199. async function main() {
  200. if (MODEL_BOXES.length) {
  201. await checkStudioNumber();
  202. if (setNumber) updateModelBoxLinks();
  203. }
  204. if (document.querySelectorAll('.allModels li').length) {
  205. updateModelLinks();
  206. startModelPolling();
  207. }
  208. if (OLD_SITE_IMAGES.length) {
  209. updateOldSiteLinks();
  210. }
  211. cleanupPage();
  212. }
  213.  
  214. main();
  215. })();