dom.ts 9.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231
  1. /**
  2. * Returns `unsafeWindow` if the `@grant unsafeWindow` is given, otherwise falls back to the regular `window`
  3. */
  4. export function getUnsafeWindow() {
  5. try {
  6. // throws ReferenceError if the "@grant unsafeWindow" isn't present
  7. return unsafeWindow;
  8. }
  9. catch(e) {
  10. return window;
  11. }
  12. }
  13. /**
  14. * Adds a parent container around the provided element
  15. * @returns Returns the new parent element
  16. */
  17. export function addParent(element: Element, newParent: Element) {
  18. const oldParent = element.parentNode;
  19. if(!oldParent)
  20. throw new Error("Element doesn't have a parent node");
  21. oldParent.replaceChild(newParent, element);
  22. newParent.appendChild(element);
  23. return newParent;
  24. }
  25. /**
  26. * Adds global CSS style in the form of a `<style>` element in the document's `<head>`
  27. * This needs to be run after the `DOMContentLoaded` event has fired on the document object (or instantly if `@run-at document-end` is used).
  28. * @param style CSS string
  29. * @returns Returns the created style element
  30. */
  31. export function addGlobalStyle(style: string) {
  32. const styleElem = document.createElement("style");
  33. styleElem.innerHTML = style;
  34. document.head.appendChild(styleElem);
  35. return styleElem;
  36. }
  37. /**
  38. * Preloads an array of image URLs so they can be loaded instantly from the browser cache later on
  39. * @param rejects If set to `true`, the returned PromiseSettledResults will contain rejections for any of the images that failed to load
  40. * @returns Returns an array of `PromiseSettledResult` - each resolved result will contain the loaded image element, while each rejected result will contain an `ErrorEvent`
  41. */
  42. export function preloadImages(srcUrls: string[], rejects = false) {
  43. const promises = srcUrls.map(src => new Promise((res, rej) => {
  44. const image = new Image();
  45. image.src = src;
  46. image.addEventListener("load", () => res(image));
  47. image.addEventListener("error", (evt) => rejects && rej(evt));
  48. }));
  49. return Promise.allSettled(promises);
  50. }
  51. /**
  52. * Tries to use `GM.openInTab` to open the given URL in a new tab, otherwise if the grant is not given, creates an invisible anchor element and clicks it.
  53. * For the fallback to work, this function needs to be run in response to a user interaction event, else the browser might reject it.
  54. * @param href The URL to open in a new tab
  55. * @param background If set to `true`, the tab will be opened in the background - set to `undefined` (default) to use the browser's default behavior
  56. */
  57. export function openInNewTab(href: string, background?: boolean) {
  58. try {
  59. GM.openInTab(href, background);
  60. }
  61. catch(e) {
  62. const openElem = document.createElement("a");
  63. Object.assign(openElem, {
  64. className: "userutils-open-in-new-tab",
  65. target: "_blank",
  66. rel: "noopener noreferrer",
  67. href,
  68. });
  69. openElem.style.display = "none";
  70. document.body.appendChild(openElem);
  71. openElem.click();
  72. // timeout just to be safe
  73. setTimeout(openElem.remove, 50);
  74. }
  75. }
  76. /**
  77. * Intercepts the specified event on the passed object and prevents it from being called if the called {@linkcode predicate} function returns a truthy value.
  78. * If no predicate is specified, all events will be discarded.
  79. * This function should be called as soon as possible (I recommend using `@run-at document-start`), as it will only intercept events that are added after this function is called.
  80. * Calling this function will set `Error.stackTraceLimit = 100` (if not already higher) to ensure the stack trace is preserved.
  81. */
  82. export function interceptEvent<TEvtObj extends EventTarget, TPredicateEvt extends Event>(
  83. eventObject: TEvtObj,
  84. eventName: Parameters<TEvtObj["addEventListener"]>[0],
  85. predicate: (event: TPredicateEvt) => boolean = () => true,
  86. ) {
  87. // default is 25 on FF so this should hopefully be more than enough
  88. // @ts-ignore
  89. Error.stackTraceLimit = Math.max(Error.stackTraceLimit, 100);
  90. if(isNaN(Error.stackTraceLimit))
  91. Error.stackTraceLimit = 100;
  92. (function(original: typeof eventObject.addEventListener) {
  93. // @ts-ignore
  94. eventObject.__proto__.addEventListener = function(...args: Parameters<typeof eventObject.addEventListener>) {
  95. const origListener = typeof args[1] === "function" ? args[1] : args[1]?.handleEvent ?? (() => void 0);
  96. args[1] = function(...a) {
  97. if(args[0] === eventName && predicate((Array.isArray(a) ? a[0] : a) as TPredicateEvt))
  98. return;
  99. else
  100. return origListener.apply(this, a);
  101. };
  102. original.apply(this, args);
  103. };
  104. // @ts-ignore
  105. })(eventObject.__proto__.addEventListener);
  106. }
  107. /**
  108. * Intercepts the specified event on the window object and prevents it from being called if the called {@linkcode predicate} function returns a truthy value.
  109. * If no predicate is specified, all events will be discarded.
  110. * This function should be called as soon as possible (I recommend using `@run-at document-start`), as it will only intercept events that are added after this function is called.
  111. * Calling this function will set `Error.stackTraceLimit = 100` (if not already higher) to ensure the stack trace is preserved.
  112. */
  113. export function interceptWindowEvent<TEvtKey extends keyof WindowEventMap>(
  114. eventName: TEvtKey,
  115. predicate: (event: WindowEventMap[TEvtKey]) => boolean = () => true,
  116. ) {
  117. return interceptEvent(getUnsafeWindow(), eventName, predicate);
  118. }
  119. /** Checks if an element is scrollable in the horizontal and vertical directions */
  120. export function isScrollable(element: Element) {
  121. const { overflowX, overflowY } = getComputedStyle(element);
  122. return {
  123. vertical: (overflowY === "scroll" || overflowY === "auto") && element.scrollHeight > element.clientHeight,
  124. horizontal: (overflowX === "scroll" || overflowX === "auto") && element.scrollWidth > element.clientWidth,
  125. };
  126. }
  127. /**
  128. * Executes the callback when the passed element's property changes.
  129. * Contrary to an element's attributes, properties can usually not be observed with a MutationObserver.
  130. * This function shims the getter and setter of the property to invoke the callback.
  131. *
  132. * [Source](https://stackoverflow.com/a/61975440)
  133. * @param property The name of the property to observe
  134. * @param callback Callback to execute when the value is changed
  135. */
  136. export function observeElementProp<
  137. TElem extends Element = HTMLElement,
  138. TPropKey extends keyof TElem = keyof TElem,
  139. >(
  140. element: TElem,
  141. property: TPropKey,
  142. callback: (oldVal: TElem[TPropKey], newVal: TElem[TPropKey]) => void
  143. ) {
  144. const elementPrototype = Object.getPrototypeOf(element);
  145. // eslint-disable-next-line no-prototype-builtins
  146. if(elementPrototype.hasOwnProperty(property)) {
  147. const descriptor = Object.getOwnPropertyDescriptor(elementPrototype, property);
  148. Object.defineProperty(element, property, {
  149. get: function() {
  150. // @ts-ignore
  151. // eslint-disable-next-line prefer-rest-params
  152. return descriptor?.get?.apply(this, arguments);
  153. },
  154. set: function() {
  155. const oldValue = this[property];
  156. // @ts-ignore
  157. // eslint-disable-next-line prefer-rest-params
  158. descriptor?.set?.apply(this, arguments);
  159. const newValue = this[property];
  160. if(typeof callback === "function") {
  161. // @ts-ignore
  162. callback.bind(this, oldValue, newValue);
  163. }
  164. return newValue;
  165. }
  166. });
  167. }
  168. }
  169. /**
  170. * Returns a "frame" of the closest siblings of the {@linkcode refElement}, based on the passed amount of siblings and {@linkcode refElementAlignment}
  171. * @param refElement The reference element to return the relative closest siblings from
  172. * @param siblingAmount The amount of siblings to return
  173. * @param refElementAlignment Can be set to `center-top` (default), `center-bottom`, `top`, or `bottom`, which will determine where the relative location of the provided {@linkcode refElement} is in the returned array
  174. * @param includeRef If set to `true` (default), the provided {@linkcode refElement} will be included in the returned array at the corresponding position
  175. * @template TSibling The type of the sibling elements that are returned
  176. * @returns An array of sibling elements
  177. */
  178. export function getSiblingsFrame<
  179. TSibling extends Element = HTMLElement,
  180. >(
  181. refElement: Element,
  182. siblingAmount: number,
  183. refElementAlignment: "center-top" | "center-bottom" | "top" | "bottom" = "center-top",
  184. includeRef = true,
  185. ): TSibling[] {
  186. const siblings = [...refElement.parentNode?.childNodes ?? []] as TSibling[];
  187. const elemSiblIdx = siblings.indexOf(refElement as TSibling);
  188. if(elemSiblIdx === -1)
  189. throw new Error("Element doesn't have a parent node");
  190. if(refElementAlignment === "top")
  191. return [...siblings.slice(elemSiblIdx + Number(!includeRef), elemSiblIdx + siblingAmount + Number(!includeRef))];
  192. else if(refElementAlignment.startsWith("center-")) {
  193. // if the amount of siblings is even, one of the two center ones will be decided by the value of `refElementAlignment`
  194. const halfAmount = (refElementAlignment === "center-bottom" ? Math.ceil : Math.floor)(siblingAmount / 2);
  195. const startIdx = Math.max(0, elemSiblIdx - halfAmount);
  196. // if the amount of siblings is even, the top offset of 1 will be applied whenever `includeRef` is set to true
  197. const topOffset = Number(refElementAlignment === "center-top" && siblingAmount % 2 === 0 && includeRef);
  198. // if the amount of siblings is odd, the bottom offset of 1 will be applied whenever `includeRef` is set to true
  199. const btmOffset = Number(refElementAlignment === "center-bottom" && siblingAmount % 2 !== 0 && includeRef);
  200. const startIdxWithOffset = startIdx + topOffset + btmOffset;
  201. // filter out the reference element if `includeRef` is set to false,
  202. // then slice the array to the desired framing including the offsets
  203. return [
  204. ...siblings
  205. .filter((_, idx) => includeRef || idx !== elemSiblIdx)
  206. .slice(startIdxWithOffset, startIdxWithOffset + siblingAmount)
  207. ];
  208. }
  209. else if(refElementAlignment === "bottom")
  210. return [...siblings.slice(elemSiblIdx - siblingAmount + Number(includeRef), elemSiblIdx + Number(includeRef))];
  211. return [] as TSibling[];
  212. }