Itsnotlupus' MiddleMan

inspect/intercept/modify any network requests

此脚本不应直接安装,它是一个供其他脚本使用的外部库。如果您需要使用该库,请在脚本元属性加入:// @require https://update.gf.qytechs.cn/scripts/472943/1320613/Itsnotlupus%27%20MiddleMan.js

  1. // ==UserScript==
  2. // @name Itsnotlupus' MiddleMan
  3. // @namespace Itsnotlupus Industries
  4. // @version 1.5.2
  5. // @description inspect/intercept/modify any network requests
  6. // @author Itsnotlupus
  7. // @license MIT
  8. // ==/UserScript==
  9.  
  10. /* global globalThis */
  11.  
  12. const middleMan = (function(window) {
  13.  
  14. /**
  15. * A small class that lets you register middleware for Fetch/XHR traffic.
  16. *
  17. */
  18. class MiddleMan {
  19. routes = {
  20. Request: {},
  21. Response: {}
  22. };
  23. regexps = {};
  24.  
  25. addHook(route, {requestHandler, responseHandler}) {
  26. if (requestHandler) {
  27. this.routes.Request[route]??=[];
  28. this.routes.Request[route].push(requestHandler);
  29. }
  30. if (responseHandler) {
  31. this.routes.Response[route]??=[];
  32. this.routes.Response[route].push(responseHandler);
  33. }
  34. this.regexps[route]??=this.routeToRegexp(route);
  35. }
  36.  
  37. removeHook(route, {requestHandler, responseHandler}) {
  38. if (requestHandler && this.routes.Request[route]?.includes(requestHandler)) {
  39. const i = this.routes.Request[route].indexOf(requestHandler);
  40. this.routes.Request[route].splice(i,1);
  41. }
  42. if (responseHandler && this.routes.Response[route]?.includes(responseHandler)) {
  43. const i = this.routes.Response[route].indexOf(responseHandler);
  44. this.routes.Response[route].splice(i,1);
  45. }
  46. }
  47.  
  48. // 2 modes: start with '/' => full regexp, otherwise we only recognize '*" as a wildcard.
  49. routeToRegexp(path) {
  50. const r = path instanceof RegExp ? path :
  51. path.startsWith('/') ?
  52. path.split('/').slice(1,-1).join('') :
  53. ['^', ...path.split(/([*])/).map((chunk, i) => i%2==0 ? chunk.replace(/([^a-zA-Z0-9])/g, "\\$1") : '.'+chunk), '$'].join('');
  54. return new RegExp(r);
  55. }
  56.  
  57. /**
  58. * Call this with a Request or a Response, and it'll loop through
  59. * each relevant hook to inspect and/or transform it.
  60. */
  61. async process(type, req, res, err) {
  62. const name = type.name;
  63. const routes = this.routes[name], hooks = [];
  64. Object.keys(routes).forEach(k => {
  65. if (req.url.match(this.regexps[k]) || res?.url.match(this.regexps[k])) hooks.push(...routes[k]);
  66. });
  67. for (const hook of hooks) {
  68. try {
  69. switch (type) {
  70. case Request: if (req instanceof type) req = await hook(req.clone()) ?? req; break;
  71. case Response: if (res instanceof type || err) res = await hook(req.clone(), res?.clone(), err) ?? res; break;
  72. }
  73. } catch (e) {
  74. console.error(`MiddleMan: Uncaught exception in ${name} hook for ${req.method??''} ${req.url}!`, e);
  75. }
  76. }
  77. return type == Request ? req : res;
  78. }
  79. }
  80.  
  81. // The only instance we'll need
  82. const middleMan = new MiddleMan;
  83.  
  84. // A wrapper for fetch() that plugs into middleMan.
  85. const _fetch = window.fetch;
  86. async function fetch(resource, options) {
  87. const request = new Request(resource, options);
  88. const result = await middleMan.process(Request, request);
  89. const clonedResult = result.clone();
  90. try {
  91. const response = result instanceof Request ? await _fetch(result) : result;
  92. return middleMan.process(Response, clonedResult, response);
  93. } catch (err) {
  94. const otherResponse = middleMan.process(Response, clonedResult, undefined, err);
  95. if (otherResponse instanceof Response) {
  96. return otherResponse;
  97. }
  98. throw err;
  99. }
  100. }
  101.  
  102. /**
  103. * Polyfill a subset of EventTarget, for the sole purpose of being used in the XHR polyfill below.
  104. * Primarily written to allow Safari to extend it without tripping on itself.
  105. * Various liberties were taken.
  106. * We call ourselves XMLHttpRequestEventTarget because that's a thing, and some well-meaning libraries (zone.js)
  107. * feel compelled to grab methods from this object and call them on XHR instances, so let's make them happy.
  108. */
  109. class XMLHttpRequestEventTarget {
  110. #listeners = {};
  111. #events = {};
  112. #setEvent(type, f) {
  113. if (this.#events[type]) this.removeEventListener(type, this.#events[type]);
  114. this.#events[type] = typeof f == 'function' ? f : null;
  115. if (this.#events[type]) this.addEventListener(type, this.#events[type]);
  116. }
  117. #getEvent(type) {
  118. return this.#events[type];
  119. }
  120. constructor(events = []) {
  121. events.forEach(type => {
  122. Object.defineProperty(this, "on"+type, {
  123. get() { return this.#getEvent(type); },
  124. set(f) { this.#setEvent(type, f); }
  125. });
  126. });
  127. }
  128. addEventListener(type, listener, options = {}) {
  129. if (options === true) { options = { capture: true }; }
  130. this.#listeners[type]??=[];
  131. this.#listeners[type].push({ listener, options });
  132. options.signal?.addEventListener?.('abort', () => this.removeEventListener(type, listener, options));
  133. }
  134. removeEventListener(type, listener, options = {}) {
  135. if (options === true) { options = { capture: true }; }
  136. if (!this.#listeners[type]) return;
  137. const index = this.#listeners[type].findIndex(slot => slot.listener === listener && slot.options.capture === options.capture);
  138. if (index > -1) {
  139. this.#listeners[type].splice(index,1);
  140. }
  141. }
  142. dispatchEvent(event) {
  143. // no capturing, no bubbling, no preventDefault, no stopPropagation, and a general disdain for most of the event featureset.
  144. const listeners = this.#listeners[event.type];
  145. if (!listeners) return;
  146. // since I can't set event.target, or generally do anything useful with an Event instance, let's Proxy it.
  147. let immediateStop = false;
  148. const eventProxy = new Proxy(event, {
  149. get: (event, prop) => {
  150. switch (prop) {
  151. case "target":
  152. case "currentTarget":
  153. return this;
  154. case "isTrusted":
  155. return true; // you betcha
  156. case "stopImmediatePropagation":
  157. return () => { immediateStop = true };
  158. default: {
  159. const val = Reflect.get(event, prop);
  160. return typeof val =='function' ? new Proxy(val, {
  161. apply(fn, _, args) {
  162. return Reflect.apply(fn, event, args);
  163. }
  164. }) : val;
  165. }
  166. }
  167. }
  168. });
  169. listeners.forEach(({listener, options}) => {
  170. if (immediateStop) return;
  171. if (options.once) this.removeEventListener(eventProxy.type, listener, options);
  172. try {
  173. listener.call(this, eventProxy);
  174. } catch (e) {
  175. // We can't match EventTarget::dispatchEvent throwing behavior in pure JS. oh well. fudge the timing and keep on trucking.
  176. setTimeout(() =>{ throw e });
  177. }
  178. });
  179. return true;
  180. }
  181. get [Symbol.toStringTag]() {
  182. return 'XMLHttpRequestEventTarget';
  183. }
  184. static toString = ()=> 'function XMLHttpRequestEventTarget() { [native code] }';
  185. }
  186. XMLHttpRequestEventTarget.prototype.__proto__ = EventTarget.prototype;
  187.  
  188. class XMLHttpRequestUpload extends XMLHttpRequestEventTarget {
  189. constructor() {
  190. super(["loadstart","progress","abort","error","load","timeout","loadend"]);
  191. }
  192. get [Symbol.toStringTag]() {
  193. return 'XMLHttpRequestUpload';
  194. }
  195. static toString = ()=> 'function XMLHttpRequestUpload() { [native code] }';
  196. }
  197.  
  198. /**
  199. * An XMLHttpRequest polyfill written on top of fetch().
  200. * Nothing special here, but this allows MiddleMan to work on XHR too.
  201. *
  202. * A few gotchas:
  203. * - synchronous xhr is not implemented. all my homies hate sync xhr anyway.
  204. * - https://xhr.spec.whatwg.org/ was gently perused, and https://wpt.live/tools/runner/index.html 's output was pondered.
  205. * - In short, this is not spec-compliant. But it can work on a bunch of websites anyway.
  206. */
  207. class XMLHttpRequest extends XMLHttpRequestEventTarget {
  208. #readyState;
  209.  
  210. #requestOptions = {};
  211. #requestURL;
  212. #abortController;
  213. #timeout = 0;
  214. #responseType = '';
  215. #mimeTypeOverride = null;
  216.  
  217. #response;
  218. #responseText;
  219. #responseXML;
  220. #responseAny;
  221. #status; // a response.status override for error conditions.
  222. #finalMimeType;
  223. #finalResponseType;
  224. #finalResponseCharset;
  225. #finalContentType; // mimetype + charset
  226. #textDecoder;
  227.  
  228. #dataLengthComputable = false;
  229. #dataLoaded = 0;
  230. #dataTotal = 0;
  231.  
  232. #uploadEventTarget;
  233. #emitUploadErrorEvent;
  234.  
  235. #errorEvent;
  236. #sendFlag;
  237.  
  238. UNSENT = 0;
  239. OPENED = 1;
  240. HEADERS_RECEIVED = 2;
  241. LOADING = 3;
  242. DONE = 4;
  243. static UNSENT = 0;
  244. static OPENED = 1;
  245. static HEADERS_RECEIVED = 2;
  246. static LOADING = 3;
  247. static DONE = 4;
  248.  
  249. constructor() {
  250. super(['abort','error','load','loadend','loadstart','progress','readystatechange','timeout']);
  251. this.#readyState = 0;
  252. }
  253.  
  254. get readyState() {
  255. return this.#readyState;
  256. }
  257. #assertReadyState(...validValues) {
  258. if (!validValues.includes(this.#readyState)) {
  259. throw new new DOMException("", "InvalidStateError");
  260. }
  261. }
  262. #updateReadyState(value) {
  263. this.#readyState = value;
  264. this.#emitEvent("readystatechange");
  265. }
  266.  
  267. // Request setup
  268. open(method, url, async, user, password) {
  269. this.#requestOptions.method = method.toString().toUpperCase();
  270. this.#requestOptions.headers = new Headers()
  271. this.#requestURL = url;
  272. this.#abortController = null;
  273. this.#response = null;
  274. this.#responseText = '';
  275. this.#responseAny = null;
  276. this.#responseXML = null;
  277. this.#status = null;
  278. this.#dataLengthComputable = false;
  279. this.#dataLoaded = 0;
  280. this.#dataTotal = 0;
  281. this.#sendFlag = false;
  282.  
  283. if (async === false) {
  284. throw new Error("Synchronous XHR is not supported.");
  285. // I suspect that if I just let those run asynchronously, it'd be fine 80%+ of the time.
  286. // on the other hand, it's been deprecated for many years, and seems to be primarily used
  287. // for user tracking by devs who can't be bothered to hit newer APIs. so..
  288. }
  289. if (user || password) {
  290. this.#requestOptions.headers.set('Authorization', 'Basic '+btoa(`${user??''}:${password??''}`));
  291. }
  292. this.#updateReadyState(1);
  293. }
  294. setRequestHeader(header, value) {
  295. this.#assertReadyState(1);
  296. if (this.#sendFlag) throw new DOMException("", "InvalidStateError");
  297. this.#requestOptions.headers.set(header, value);
  298. }
  299. overrideMimeType(mimeType) {
  300. this.#assertReadyState(0,1,2);
  301. this.#mimeTypeOverride = mimeType;
  302. }
  303. set responseType(type) {
  304. this.#assertReadyState(0,1,2);
  305. if (!["","arraybuffer","blob","document","json","text"].includes(type)) {
  306. console.warn(`The provided value '${type}' is not a valid enum value of type XMLHttpRequestResponseType.`);
  307. return;
  308. }
  309. this.#responseType = type;
  310. }
  311. get responseType() {
  312. return this.#responseType;
  313. }
  314. set timeout(value) {
  315. const ms = isNaN(Number(value)) ? 0 : Math.floor(Number(value));
  316. this.#timeout = value;
  317. }
  318. get timeout() {
  319. return this.#timeout;
  320. }
  321. get upload() {
  322. Promise.resolve(()=>{ throw new Error("XMLHttpRequestUpload is not implemented."); });
  323. if (!this.#uploadEventTarget) {
  324. this.#uploadEventTarget = new XMLHttpRequestUpload();
  325. }
  326. return this.#uploadEventTarget;
  327. // if the request has a body, we'll dispatch events on the upload event target in the next method.
  328. }
  329. #trackUploadEvents() {
  330.  
  331. const USE_READABLE_STREAM = false;
  332. let loaded =0, total = 0, hasSize = false, error = false;;
  333. const emitUploadEvent = type => {
  334. this.#uploadEventTarget.dispatchEvent(new ProgressEvent(type, {
  335. lengthComputable: hasSize,
  336. loaded,
  337. total
  338. }));
  339. }
  340.  
  341. if (!USE_READABLE_STREAM) {
  342. // No good way to track upload progress with fetch() yet. Fake something.
  343. loaded = total;
  344. this.addEventListener("progress", () => {
  345. emitUploadEvent('progress');
  346. emitUploadEvent('load');
  347. emitUploadEvent('loadend');
  348. }, { once: true });
  349. emitUploadEvent('loadstart');
  350. return;
  351. }
  352.  
  353. this.#emitUploadErrorEvent = type => {
  354. error = true;
  355. hasSize = false;
  356. loaded = total = 0;
  357. emitUploadEvent(type);
  358. emitUploadEvent("loadend");
  359. };
  360. const trackBlob = (blob) => {
  361. total = blob.size;
  362. hasSize = total>0;
  363. this.#requestOptions.duplex = "half";
  364. this.#requestOptions.body = blob.stream().pipeThrough(new TransformStream({
  365. start(controller) {
  366. },
  367. transform(chunk, controller) {
  368. if (error) return;
  369. controller.enqueue(chunk);
  370. loaded += chunk.byteLength;
  371. emitUploadEvent('progress');
  372. },
  373. flush(controller) {
  374. if (error) return;
  375. emitUploadEvent('progress');
  376. emitUploadEvent('load');
  377. emitUploadEvent('loadend');
  378. }
  379. }));
  380. emitUploadEvent('loadstart');
  381. }
  382. const { body } = this.#requestOptions;
  383. if (body instanceof FormData || body instanceof URLSearchParams) {
  384. return new Response(this.#requestOptions.body).blob().then(blob => trackBlob(blob));
  385. } else {
  386. trackBlob(new Blob([body??'']));
  387. }
  388. }
  389. set withCredentials(flag) {
  390. if (this.#sendFlag) throw new DOMException("", "InvalidStateError");
  391. this.#requestOptions.credentials = flag ? "include" : "same-origin";
  392. }
  393. get withCredentials() {
  394. return this.#requestOptions.credentials == "include";
  395. }
  396. send(body = null) {
  397. this.#assertReadyState(1);
  398. if (this.#requestOptions.method != 'GET' && this.#requestOptions.method != 'HEAD') {
  399. switch (true) {
  400. case body instanceof Document: this.#requestOptions.body = body.documentElement.outerHTML; break;
  401. case body instanceof Blob:
  402. case body instanceof ArrayBuffer:
  403. case ArrayBuffer.isView(body): // true for TypedArray and DataView
  404. case body instanceof FormData:
  405. case body instanceof URLSearchParams:
  406. this.#requestOptions.body = body;
  407. break;
  408. default:
  409. this.#requestOptions.body = (body??'')+'';
  410. break;
  411. }
  412. }
  413. if (this.#sendFlag) throw new DOMException("", "InvalidStateError");
  414. this.#sendFlag = true;
  415. const innerSend = () => {
  416. const request = new Request(this.#requestURL, this.#requestOptions);
  417. this.#abortController = new AbortController();
  418. const signal = this.#abortController.signal;
  419. if (this.#timeout) {
  420. setTimeout(()=> this.#timedOut(), this.#timeout);
  421. }
  422. this.#emitEvent("loadstart");
  423. (async ()=> {
  424. let response;
  425. try {
  426. this.#response = await fetch(request, { signal });
  427. let finalResponseType = this.#responseType;
  428. let mimeType = this.#mimeTypeOverride ?? this.#response.headers.get('content-type') ?? 'text/xml';
  429. this.#finalMimeType = mimeType.split(';')[0].trim() ; // header parsing is still iffy
  430. this.#finalResponseCharset = mimeType.match(/;charset=(?<charset>[^;]*)/i)?.groups?.charset ?? "";
  431. try {
  432. this.#textDecoder = new TextDecoder(this.#finalResponseCharset)
  433. } catch {
  434. // garbage charset seen. you get utf-8 and you like it.
  435. this.#textDecoder = new TextDecoder;
  436. }
  437. if (!finalResponseType) {
  438. finalResponseType = ([ 'text/html', 'text/xml', 'application/xml'].includes(this.#finalMimeType) || this.#finalMimeType.endsWith("+xml")) ? 'document' : 'text';
  439. }
  440. this.#finalResponseType = finalResponseType;
  441. this.#finalContentType = (this.#finalMimeType || 'text/xml') + (this.#finalResponseCharset ? ';charset='+this.#finalResponseCharset : '')
  442. this.#updateReadyState(2);
  443. const isNotCompressed = this.#response.type == 'basic' && !this.#response.headers.get('content-encoding');
  444. if (isNotCompressed) {
  445. this.#dataTotal = this.#response.headers.get('content-length') ?? 0;
  446. this.#dataLengthComputable = this.#dataTotal !== 0;
  447. }
  448. await this.#processResponse();
  449. } catch (e) {
  450. return this.#error();
  451. } finally {
  452. this.#sendFlag = false;
  453. }
  454. })();
  455. }
  456. if (this.#uploadEventTarget && this.#requestOptions.body) {
  457. // user asked for .upload, and the request has a body. track upload events.
  458. const promise = this.#trackUploadEvents(this.#requestOptions);
  459. // sadly, some body types cannot be handled synchronously (FormData and URLSearchParams) when using ReadableStream to track upload progress.
  460. // those turn this flow asynchronous (and break some expectations around sync state immediately after send() )
  461. if (promise) return promise.then(innerSend);
  462. }
  463. innerSend();
  464. }
  465. /**
  466. * Spec breakage: When readyState == 1, abort will happen asynchronously.
  467. * (ie nothing will have changed when this function returns.)
  468. */
  469. abort() {
  470. this.#abortController?.abort();
  471. this.#errorEvent = "abort";
  472. if (this.#readyState > 1) { // too late to send signal abort the fetch itself, resolve manually.
  473. this.#error(true);
  474. }
  475. }
  476. #timedOut() {
  477. this.#abortController?.abort(`XHR aborted due to timeout after ${this.#timeout} ms.`);
  478. this.#errorEvent = "timeout";
  479. }
  480. #error(late) {
  481. // abort and timeout end up here.
  482. this.#response = new Response();
  483. this.#status = 0;
  484. this.#responseText = ''
  485. this.#responseAny = null;
  486. this.#responseXML = null;
  487. this.#dataLoaded = 0;
  488. this.#readyState = 0; // event-less readyState change. somehow.
  489. if (!late) {
  490. this.#updateReadyState(4);
  491. this.#emitUploadErrorEvent?.(this.#errorEvent ?? "error");
  492. this.#emitEvent(this.#errorEvent ?? "error");
  493. this.#emitEvent("loadend");
  494. }
  495. this.#errorEvent = null;
  496. }
  497. async #processResponse() {
  498. this.#trackProgress(this.#response.clone());
  499.  
  500. switch (this.#finalResponseType) {
  501. case 'arraybuffer':
  502. try {
  503. this.#responseAny = await this.#response.arrayBuffer();
  504. } catch {
  505. this.#responseAny = null;
  506. }
  507. break;
  508. case 'blob':
  509. try {
  510. this.#responseAny = new Blob([await this.#response.arrayBuffer()], { type: this.#finalContentType });
  511. } catch {
  512. this.#responseAny = null;
  513. }
  514. break;
  515. case 'document': {
  516. this.#responseText = this.#textDecoder.decode(await this.#response.arrayBuffer());
  517. try {
  518. this.#responseAny = this.#responseXML = new DOMParser().parseFromString(this.#responseText, this.#finalMimeType);
  519. } catch {
  520. this.#responseAny = null;
  521. }
  522. break;
  523. }
  524. case 'json':
  525. try {
  526. this.#responseAny = await this.#response.json();
  527. } catch {
  528. this.#responseAny = null;
  529. }
  530. break;
  531. case 'text':
  532. default:
  533. this.#responseAny = this.#responseText = this.#textDecoder.decode(await this.#response.arrayBuffer());
  534. break;
  535. }
  536. if (this.#status == 0) {
  537. // blank out the responses.
  538. this.#responseAny = null;
  539. this.#responseXML = null;
  540. this.#responseText = '';
  541. } else {
  542. this.#readyState = 4; //XXX
  543. this.#emitEvent("load");
  544. }
  545. this.#updateReadyState(4);
  546. this.#emitEvent("loadend");
  547. }
  548. async #trackProgress(response) {
  549. if (!response.body) return;
  550. // count the bytes to update #dataLoaded, and add text into #responseText if appropriate
  551. const isText = this.#finalResponseType == 'text';
  552.  
  553. const reader = response.body.getReader();
  554. const handleChunk = ({ done, value }) => {
  555. if (done) return;
  556. this.#dataLoaded += value.length;
  557. if (isText) {
  558. this.#responseText += this.#textDecoder.decode(value);
  559. this.#responseAny = this.#responseText;
  560. }
  561. if (this.#readyState == 2) this.#updateReadyState(3);
  562. this.#emitEvent('progress');
  563. reader.read().then(handleChunk).catch(()=>0);
  564. };
  565. reader.read().then(handleChunk).catch(()=>0);
  566. }
  567. // Response access
  568. getResponseHeader(header) {
  569. try {
  570. return this.#response?.headers.get(header) ?? null;
  571. } catch {
  572. return null;
  573. }
  574. }
  575. getAllResponseHeaders() {
  576. return [...this.#response?.headers.entries()??[]].map(([key,value]) => `${key}: ${value}\r\n`).join('');
  577. }
  578. get response() {
  579. return this.#responseAny;
  580. }
  581. get responseText() {
  582. if (this.#finalResponseType !== 'text' && this.#responseType !== '') {
  583. throw new DOMException(`Failed to read the 'responseText' property from 'XMLHttpRequest': The value is only accessible if the object's 'responseType' is '' or 'text' (was '${this.#responseType}').`, "InvalidStateError");
  584. }
  585. return this.#responseText;
  586. }
  587. get responseXML() {
  588. if (this.#finalResponseType !== 'document' && this.#responseType !== '') {
  589. throw new DOMException(`Failed to read the 'responseXML' property from 'XMLHttpRequest': The value is only accessible if the object's 'responseType' is '' or 'document' (was '${this.#responseType}').`, "InvalidStateError");
  590. }
  591. return this.#responseXML;
  592. }
  593. get responseURL() {
  594. return this.#response?.url;
  595. }
  596. get status() {
  597. return this.#status ?? this.#response?.status ?? 0;
  598. }
  599. get statusText() {
  600. return this.#response?.statusText ?? '';
  601. }
  602.  
  603. async #emitEvent(type) {
  604. this.dispatchEvent(new ProgressEvent(type, {
  605. lengthComputable: this.#dataLengthComputable,
  606. loaded: this.#dataLoaded,
  607. total: this.#dataTotal
  608. }));
  609. }
  610. // I've got the perfect disguise..
  611. get [Symbol.toStringTag]() {
  612. return 'XMLHttpRequest';
  613. }
  614. static toString = ()=> 'function XMLHttpRequest() { [native code] }';
  615. }
  616.  
  617. window.XMLHttpRequestEventTarget = XMLHttpRequestEventTarget;
  618. window.XMLHttpRequestUpload = XMLHttpRequestUpload;
  619. window.XMLHttpRequest = XMLHttpRequest;
  620. window.fetch = fetch;
  621.  
  622. return middleMan;
  623.  
  624. })(globalThis.unsafeWindow ?? window);

QingJ © 2025

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