mirror of
				https://github.com/pnpm/action-setup.git
				synced 2025-10-25 07:18:10 +00:00 
			
		
		
		
	 1ee9c9d01d
			
		
	
	1ee9c9d01d
	
	
	
		
			
			* upgrade versions to latest * remove usage of ts-schema-autogen * fix: update pnpm sources * update build/output * use node20 * fix: run-install array output * fix: maintain behaviour for parseRunInstall, error messages * fix: another edge case for input.args * fix: use zod for input validation * fix: use zod.infer for exported RunInstall types * fix: remove @types/js-yaml --------- Co-authored-by: Zoltan Kochan <z@kochan.io>
		
			
				
	
	
		
			16626 lines
		
	
	
		
			562 KiB
		
	
	
	
		
			JavaScript
		
	
	
	
	
	
			
		
		
	
	
			16626 lines
		
	
	
		
			562 KiB
		
	
	
	
		
			JavaScript
		
	
	
	
	
	
| "use strict";
 | |
| var __getOwnPropNames = Object.getOwnPropertyNames;
 | |
| var __commonJS = (cb, mod) => function __require() {
 | |
|   return mod || (0, cb[__getOwnPropNames(cb)[0]])((mod = { exports: {} }).exports, mod), mod.exports;
 | |
| };
 | |
| 
 | |
| // ../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/polyfills.js
 | |
| var require_polyfills = __commonJS({
 | |
|   "../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/polyfills.js"(exports2, module2) {
 | |
|     var constants = require("constants");
 | |
|     var origCwd = process.cwd;
 | |
|     var cwd = null;
 | |
|     var platform = process.env.GRACEFUL_FS_PLATFORM || process.platform;
 | |
|     process.cwd = function() {
 | |
|       if (!cwd)
 | |
|         cwd = origCwd.call(process);
 | |
|       return cwd;
 | |
|     };
 | |
|     try {
 | |
|       process.cwd();
 | |
|     } catch (er) {
 | |
|     }
 | |
|     if (typeof process.chdir === "function") {
 | |
|       chdir = process.chdir;
 | |
|       process.chdir = function(d) {
 | |
|         cwd = null;
 | |
|         chdir.call(process, d);
 | |
|       };
 | |
|       if (Object.setPrototypeOf)
 | |
|         Object.setPrototypeOf(process.chdir, chdir);
 | |
|     }
 | |
|     var chdir;
 | |
|     module2.exports = patch;
 | |
|     function patch(fs) {
 | |
|       if (constants.hasOwnProperty("O_SYMLINK") && process.version.match(/^v0\.6\.[0-2]|^v0\.5\./)) {
 | |
|         patchLchmod(fs);
 | |
|       }
 | |
|       if (!fs.lutimes) {
 | |
|         patchLutimes(fs);
 | |
|       }
 | |
|       fs.chown = chownFix(fs.chown);
 | |
|       fs.fchown = chownFix(fs.fchown);
 | |
|       fs.lchown = chownFix(fs.lchown);
 | |
|       fs.chmod = chmodFix(fs.chmod);
 | |
|       fs.fchmod = chmodFix(fs.fchmod);
 | |
|       fs.lchmod = chmodFix(fs.lchmod);
 | |
|       fs.chownSync = chownFixSync(fs.chownSync);
 | |
|       fs.fchownSync = chownFixSync(fs.fchownSync);
 | |
|       fs.lchownSync = chownFixSync(fs.lchownSync);
 | |
|       fs.chmodSync = chmodFixSync(fs.chmodSync);
 | |
|       fs.fchmodSync = chmodFixSync(fs.fchmodSync);
 | |
|       fs.lchmodSync = chmodFixSync(fs.lchmodSync);
 | |
|       fs.stat = statFix(fs.stat);
 | |
|       fs.fstat = statFix(fs.fstat);
 | |
|       fs.lstat = statFix(fs.lstat);
 | |
|       fs.statSync = statFixSync(fs.statSync);
 | |
|       fs.fstatSync = statFixSync(fs.fstatSync);
 | |
|       fs.lstatSync = statFixSync(fs.lstatSync);
 | |
|       if (fs.chmod && !fs.lchmod) {
 | |
|         fs.lchmod = function(path, mode, cb) {
 | |
|           if (cb)
 | |
|             process.nextTick(cb);
 | |
|         };
 | |
|         fs.lchmodSync = function() {
 | |
|         };
 | |
|       }
 | |
|       if (fs.chown && !fs.lchown) {
 | |
|         fs.lchown = function(path, uid, gid, cb) {
 | |
|           if (cb)
 | |
|             process.nextTick(cb);
 | |
|         };
 | |
|         fs.lchownSync = function() {
 | |
|         };
 | |
|       }
 | |
|       if (platform === "win32") {
 | |
|         fs.rename = typeof fs.rename !== "function" ? fs.rename : function(fs$rename) {
 | |
|           function rename(from, to, cb) {
 | |
|             var start = Date.now();
 | |
|             var backoff = 0;
 | |
|             fs$rename(from, to, function CB(er) {
 | |
|               if (er && (er.code === "EACCES" || er.code === "EPERM" || er.code === "EBUSY") && Date.now() - start < 6e4) {
 | |
|                 setTimeout(function() {
 | |
|                   fs.stat(to, function(stater, st) {
 | |
|                     if (stater && stater.code === "ENOENT")
 | |
|                       fs$rename(from, to, CB);
 | |
|                     else
 | |
|                       cb(er);
 | |
|                   });
 | |
|                 }, backoff);
 | |
|                 if (backoff < 100)
 | |
|                   backoff += 10;
 | |
|                 return;
 | |
|               }
 | |
|               if (cb)
 | |
|                 cb(er);
 | |
|             });
 | |
|           }
 | |
|           if (Object.setPrototypeOf)
 | |
|             Object.setPrototypeOf(rename, fs$rename);
 | |
|           return rename;
 | |
|         }(fs.rename);
 | |
|       }
 | |
|       fs.read = typeof fs.read !== "function" ? fs.read : function(fs$read) {
 | |
|         function read(fd, buffer, offset, length, position, callback_) {
 | |
|           var callback;
 | |
|           if (callback_ && typeof callback_ === "function") {
 | |
|             var eagCounter = 0;
 | |
|             callback = function(er, _, __) {
 | |
|               if (er && er.code === "EAGAIN" && eagCounter < 10) {
 | |
|                 eagCounter++;
 | |
|                 return fs$read.call(fs, fd, buffer, offset, length, position, callback);
 | |
|               }
 | |
|               callback_.apply(this, arguments);
 | |
|             };
 | |
|           }
 | |
|           return fs$read.call(fs, fd, buffer, offset, length, position, callback);
 | |
|         }
 | |
|         if (Object.setPrototypeOf)
 | |
|           Object.setPrototypeOf(read, fs$read);
 | |
|         return read;
 | |
|       }(fs.read);
 | |
|       fs.readSync = typeof fs.readSync !== "function" ? fs.readSync : function(fs$readSync) {
 | |
|         return function(fd, buffer, offset, length, position) {
 | |
|           var eagCounter = 0;
 | |
|           while (true) {
 | |
|             try {
 | |
|               return fs$readSync.call(fs, fd, buffer, offset, length, position);
 | |
|             } catch (er) {
 | |
|               if (er.code === "EAGAIN" && eagCounter < 10) {
 | |
|                 eagCounter++;
 | |
|                 continue;
 | |
|               }
 | |
|               throw er;
 | |
|             }
 | |
|           }
 | |
|         };
 | |
|       }(fs.readSync);
 | |
|       function patchLchmod(fs2) {
 | |
|         fs2.lchmod = function(path, mode, callback) {
 | |
|           fs2.open(
 | |
|             path,
 | |
|             constants.O_WRONLY | constants.O_SYMLINK,
 | |
|             mode,
 | |
|             function(err, fd) {
 | |
|               if (err) {
 | |
|                 if (callback)
 | |
|                   callback(err);
 | |
|                 return;
 | |
|               }
 | |
|               fs2.fchmod(fd, mode, function(err2) {
 | |
|                 fs2.close(fd, function(err22) {
 | |
|                   if (callback)
 | |
|                     callback(err2 || err22);
 | |
|                 });
 | |
|               });
 | |
|             }
 | |
|           );
 | |
|         };
 | |
|         fs2.lchmodSync = function(path, mode) {
 | |
|           var fd = fs2.openSync(path, constants.O_WRONLY | constants.O_SYMLINK, mode);
 | |
|           var threw = true;
 | |
|           var ret;
 | |
|           try {
 | |
|             ret = fs2.fchmodSync(fd, mode);
 | |
|             threw = false;
 | |
|           } finally {
 | |
|             if (threw) {
 | |
|               try {
 | |
|                 fs2.closeSync(fd);
 | |
|               } catch (er) {
 | |
|               }
 | |
|             } else {
 | |
|               fs2.closeSync(fd);
 | |
|             }
 | |
|           }
 | |
|           return ret;
 | |
|         };
 | |
|       }
 | |
|       function patchLutimes(fs2) {
 | |
|         if (constants.hasOwnProperty("O_SYMLINK") && fs2.futimes) {
 | |
|           fs2.lutimes = function(path, at, mt, cb) {
 | |
|             fs2.open(path, constants.O_SYMLINK, function(er, fd) {
 | |
|               if (er) {
 | |
|                 if (cb)
 | |
|                   cb(er);
 | |
|                 return;
 | |
|               }
 | |
|               fs2.futimes(fd, at, mt, function(er2) {
 | |
|                 fs2.close(fd, function(er22) {
 | |
|                   if (cb)
 | |
|                     cb(er2 || er22);
 | |
|                 });
 | |
|               });
 | |
|             });
 | |
|           };
 | |
|           fs2.lutimesSync = function(path, at, mt) {
 | |
|             var fd = fs2.openSync(path, constants.O_SYMLINK);
 | |
|             var ret;
 | |
|             var threw = true;
 | |
|             try {
 | |
|               ret = fs2.futimesSync(fd, at, mt);
 | |
|               threw = false;
 | |
|             } finally {
 | |
|               if (threw) {
 | |
|                 try {
 | |
|                   fs2.closeSync(fd);
 | |
|                 } catch (er) {
 | |
|                 }
 | |
|               } else {
 | |
|                 fs2.closeSync(fd);
 | |
|               }
 | |
|             }
 | |
|             return ret;
 | |
|           };
 | |
|         } else if (fs2.futimes) {
 | |
|           fs2.lutimes = function(_a, _b, _c, cb) {
 | |
|             if (cb)
 | |
|               process.nextTick(cb);
 | |
|           };
 | |
|           fs2.lutimesSync = function() {
 | |
|           };
 | |
|         }
 | |
|       }
 | |
|       function chmodFix(orig) {
 | |
|         if (!orig)
 | |
|           return orig;
 | |
|         return function(target, mode, cb) {
 | |
|           return orig.call(fs, target, mode, function(er) {
 | |
|             if (chownErOk(er))
 | |
|               er = null;
 | |
|             if (cb)
 | |
|               cb.apply(this, arguments);
 | |
|           });
 | |
|         };
 | |
|       }
 | |
|       function chmodFixSync(orig) {
 | |
|         if (!orig)
 | |
|           return orig;
 | |
|         return function(target, mode) {
 | |
|           try {
 | |
|             return orig.call(fs, target, mode);
 | |
|           } catch (er) {
 | |
|             if (!chownErOk(er))
 | |
|               throw er;
 | |
|           }
 | |
|         };
 | |
|       }
 | |
|       function chownFix(orig) {
 | |
|         if (!orig)
 | |
|           return orig;
 | |
|         return function(target, uid, gid, cb) {
 | |
|           return orig.call(fs, target, uid, gid, function(er) {
 | |
|             if (chownErOk(er))
 | |
|               er = null;
 | |
|             if (cb)
 | |
|               cb.apply(this, arguments);
 | |
|           });
 | |
|         };
 | |
|       }
 | |
|       function chownFixSync(orig) {
 | |
|         if (!orig)
 | |
|           return orig;
 | |
|         return function(target, uid, gid) {
 | |
|           try {
 | |
|             return orig.call(fs, target, uid, gid);
 | |
|           } catch (er) {
 | |
|             if (!chownErOk(er))
 | |
|               throw er;
 | |
|           }
 | |
|         };
 | |
|       }
 | |
|       function statFix(orig) {
 | |
|         if (!orig)
 | |
|           return orig;
 | |
|         return function(target, options, cb) {
 | |
|           if (typeof options === "function") {
 | |
|             cb = options;
 | |
|             options = null;
 | |
|           }
 | |
|           function callback(er, stats) {
 | |
|             if (stats) {
 | |
|               if (stats.uid < 0)
 | |
|                 stats.uid += 4294967296;
 | |
|               if (stats.gid < 0)
 | |
|                 stats.gid += 4294967296;
 | |
|             }
 | |
|             if (cb)
 | |
|               cb.apply(this, arguments);
 | |
|           }
 | |
|           return options ? orig.call(fs, target, options, callback) : orig.call(fs, target, callback);
 | |
|         };
 | |
|       }
 | |
|       function statFixSync(orig) {
 | |
|         if (!orig)
 | |
|           return orig;
 | |
|         return function(target, options) {
 | |
|           var stats = options ? orig.call(fs, target, options) : orig.call(fs, target);
 | |
|           if (stats) {
 | |
|             if (stats.uid < 0)
 | |
|               stats.uid += 4294967296;
 | |
|             if (stats.gid < 0)
 | |
|               stats.gid += 4294967296;
 | |
|           }
 | |
|           return stats;
 | |
|         };
 | |
|       }
 | |
|       function chownErOk(er) {
 | |
|         if (!er)
 | |
|           return true;
 | |
|         if (er.code === "ENOSYS")
 | |
|           return true;
 | |
|         var nonroot = !process.getuid || process.getuid() !== 0;
 | |
|         if (nonroot) {
 | |
|           if (er.code === "EINVAL" || er.code === "EPERM")
 | |
|             return true;
 | |
|         }
 | |
|         return false;
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/legacy-streams.js
 | |
| var require_legacy_streams = __commonJS({
 | |
|   "../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/legacy-streams.js"(exports2, module2) {
 | |
|     var Stream = require("stream").Stream;
 | |
|     module2.exports = legacy;
 | |
|     function legacy(fs) {
 | |
|       return {
 | |
|         ReadStream,
 | |
|         WriteStream
 | |
|       };
 | |
|       function ReadStream(path, options) {
 | |
|         if (!(this instanceof ReadStream))
 | |
|           return new ReadStream(path, options);
 | |
|         Stream.call(this);
 | |
|         var self2 = this;
 | |
|         this.path = path;
 | |
|         this.fd = null;
 | |
|         this.readable = true;
 | |
|         this.paused = false;
 | |
|         this.flags = "r";
 | |
|         this.mode = 438;
 | |
|         this.bufferSize = 64 * 1024;
 | |
|         options = options || {};
 | |
|         var keys = Object.keys(options);
 | |
|         for (var index = 0, length = keys.length; index < length; index++) {
 | |
|           var key = keys[index];
 | |
|           this[key] = options[key];
 | |
|         }
 | |
|         if (this.encoding)
 | |
|           this.setEncoding(this.encoding);
 | |
|         if (this.start !== void 0) {
 | |
|           if ("number" !== typeof this.start) {
 | |
|             throw TypeError("start must be a Number");
 | |
|           }
 | |
|           if (this.end === void 0) {
 | |
|             this.end = Infinity;
 | |
|           } else if ("number" !== typeof this.end) {
 | |
|             throw TypeError("end must be a Number");
 | |
|           }
 | |
|           if (this.start > this.end) {
 | |
|             throw new Error("start must be <= end");
 | |
|           }
 | |
|           this.pos = this.start;
 | |
|         }
 | |
|         if (this.fd !== null) {
 | |
|           process.nextTick(function() {
 | |
|             self2._read();
 | |
|           });
 | |
|           return;
 | |
|         }
 | |
|         fs.open(this.path, this.flags, this.mode, function(err, fd) {
 | |
|           if (err) {
 | |
|             self2.emit("error", err);
 | |
|             self2.readable = false;
 | |
|             return;
 | |
|           }
 | |
|           self2.fd = fd;
 | |
|           self2.emit("open", fd);
 | |
|           self2._read();
 | |
|         });
 | |
|       }
 | |
|       function WriteStream(path, options) {
 | |
|         if (!(this instanceof WriteStream))
 | |
|           return new WriteStream(path, options);
 | |
|         Stream.call(this);
 | |
|         this.path = path;
 | |
|         this.fd = null;
 | |
|         this.writable = true;
 | |
|         this.flags = "w";
 | |
|         this.encoding = "binary";
 | |
|         this.mode = 438;
 | |
|         this.bytesWritten = 0;
 | |
|         options = options || {};
 | |
|         var keys = Object.keys(options);
 | |
|         for (var index = 0, length = keys.length; index < length; index++) {
 | |
|           var key = keys[index];
 | |
|           this[key] = options[key];
 | |
|         }
 | |
|         if (this.start !== void 0) {
 | |
|           if ("number" !== typeof this.start) {
 | |
|             throw TypeError("start must be a Number");
 | |
|           }
 | |
|           if (this.start < 0) {
 | |
|             throw new Error("start must be >= zero");
 | |
|           }
 | |
|           this.pos = this.start;
 | |
|         }
 | |
|         this.busy = false;
 | |
|         this._queue = [];
 | |
|         if (this.fd === null) {
 | |
|           this._open = fs.open;
 | |
|           this._queue.push([this._open, this.path, this.flags, this.mode, void 0]);
 | |
|           this.flush();
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/clone.js
 | |
| var require_clone = __commonJS({
 | |
|   "../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/clone.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = clone;
 | |
|     var getPrototypeOf = Object.getPrototypeOf || function(obj) {
 | |
|       return obj.__proto__;
 | |
|     };
 | |
|     function clone(obj) {
 | |
|       if (obj === null || typeof obj !== "object")
 | |
|         return obj;
 | |
|       if (obj instanceof Object)
 | |
|         var copy = { __proto__: getPrototypeOf(obj) };
 | |
|       else
 | |
|         var copy = /* @__PURE__ */ Object.create(null);
 | |
|       Object.getOwnPropertyNames(obj).forEach(function(key) {
 | |
|         Object.defineProperty(copy, key, Object.getOwnPropertyDescriptor(obj, key));
 | |
|       });
 | |
|       return copy;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/graceful-fs.js
 | |
| var require_graceful_fs = __commonJS({
 | |
|   "../node_modules/.pnpm/graceful-fs@4.2.11_patch_hash=ivtm2a2cfr5pomcfbedhmr5v2q/node_modules/graceful-fs/graceful-fs.js"(exports2, module2) {
 | |
|     var fs = require("fs");
 | |
|     var polyfills = require_polyfills();
 | |
|     var legacy = require_legacy_streams();
 | |
|     var clone = require_clone();
 | |
|     var util = require("util");
 | |
|     var gracefulQueue;
 | |
|     var previousSymbol;
 | |
|     if (typeof Symbol === "function" && typeof Symbol.for === "function") {
 | |
|       gracefulQueue = Symbol.for("graceful-fs.queue");
 | |
|       previousSymbol = Symbol.for("graceful-fs.previous");
 | |
|     } else {
 | |
|       gracefulQueue = "___graceful-fs.queue";
 | |
|       previousSymbol = "___graceful-fs.previous";
 | |
|     }
 | |
|     function noop() {
 | |
|     }
 | |
|     function publishQueue(context, queue2) {
 | |
|       Object.defineProperty(context, gracefulQueue, {
 | |
|         get: function() {
 | |
|           return queue2;
 | |
|         }
 | |
|       });
 | |
|     }
 | |
|     var debug = noop;
 | |
|     if (util.debuglog)
 | |
|       debug = util.debuglog("gfs4");
 | |
|     else if (/\bgfs4\b/i.test(process.env.NODE_DEBUG || ""))
 | |
|       debug = function() {
 | |
|         var m = util.format.apply(util, arguments);
 | |
|         m = "GFS4: " + m.split(/\n/).join("\nGFS4: ");
 | |
|         console.error(m);
 | |
|       };
 | |
|     if (!fs[gracefulQueue]) {
 | |
|       queue = global[gracefulQueue] || [];
 | |
|       publishQueue(fs, queue);
 | |
|       fs.close = function(fs$close) {
 | |
|         function close(fd, cb) {
 | |
|           return fs$close.call(fs, fd, function(err) {
 | |
|             if (!err) {
 | |
|               resetQueue();
 | |
|             }
 | |
|             if (typeof cb === "function")
 | |
|               cb.apply(this, arguments);
 | |
|           });
 | |
|         }
 | |
|         Object.defineProperty(close, previousSymbol, {
 | |
|           value: fs$close
 | |
|         });
 | |
|         return close;
 | |
|       }(fs.close);
 | |
|       fs.closeSync = function(fs$closeSync) {
 | |
|         function closeSync(fd) {
 | |
|           fs$closeSync.apply(fs, arguments);
 | |
|           resetQueue();
 | |
|         }
 | |
|         Object.defineProperty(closeSync, previousSymbol, {
 | |
|           value: fs$closeSync
 | |
|         });
 | |
|         return closeSync;
 | |
|       }(fs.closeSync);
 | |
|       if (/\bgfs4\b/i.test(process.env.NODE_DEBUG || "")) {
 | |
|         process.on("exit", function() {
 | |
|           debug(fs[gracefulQueue]);
 | |
|           require("assert").equal(fs[gracefulQueue].length, 0);
 | |
|         });
 | |
|       }
 | |
|     }
 | |
|     var queue;
 | |
|     if (!global[gracefulQueue]) {
 | |
|       publishQueue(global, fs[gracefulQueue]);
 | |
|     }
 | |
|     module2.exports = patch(clone(fs));
 | |
|     if (process.env.TEST_GRACEFUL_FS_GLOBAL_PATCH && !fs.__patched) {
 | |
|       module2.exports = patch(fs);
 | |
|       fs.__patched = true;
 | |
|     }
 | |
|     function patch(fs2) {
 | |
|       polyfills(fs2);
 | |
|       fs2.gracefulify = patch;
 | |
|       fs2.createReadStream = createReadStream;
 | |
|       fs2.createWriteStream = createWriteStream;
 | |
|       var fs$readFile = fs2.readFile;
 | |
|       fs2.readFile = readFile;
 | |
|       function readFile(path, options, cb) {
 | |
|         if (typeof options === "function")
 | |
|           cb = options, options = null;
 | |
|         return go$readFile(path, options, cb);
 | |
|         function go$readFile(path2, options2, cb2, startTime) {
 | |
|           return fs$readFile(path2, options2, function(err) {
 | |
|             if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
 | |
|               enqueue([go$readFile, [path2, options2, cb2], err, startTime || Date.now(), Date.now()]);
 | |
|             else {
 | |
|               if (typeof cb2 === "function")
 | |
|                 cb2.apply(this, arguments);
 | |
|             }
 | |
|           });
 | |
|         }
 | |
|       }
 | |
|       var fs$writeFile = fs2.writeFile;
 | |
|       fs2.writeFile = writeFile;
 | |
|       function writeFile(path, data, options, cb) {
 | |
|         if (typeof options === "function")
 | |
|           cb = options, options = null;
 | |
|         return go$writeFile(path, data, options, cb);
 | |
|         function go$writeFile(path2, data2, options2, cb2, startTime) {
 | |
|           return fs$writeFile(path2, data2, options2, function(err) {
 | |
|             if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
 | |
|               enqueue([go$writeFile, [path2, data2, options2, cb2], err, startTime || Date.now(), Date.now()]);
 | |
|             else {
 | |
|               if (typeof cb2 === "function")
 | |
|                 cb2.apply(this, arguments);
 | |
|             }
 | |
|           });
 | |
|         }
 | |
|       }
 | |
|       var fs$appendFile = fs2.appendFile;
 | |
|       if (fs$appendFile)
 | |
|         fs2.appendFile = appendFile;
 | |
|       function appendFile(path, data, options, cb) {
 | |
|         if (typeof options === "function")
 | |
|           cb = options, options = null;
 | |
|         return go$appendFile(path, data, options, cb);
 | |
|         function go$appendFile(path2, data2, options2, cb2, startTime) {
 | |
|           return fs$appendFile(path2, data2, options2, function(err) {
 | |
|             if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
 | |
|               enqueue([go$appendFile, [path2, data2, options2, cb2], err, startTime || Date.now(), Date.now()]);
 | |
|             else {
 | |
|               if (typeof cb2 === "function")
 | |
|                 cb2.apply(this, arguments);
 | |
|             }
 | |
|           });
 | |
|         }
 | |
|       }
 | |
|       var fs$copyFile = fs2.copyFile;
 | |
|       if (fs$copyFile)
 | |
|         fs2.copyFile = copyFile;
 | |
|       function copyFile(src, dest, flags, cb) {
 | |
|         if (typeof flags === "function") {
 | |
|           cb = flags;
 | |
|           flags = 0;
 | |
|         }
 | |
|         return go$copyFile(src, dest, flags, cb);
 | |
|         function go$copyFile(src2, dest2, flags2, cb2, startTime) {
 | |
|           return fs$copyFile(src2, dest2, flags2, function(err) {
 | |
|             if (err && (err.code === "EMFILE" || err.code === "ENFILE" || err.code === "EBUSY"))
 | |
|               enqueue([go$copyFile, [src2, dest2, flags2, cb2], err, startTime || Date.now(), Date.now()]);
 | |
|             else {
 | |
|               if (typeof cb2 === "function")
 | |
|                 cb2.apply(this, arguments);
 | |
|             }
 | |
|           });
 | |
|         }
 | |
|       }
 | |
|       var fs$readdir = fs2.readdir;
 | |
|       fs2.readdir = readdir;
 | |
|       var noReaddirOptionVersions = /^v[0-5]\./;
 | |
|       function readdir(path, options, cb) {
 | |
|         if (typeof options === "function")
 | |
|           cb = options, options = null;
 | |
|         var go$readdir = noReaddirOptionVersions.test(process.version) ? function go$readdir2(path2, options2, cb2, startTime) {
 | |
|           return fs$readdir(path2, fs$readdirCallback(
 | |
|             path2,
 | |
|             options2,
 | |
|             cb2,
 | |
|             startTime
 | |
|           ));
 | |
|         } : function go$readdir2(path2, options2, cb2, startTime) {
 | |
|           return fs$readdir(path2, options2, fs$readdirCallback(
 | |
|             path2,
 | |
|             options2,
 | |
|             cb2,
 | |
|             startTime
 | |
|           ));
 | |
|         };
 | |
|         return go$readdir(path, options, cb);
 | |
|         function fs$readdirCallback(path2, options2, cb2, startTime) {
 | |
|           return function(err, files) {
 | |
|             if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
 | |
|               enqueue([
 | |
|                 go$readdir,
 | |
|                 [path2, options2, cb2],
 | |
|                 err,
 | |
|                 startTime || Date.now(),
 | |
|                 Date.now()
 | |
|               ]);
 | |
|             else {
 | |
|               if (files && files.sort)
 | |
|                 files.sort();
 | |
|               if (typeof cb2 === "function")
 | |
|                 cb2.call(this, err, files);
 | |
|             }
 | |
|           };
 | |
|         }
 | |
|       }
 | |
|       if (process.version.substr(0, 4) === "v0.8") {
 | |
|         var legStreams = legacy(fs2);
 | |
|         ReadStream = legStreams.ReadStream;
 | |
|         WriteStream = legStreams.WriteStream;
 | |
|       }
 | |
|       var fs$ReadStream = fs2.ReadStream;
 | |
|       if (fs$ReadStream) {
 | |
|         ReadStream.prototype = Object.create(fs$ReadStream.prototype);
 | |
|         ReadStream.prototype.open = ReadStream$open;
 | |
|       }
 | |
|       var fs$WriteStream = fs2.WriteStream;
 | |
|       if (fs$WriteStream) {
 | |
|         WriteStream.prototype = Object.create(fs$WriteStream.prototype);
 | |
|         WriteStream.prototype.open = WriteStream$open;
 | |
|       }
 | |
|       Object.defineProperty(fs2, "ReadStream", {
 | |
|         get: function() {
 | |
|           return ReadStream;
 | |
|         },
 | |
|         set: function(val) {
 | |
|           ReadStream = val;
 | |
|         },
 | |
|         enumerable: true,
 | |
|         configurable: true
 | |
|       });
 | |
|       Object.defineProperty(fs2, "WriteStream", {
 | |
|         get: function() {
 | |
|           return WriteStream;
 | |
|         },
 | |
|         set: function(val) {
 | |
|           WriteStream = val;
 | |
|         },
 | |
|         enumerable: true,
 | |
|         configurable: true
 | |
|       });
 | |
|       var FileReadStream = ReadStream;
 | |
|       Object.defineProperty(fs2, "FileReadStream", {
 | |
|         get: function() {
 | |
|           return FileReadStream;
 | |
|         },
 | |
|         set: function(val) {
 | |
|           FileReadStream = val;
 | |
|         },
 | |
|         enumerable: true,
 | |
|         configurable: true
 | |
|       });
 | |
|       var FileWriteStream = WriteStream;
 | |
|       Object.defineProperty(fs2, "FileWriteStream", {
 | |
|         get: function() {
 | |
|           return FileWriteStream;
 | |
|         },
 | |
|         set: function(val) {
 | |
|           FileWriteStream = val;
 | |
|         },
 | |
|         enumerable: true,
 | |
|         configurable: true
 | |
|       });
 | |
|       function ReadStream(path, options) {
 | |
|         if (this instanceof ReadStream)
 | |
|           return fs$ReadStream.apply(this, arguments), this;
 | |
|         else
 | |
|           return ReadStream.apply(Object.create(ReadStream.prototype), arguments);
 | |
|       }
 | |
|       function ReadStream$open() {
 | |
|         var that = this;
 | |
|         open(that.path, that.flags, that.mode, function(err, fd) {
 | |
|           if (err) {
 | |
|             if (that.autoClose)
 | |
|               that.destroy();
 | |
|             that.emit("error", err);
 | |
|           } else {
 | |
|             that.fd = fd;
 | |
|             that.emit("open", fd);
 | |
|             that.read();
 | |
|           }
 | |
|         });
 | |
|       }
 | |
|       function WriteStream(path, options) {
 | |
|         if (this instanceof WriteStream)
 | |
|           return fs$WriteStream.apply(this, arguments), this;
 | |
|         else
 | |
|           return WriteStream.apply(Object.create(WriteStream.prototype), arguments);
 | |
|       }
 | |
|       function WriteStream$open() {
 | |
|         var that = this;
 | |
|         open(that.path, that.flags, that.mode, function(err, fd) {
 | |
|           if (err) {
 | |
|             that.destroy();
 | |
|             that.emit("error", err);
 | |
|           } else {
 | |
|             that.fd = fd;
 | |
|             that.emit("open", fd);
 | |
|           }
 | |
|         });
 | |
|       }
 | |
|       function createReadStream(path, options) {
 | |
|         return new fs2.ReadStream(path, options);
 | |
|       }
 | |
|       function createWriteStream(path, options) {
 | |
|         return new fs2.WriteStream(path, options);
 | |
|       }
 | |
|       var fs$open = fs2.open;
 | |
|       fs2.open = open;
 | |
|       function open(path, flags, mode, cb) {
 | |
|         if (typeof mode === "function")
 | |
|           cb = mode, mode = null;
 | |
|         return go$open(path, flags, mode, cb);
 | |
|         function go$open(path2, flags2, mode2, cb2, startTime) {
 | |
|           return fs$open(path2, flags2, mode2, function(err, fd) {
 | |
|             if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
 | |
|               enqueue([go$open, [path2, flags2, mode2, cb2], err, startTime || Date.now(), Date.now()]);
 | |
|             else {
 | |
|               if (typeof cb2 === "function")
 | |
|                 cb2.apply(this, arguments);
 | |
|             }
 | |
|           });
 | |
|         }
 | |
|       }
 | |
|       return fs2;
 | |
|     }
 | |
|     function enqueue(elem) {
 | |
|       debug("ENQUEUE", elem[0].name, elem[1]);
 | |
|       fs[gracefulQueue].push(elem);
 | |
|       retry();
 | |
|     }
 | |
|     var retryTimer;
 | |
|     function resetQueue() {
 | |
|       var now = Date.now();
 | |
|       for (var i = 0; i < fs[gracefulQueue].length; ++i) {
 | |
|         if (fs[gracefulQueue][i].length > 2) {
 | |
|           fs[gracefulQueue][i][3] = now;
 | |
|           fs[gracefulQueue][i][4] = now;
 | |
|         }
 | |
|       }
 | |
|       retry();
 | |
|     }
 | |
|     function retry() {
 | |
|       clearTimeout(retryTimer);
 | |
|       retryTimer = void 0;
 | |
|       if (fs[gracefulQueue].length === 0)
 | |
|         return;
 | |
|       var elem = fs[gracefulQueue].shift();
 | |
|       var fn = elem[0];
 | |
|       var args = elem[1];
 | |
|       var err = elem[2];
 | |
|       var startTime = elem[3];
 | |
|       var lastTime = elem[4];
 | |
|       if (startTime === void 0) {
 | |
|         debug("RETRY", fn.name, args);
 | |
|         fn.apply(null, args);
 | |
|       } else if (Date.now() - startTime >= 6e4) {
 | |
|         debug("TIMEOUT", fn.name, args);
 | |
|         var cb = args.pop();
 | |
|         if (typeof cb === "function")
 | |
|           cb.call(null, err);
 | |
|       } else {
 | |
|         var sinceAttempt = Date.now() - lastTime;
 | |
|         var sinceStart = Math.max(lastTime - startTime, 1);
 | |
|         var desiredDelay = Math.min(sinceStart * 1.2, 100);
 | |
|         if (sinceAttempt >= desiredDelay) {
 | |
|           debug("RETRY", fn.name, args);
 | |
|           fn.apply(null, args.concat([startTime]));
 | |
|         } else {
 | |
|           fs[gracefulQueue].push(elem);
 | |
|         }
 | |
|       }
 | |
|       if (retryTimer === void 0) {
 | |
|         retryTimer = setTimeout(retry, 0);
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../fs/graceful-fs/lib/index.js
 | |
| var require_lib = __commonJS({
 | |
|   "../fs/graceful-fs/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     var util_1 = require("util");
 | |
|     var graceful_fs_12 = __importDefault2(require_graceful_fs());
 | |
|     exports2.default = {
 | |
|       copyFile: (0, util_1.promisify)(graceful_fs_12.default.copyFile),
 | |
|       copyFileSync: graceful_fs_12.default.copyFileSync,
 | |
|       createReadStream: graceful_fs_12.default.createReadStream,
 | |
|       link: (0, util_1.promisify)(graceful_fs_12.default.link),
 | |
|       linkSync: graceful_fs_12.default.linkSync,
 | |
|       readFile: (0, util_1.promisify)(graceful_fs_12.default.readFile),
 | |
|       readFileSync: graceful_fs_12.default.readFileSync,
 | |
|       readdirSync: graceful_fs_12.default.readdirSync,
 | |
|       stat: (0, util_1.promisify)(graceful_fs_12.default.stat),
 | |
|       statSync: graceful_fs_12.default.statSync,
 | |
|       unlinkSync: graceful_fs_12.default.unlinkSync,
 | |
|       writeFile: (0, util_1.promisify)(graceful_fs_12.default.writeFile),
 | |
|       writeFileSync: graceful_fs_12.default.writeFileSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../exec/files-include-install-scripts/lib/index.js
 | |
| var require_lib2 = __commonJS({
 | |
|   "../exec/files-include-install-scripts/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.filesIncludeInstallScripts = void 0;
 | |
|     function filesIncludeInstallScripts(filesIndex) {
 | |
|       return filesIndex["binding.gyp"] != null || Object.keys(filesIndex).some((filename) => !(filename.match(/^[.]hooks[\\/]/) == null));
 | |
|     }
 | |
|     exports2.filesIncludeInstallScripts = filesIncludeInstallScripts;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/minipass@7.0.4/node_modules/minipass/dist/commonjs/index.js
 | |
| var require_commonjs = __commonJS({
 | |
|   "../node_modules/.pnpm/minipass@7.0.4/node_modules/minipass/dist/commonjs/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.Minipass = exports2.isWritable = exports2.isReadable = exports2.isStream = void 0;
 | |
|     var proc = typeof process === "object" && process ? process : {
 | |
|       stdout: null,
 | |
|       stderr: null
 | |
|     };
 | |
|     var events_1 = require("events");
 | |
|     var stream_1 = __importDefault2(require("stream"));
 | |
|     var string_decoder_1 = require("string_decoder");
 | |
|     var isStream = (s) => !!s && typeof s === "object" && (s instanceof Minipass || s instanceof stream_1.default || (0, exports2.isReadable)(s) || (0, exports2.isWritable)(s));
 | |
|     exports2.isStream = isStream;
 | |
|     var isReadable = (s) => !!s && typeof s === "object" && s instanceof events_1.EventEmitter && typeof s.pipe === "function" && // node core Writable streams have a pipe() method, but it throws
 | |
|     s.pipe !== stream_1.default.Writable.prototype.pipe;
 | |
|     exports2.isReadable = isReadable;
 | |
|     var isWritable = (s) => !!s && typeof s === "object" && s instanceof events_1.EventEmitter && typeof s.write === "function" && typeof s.end === "function";
 | |
|     exports2.isWritable = isWritable;
 | |
|     var EOF = Symbol("EOF");
 | |
|     var MAYBE_EMIT_END = Symbol("maybeEmitEnd");
 | |
|     var EMITTED_END = Symbol("emittedEnd");
 | |
|     var EMITTING_END = Symbol("emittingEnd");
 | |
|     var EMITTED_ERROR = Symbol("emittedError");
 | |
|     var CLOSED = Symbol("closed");
 | |
|     var READ = Symbol("read");
 | |
|     var FLUSH = Symbol("flush");
 | |
|     var FLUSHCHUNK = Symbol("flushChunk");
 | |
|     var ENCODING = Symbol("encoding");
 | |
|     var DECODER = Symbol("decoder");
 | |
|     var FLOWING = Symbol("flowing");
 | |
|     var PAUSED = Symbol("paused");
 | |
|     var RESUME = Symbol("resume");
 | |
|     var BUFFER = Symbol("buffer");
 | |
|     var PIPES = Symbol("pipes");
 | |
|     var BUFFERLENGTH = Symbol("bufferLength");
 | |
|     var BUFFERPUSH = Symbol("bufferPush");
 | |
|     var BUFFERSHIFT = Symbol("bufferShift");
 | |
|     var OBJECTMODE = Symbol("objectMode");
 | |
|     var DESTROYED = Symbol("destroyed");
 | |
|     var ERROR = Symbol("error");
 | |
|     var EMITDATA = Symbol("emitData");
 | |
|     var EMITEND = Symbol("emitEnd");
 | |
|     var EMITEND2 = Symbol("emitEnd2");
 | |
|     var ASYNC = Symbol("async");
 | |
|     var ABORT = Symbol("abort");
 | |
|     var ABORTED = Symbol("aborted");
 | |
|     var SIGNAL = Symbol("signal");
 | |
|     var DATALISTENERS = Symbol("dataListeners");
 | |
|     var DISCARDED = Symbol("discarded");
 | |
|     var defer = (fn) => Promise.resolve().then(fn);
 | |
|     var nodefer = (fn) => fn();
 | |
|     var isEndish = (ev) => ev === "end" || ev === "finish" || ev === "prefinish";
 | |
|     var isArrayBufferLike = (b) => b instanceof ArrayBuffer || !!b && typeof b === "object" && b.constructor && b.constructor.name === "ArrayBuffer" && b.byteLength >= 0;
 | |
|     var isArrayBufferView = (b) => !Buffer.isBuffer(b) && ArrayBuffer.isView(b);
 | |
|     var Pipe = class {
 | |
|       src;
 | |
|       dest;
 | |
|       opts;
 | |
|       ondrain;
 | |
|       constructor(src, dest, opts) {
 | |
|         this.src = src;
 | |
|         this.dest = dest;
 | |
|         this.opts = opts;
 | |
|         this.ondrain = () => src[RESUME]();
 | |
|         this.dest.on("drain", this.ondrain);
 | |
|       }
 | |
|       unpipe() {
 | |
|         this.dest.removeListener("drain", this.ondrain);
 | |
|       }
 | |
|       // only here for the prototype
 | |
|       /* c8 ignore start */
 | |
|       proxyErrors(_er) {
 | |
|       }
 | |
|       /* c8 ignore stop */
 | |
|       end() {
 | |
|         this.unpipe();
 | |
|         if (this.opts.end)
 | |
|           this.dest.end();
 | |
|       }
 | |
|     };
 | |
|     var PipeProxyErrors = class extends Pipe {
 | |
|       unpipe() {
 | |
|         this.src.removeListener("error", this.proxyErrors);
 | |
|         super.unpipe();
 | |
|       }
 | |
|       constructor(src, dest, opts) {
 | |
|         super(src, dest, opts);
 | |
|         this.proxyErrors = (er) => dest.emit("error", er);
 | |
|         src.on("error", this.proxyErrors);
 | |
|       }
 | |
|     };
 | |
|     var isObjectModeOptions = (o) => !!o.objectMode;
 | |
|     var isEncodingOptions = (o) => !o.objectMode && !!o.encoding && o.encoding !== "buffer";
 | |
|     var Minipass = class extends events_1.EventEmitter {
 | |
|       [FLOWING] = false;
 | |
|       [PAUSED] = false;
 | |
|       [PIPES] = [];
 | |
|       [BUFFER] = [];
 | |
|       [OBJECTMODE];
 | |
|       [ENCODING];
 | |
|       [ASYNC];
 | |
|       [DECODER];
 | |
|       [EOF] = false;
 | |
|       [EMITTED_END] = false;
 | |
|       [EMITTING_END] = false;
 | |
|       [CLOSED] = false;
 | |
|       [EMITTED_ERROR] = null;
 | |
|       [BUFFERLENGTH] = 0;
 | |
|       [DESTROYED] = false;
 | |
|       [SIGNAL];
 | |
|       [ABORTED] = false;
 | |
|       [DATALISTENERS] = 0;
 | |
|       [DISCARDED] = false;
 | |
|       /**
 | |
|        * true if the stream can be written
 | |
|        */
 | |
|       writable = true;
 | |
|       /**
 | |
|        * true if the stream can be read
 | |
|        */
 | |
|       readable = true;
 | |
|       /**
 | |
|        * If `RType` is Buffer, then options do not need to be provided.
 | |
|        * Otherwise, an options object must be provided to specify either
 | |
|        * {@link Minipass.SharedOptions.objectMode} or
 | |
|        * {@link Minipass.SharedOptions.encoding}, as appropriate.
 | |
|        */
 | |
|       constructor(...args) {
 | |
|         const options = args[0] || {};
 | |
|         super();
 | |
|         if (options.objectMode && typeof options.encoding === "string") {
 | |
|           throw new TypeError("Encoding and objectMode may not be used together");
 | |
|         }
 | |
|         if (isObjectModeOptions(options)) {
 | |
|           this[OBJECTMODE] = true;
 | |
|           this[ENCODING] = null;
 | |
|         } else if (isEncodingOptions(options)) {
 | |
|           this[ENCODING] = options.encoding;
 | |
|           this[OBJECTMODE] = false;
 | |
|         } else {
 | |
|           this[OBJECTMODE] = false;
 | |
|           this[ENCODING] = null;
 | |
|         }
 | |
|         this[ASYNC] = !!options.async;
 | |
|         this[DECODER] = this[ENCODING] ? new string_decoder_1.StringDecoder(this[ENCODING]) : null;
 | |
|         if (options && options.debugExposeBuffer === true) {
 | |
|           Object.defineProperty(this, "buffer", { get: () => this[BUFFER] });
 | |
|         }
 | |
|         if (options && options.debugExposePipes === true) {
 | |
|           Object.defineProperty(this, "pipes", { get: () => this[PIPES] });
 | |
|         }
 | |
|         const { signal } = options;
 | |
|         if (signal) {
 | |
|           this[SIGNAL] = signal;
 | |
|           if (signal.aborted) {
 | |
|             this[ABORT]();
 | |
|           } else {
 | |
|             signal.addEventListener("abort", () => this[ABORT]());
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       /**
 | |
|        * The amount of data stored in the buffer waiting to be read.
 | |
|        *
 | |
|        * For Buffer strings, this will be the total byte length.
 | |
|        * For string encoding streams, this will be the string character length,
 | |
|        * according to JavaScript's `string.length` logic.
 | |
|        * For objectMode streams, this is a count of the items waiting to be
 | |
|        * emitted.
 | |
|        */
 | |
|       get bufferLength() {
 | |
|         return this[BUFFERLENGTH];
 | |
|       }
 | |
|       /**
 | |
|        * The `BufferEncoding` currently in use, or `null`
 | |
|        */
 | |
|       get encoding() {
 | |
|         return this[ENCODING];
 | |
|       }
 | |
|       /**
 | |
|        * @deprecated - This is a read only property
 | |
|        */
 | |
|       set encoding(_enc) {
 | |
|         throw new Error("Encoding must be set at instantiation time");
 | |
|       }
 | |
|       /**
 | |
|        * @deprecated - Encoding may only be set at instantiation time
 | |
|        */
 | |
|       setEncoding(_enc) {
 | |
|         throw new Error("Encoding must be set at instantiation time");
 | |
|       }
 | |
|       /**
 | |
|        * True if this is an objectMode stream
 | |
|        */
 | |
|       get objectMode() {
 | |
|         return this[OBJECTMODE];
 | |
|       }
 | |
|       /**
 | |
|        * @deprecated - This is a read-only property
 | |
|        */
 | |
|       set objectMode(_om) {
 | |
|         throw new Error("objectMode must be set at instantiation time");
 | |
|       }
 | |
|       /**
 | |
|        * true if this is an async stream
 | |
|        */
 | |
|       get ["async"]() {
 | |
|         return this[ASYNC];
 | |
|       }
 | |
|       /**
 | |
|        * Set to true to make this stream async.
 | |
|        *
 | |
|        * Once set, it cannot be unset, as this would potentially cause incorrect
 | |
|        * behavior.  Ie, a sync stream can be made async, but an async stream
 | |
|        * cannot be safely made sync.
 | |
|        */
 | |
|       set ["async"](a) {
 | |
|         this[ASYNC] = this[ASYNC] || !!a;
 | |
|       }
 | |
|       // drop everything and get out of the flow completely
 | |
|       [ABORT]() {
 | |
|         this[ABORTED] = true;
 | |
|         this.emit("abort", this[SIGNAL]?.reason);
 | |
|         this.destroy(this[SIGNAL]?.reason);
 | |
|       }
 | |
|       /**
 | |
|        * True if the stream has been aborted.
 | |
|        */
 | |
|       get aborted() {
 | |
|         return this[ABORTED];
 | |
|       }
 | |
|       /**
 | |
|        * No-op setter. Stream aborted status is set via the AbortSignal provided
 | |
|        * in the constructor options.
 | |
|        */
 | |
|       set aborted(_) {
 | |
|       }
 | |
|       write(chunk, encoding, cb) {
 | |
|         if (this[ABORTED])
 | |
|           return false;
 | |
|         if (this[EOF])
 | |
|           throw new Error("write after end");
 | |
|         if (this[DESTROYED]) {
 | |
|           this.emit("error", Object.assign(new Error("Cannot call write after a stream was destroyed"), { code: "ERR_STREAM_DESTROYED" }));
 | |
|           return true;
 | |
|         }
 | |
|         if (typeof encoding === "function") {
 | |
|           cb = encoding;
 | |
|           encoding = "utf8";
 | |
|         }
 | |
|         if (!encoding)
 | |
|           encoding = "utf8";
 | |
|         const fn = this[ASYNC] ? defer : nodefer;
 | |
|         if (!this[OBJECTMODE] && !Buffer.isBuffer(chunk)) {
 | |
|           if (isArrayBufferView(chunk)) {
 | |
|             chunk = Buffer.from(chunk.buffer, chunk.byteOffset, chunk.byteLength);
 | |
|           } else if (isArrayBufferLike(chunk)) {
 | |
|             chunk = Buffer.from(chunk);
 | |
|           } else if (typeof chunk !== "string") {
 | |
|             throw new Error("Non-contiguous data written to non-objectMode stream");
 | |
|           }
 | |
|         }
 | |
|         if (this[OBJECTMODE]) {
 | |
|           if (this[FLOWING] && this[BUFFERLENGTH] !== 0)
 | |
|             this[FLUSH](true);
 | |
|           if (this[FLOWING])
 | |
|             this.emit("data", chunk);
 | |
|           else
 | |
|             this[BUFFERPUSH](chunk);
 | |
|           if (this[BUFFERLENGTH] !== 0)
 | |
|             this.emit("readable");
 | |
|           if (cb)
 | |
|             fn(cb);
 | |
|           return this[FLOWING];
 | |
|         }
 | |
|         if (!chunk.length) {
 | |
|           if (this[BUFFERLENGTH] !== 0)
 | |
|             this.emit("readable");
 | |
|           if (cb)
 | |
|             fn(cb);
 | |
|           return this[FLOWING];
 | |
|         }
 | |
|         if (typeof chunk === "string" && // unless it is a string already ready for us to use
 | |
|         !(encoding === this[ENCODING] && !this[DECODER]?.lastNeed)) {
 | |
|           chunk = Buffer.from(chunk, encoding);
 | |
|         }
 | |
|         if (Buffer.isBuffer(chunk) && this[ENCODING]) {
 | |
|           chunk = this[DECODER].write(chunk);
 | |
|         }
 | |
|         if (this[FLOWING] && this[BUFFERLENGTH] !== 0)
 | |
|           this[FLUSH](true);
 | |
|         if (this[FLOWING])
 | |
|           this.emit("data", chunk);
 | |
|         else
 | |
|           this[BUFFERPUSH](chunk);
 | |
|         if (this[BUFFERLENGTH] !== 0)
 | |
|           this.emit("readable");
 | |
|         if (cb)
 | |
|           fn(cb);
 | |
|         return this[FLOWING];
 | |
|       }
 | |
|       /**
 | |
|        * Low-level explicit read method.
 | |
|        *
 | |
|        * In objectMode, the argument is ignored, and one item is returned if
 | |
|        * available.
 | |
|        *
 | |
|        * `n` is the number of bytes (or in the case of encoding streams,
 | |
|        * characters) to consume. If `n` is not provided, then the entire buffer
 | |
|        * is returned, or `null` is returned if no data is available.
 | |
|        *
 | |
|        * If `n` is greater that the amount of data in the internal buffer,
 | |
|        * then `null` is returned.
 | |
|        */
 | |
|       read(n) {
 | |
|         if (this[DESTROYED])
 | |
|           return null;
 | |
|         this[DISCARDED] = false;
 | |
|         if (this[BUFFERLENGTH] === 0 || n === 0 || n && n > this[BUFFERLENGTH]) {
 | |
|           this[MAYBE_EMIT_END]();
 | |
|           return null;
 | |
|         }
 | |
|         if (this[OBJECTMODE])
 | |
|           n = null;
 | |
|         if (this[BUFFER].length > 1 && !this[OBJECTMODE]) {
 | |
|           this[BUFFER] = [
 | |
|             this[ENCODING] ? this[BUFFER].join("") : Buffer.concat(this[BUFFER], this[BUFFERLENGTH])
 | |
|           ];
 | |
|         }
 | |
|         const ret = this[READ](n || null, this[BUFFER][0]);
 | |
|         this[MAYBE_EMIT_END]();
 | |
|         return ret;
 | |
|       }
 | |
|       [READ](n, chunk) {
 | |
|         if (this[OBJECTMODE])
 | |
|           this[BUFFERSHIFT]();
 | |
|         else {
 | |
|           const c = chunk;
 | |
|           if (n === c.length || n === null)
 | |
|             this[BUFFERSHIFT]();
 | |
|           else if (typeof c === "string") {
 | |
|             this[BUFFER][0] = c.slice(n);
 | |
|             chunk = c.slice(0, n);
 | |
|             this[BUFFERLENGTH] -= n;
 | |
|           } else {
 | |
|             this[BUFFER][0] = c.subarray(n);
 | |
|             chunk = c.subarray(0, n);
 | |
|             this[BUFFERLENGTH] -= n;
 | |
|           }
 | |
|         }
 | |
|         this.emit("data", chunk);
 | |
|         if (!this[BUFFER].length && !this[EOF])
 | |
|           this.emit("drain");
 | |
|         return chunk;
 | |
|       }
 | |
|       end(chunk, encoding, cb) {
 | |
|         if (typeof chunk === "function") {
 | |
|           cb = chunk;
 | |
|           chunk = void 0;
 | |
|         }
 | |
|         if (typeof encoding === "function") {
 | |
|           cb = encoding;
 | |
|           encoding = "utf8";
 | |
|         }
 | |
|         if (chunk !== void 0)
 | |
|           this.write(chunk, encoding);
 | |
|         if (cb)
 | |
|           this.once("end", cb);
 | |
|         this[EOF] = true;
 | |
|         this.writable = false;
 | |
|         if (this[FLOWING] || !this[PAUSED])
 | |
|           this[MAYBE_EMIT_END]();
 | |
|         return this;
 | |
|       }
 | |
|       // don't let the internal resume be overwritten
 | |
|       [RESUME]() {
 | |
|         if (this[DESTROYED])
 | |
|           return;
 | |
|         if (!this[DATALISTENERS] && !this[PIPES].length) {
 | |
|           this[DISCARDED] = true;
 | |
|         }
 | |
|         this[PAUSED] = false;
 | |
|         this[FLOWING] = true;
 | |
|         this.emit("resume");
 | |
|         if (this[BUFFER].length)
 | |
|           this[FLUSH]();
 | |
|         else if (this[EOF])
 | |
|           this[MAYBE_EMIT_END]();
 | |
|         else
 | |
|           this.emit("drain");
 | |
|       }
 | |
|       /**
 | |
|        * Resume the stream if it is currently in a paused state
 | |
|        *
 | |
|        * If called when there are no pipe destinations or `data` event listeners,
 | |
|        * this will place the stream in a "discarded" state, where all data will
 | |
|        * be thrown away. The discarded state is removed if a pipe destination or
 | |
|        * data handler is added, if pause() is called, or if any synchronous or
 | |
|        * asynchronous iteration is started.
 | |
|        */
 | |
|       resume() {
 | |
|         return this[RESUME]();
 | |
|       }
 | |
|       /**
 | |
|        * Pause the stream
 | |
|        */
 | |
|       pause() {
 | |
|         this[FLOWING] = false;
 | |
|         this[PAUSED] = true;
 | |
|         this[DISCARDED] = false;
 | |
|       }
 | |
|       /**
 | |
|        * true if the stream has been forcibly destroyed
 | |
|        */
 | |
|       get destroyed() {
 | |
|         return this[DESTROYED];
 | |
|       }
 | |
|       /**
 | |
|        * true if the stream is currently in a flowing state, meaning that
 | |
|        * any writes will be immediately emitted.
 | |
|        */
 | |
|       get flowing() {
 | |
|         return this[FLOWING];
 | |
|       }
 | |
|       /**
 | |
|        * true if the stream is currently in a paused state
 | |
|        */
 | |
|       get paused() {
 | |
|         return this[PAUSED];
 | |
|       }
 | |
|       [BUFFERPUSH](chunk) {
 | |
|         if (this[OBJECTMODE])
 | |
|           this[BUFFERLENGTH] += 1;
 | |
|         else
 | |
|           this[BUFFERLENGTH] += chunk.length;
 | |
|         this[BUFFER].push(chunk);
 | |
|       }
 | |
|       [BUFFERSHIFT]() {
 | |
|         if (this[OBJECTMODE])
 | |
|           this[BUFFERLENGTH] -= 1;
 | |
|         else
 | |
|           this[BUFFERLENGTH] -= this[BUFFER][0].length;
 | |
|         return this[BUFFER].shift();
 | |
|       }
 | |
|       [FLUSH](noDrain = false) {
 | |
|         do {
 | |
|         } while (this[FLUSHCHUNK](this[BUFFERSHIFT]()) && this[BUFFER].length);
 | |
|         if (!noDrain && !this[BUFFER].length && !this[EOF])
 | |
|           this.emit("drain");
 | |
|       }
 | |
|       [FLUSHCHUNK](chunk) {
 | |
|         this.emit("data", chunk);
 | |
|         return this[FLOWING];
 | |
|       }
 | |
|       /**
 | |
|        * Pipe all data emitted by this stream into the destination provided.
 | |
|        *
 | |
|        * Triggers the flow of data.
 | |
|        */
 | |
|       pipe(dest, opts) {
 | |
|         if (this[DESTROYED])
 | |
|           return dest;
 | |
|         this[DISCARDED] = false;
 | |
|         const ended = this[EMITTED_END];
 | |
|         opts = opts || {};
 | |
|         if (dest === proc.stdout || dest === proc.stderr)
 | |
|           opts.end = false;
 | |
|         else
 | |
|           opts.end = opts.end !== false;
 | |
|         opts.proxyErrors = !!opts.proxyErrors;
 | |
|         if (ended) {
 | |
|           if (opts.end)
 | |
|             dest.end();
 | |
|         } else {
 | |
|           this[PIPES].push(!opts.proxyErrors ? new Pipe(this, dest, opts) : new PipeProxyErrors(this, dest, opts));
 | |
|           if (this[ASYNC])
 | |
|             defer(() => this[RESUME]());
 | |
|           else
 | |
|             this[RESUME]();
 | |
|         }
 | |
|         return dest;
 | |
|       }
 | |
|       /**
 | |
|        * Fully unhook a piped destination stream.
 | |
|        *
 | |
|        * If the destination stream was the only consumer of this stream (ie,
 | |
|        * there are no other piped destinations or `'data'` event listeners)
 | |
|        * then the flow of data will stop until there is another consumer or
 | |
|        * {@link Minipass#resume} is explicitly called.
 | |
|        */
 | |
|       unpipe(dest) {
 | |
|         const p = this[PIPES].find((p2) => p2.dest === dest);
 | |
|         if (p) {
 | |
|           if (this[PIPES].length === 1) {
 | |
|             if (this[FLOWING] && this[DATALISTENERS] === 0) {
 | |
|               this[FLOWING] = false;
 | |
|             }
 | |
|             this[PIPES] = [];
 | |
|           } else
 | |
|             this[PIPES].splice(this[PIPES].indexOf(p), 1);
 | |
|           p.unpipe();
 | |
|         }
 | |
|       }
 | |
|       /**
 | |
|        * Alias for {@link Minipass#on}
 | |
|        */
 | |
|       addListener(ev, handler) {
 | |
|         return this.on(ev, handler);
 | |
|       }
 | |
|       /**
 | |
|        * Mostly identical to `EventEmitter.on`, with the following
 | |
|        * behavior differences to prevent data loss and unnecessary hangs:
 | |
|        *
 | |
|        * - Adding a 'data' event handler will trigger the flow of data
 | |
|        *
 | |
|        * - Adding a 'readable' event handler when there is data waiting to be read
 | |
|        *   will cause 'readable' to be emitted immediately.
 | |
|        *
 | |
|        * - Adding an 'endish' event handler ('end', 'finish', etc.) which has
 | |
|        *   already passed will cause the event to be emitted immediately and all
 | |
|        *   handlers removed.
 | |
|        *
 | |
|        * - Adding an 'error' event handler after an error has been emitted will
 | |
|        *   cause the event to be re-emitted immediately with the error previously
 | |
|        *   raised.
 | |
|        */
 | |
|       on(ev, handler) {
 | |
|         const ret = super.on(ev, handler);
 | |
|         if (ev === "data") {
 | |
|           this[DISCARDED] = false;
 | |
|           this[DATALISTENERS]++;
 | |
|           if (!this[PIPES].length && !this[FLOWING]) {
 | |
|             this[RESUME]();
 | |
|           }
 | |
|         } else if (ev === "readable" && this[BUFFERLENGTH] !== 0) {
 | |
|           super.emit("readable");
 | |
|         } else if (isEndish(ev) && this[EMITTED_END]) {
 | |
|           super.emit(ev);
 | |
|           this.removeAllListeners(ev);
 | |
|         } else if (ev === "error" && this[EMITTED_ERROR]) {
 | |
|           const h = handler;
 | |
|           if (this[ASYNC])
 | |
|             defer(() => h.call(this, this[EMITTED_ERROR]));
 | |
|           else
 | |
|             h.call(this, this[EMITTED_ERROR]);
 | |
|         }
 | |
|         return ret;
 | |
|       }
 | |
|       /**
 | |
|        * Alias for {@link Minipass#off}
 | |
|        */
 | |
|       removeListener(ev, handler) {
 | |
|         return this.off(ev, handler);
 | |
|       }
 | |
|       /**
 | |
|        * Mostly identical to `EventEmitter.off`
 | |
|        *
 | |
|        * If a 'data' event handler is removed, and it was the last consumer
 | |
|        * (ie, there are no pipe destinations or other 'data' event listeners),
 | |
|        * then the flow of data will stop until there is another consumer or
 | |
|        * {@link Minipass#resume} is explicitly called.
 | |
|        */
 | |
|       off(ev, handler) {
 | |
|         const ret = super.off(ev, handler);
 | |
|         if (ev === "data") {
 | |
|           this[DATALISTENERS] = this.listeners("data").length;
 | |
|           if (this[DATALISTENERS] === 0 && !this[DISCARDED] && !this[PIPES].length) {
 | |
|             this[FLOWING] = false;
 | |
|           }
 | |
|         }
 | |
|         return ret;
 | |
|       }
 | |
|       /**
 | |
|        * Mostly identical to `EventEmitter.removeAllListeners`
 | |
|        *
 | |
|        * If all 'data' event handlers are removed, and they were the last consumer
 | |
|        * (ie, there are no pipe destinations), then the flow of data will stop
 | |
|        * until there is another consumer or {@link Minipass#resume} is explicitly
 | |
|        * called.
 | |
|        */
 | |
|       removeAllListeners(ev) {
 | |
|         const ret = super.removeAllListeners(ev);
 | |
|         if (ev === "data" || ev === void 0) {
 | |
|           this[DATALISTENERS] = 0;
 | |
|           if (!this[DISCARDED] && !this[PIPES].length) {
 | |
|             this[FLOWING] = false;
 | |
|           }
 | |
|         }
 | |
|         return ret;
 | |
|       }
 | |
|       /**
 | |
|        * true if the 'end' event has been emitted
 | |
|        */
 | |
|       get emittedEnd() {
 | |
|         return this[EMITTED_END];
 | |
|       }
 | |
|       [MAYBE_EMIT_END]() {
 | |
|         if (!this[EMITTING_END] && !this[EMITTED_END] && !this[DESTROYED] && this[BUFFER].length === 0 && this[EOF]) {
 | |
|           this[EMITTING_END] = true;
 | |
|           this.emit("end");
 | |
|           this.emit("prefinish");
 | |
|           this.emit("finish");
 | |
|           if (this[CLOSED])
 | |
|             this.emit("close");
 | |
|           this[EMITTING_END] = false;
 | |
|         }
 | |
|       }
 | |
|       /**
 | |
|        * Mostly identical to `EventEmitter.emit`, with the following
 | |
|        * behavior differences to prevent data loss and unnecessary hangs:
 | |
|        *
 | |
|        * If the stream has been destroyed, and the event is something other
 | |
|        * than 'close' or 'error', then `false` is returned and no handlers
 | |
|        * are called.
 | |
|        *
 | |
|        * If the event is 'end', and has already been emitted, then the event
 | |
|        * is ignored. If the stream is in a paused or non-flowing state, then
 | |
|        * the event will be deferred until data flow resumes. If the stream is
 | |
|        * async, then handlers will be called on the next tick rather than
 | |
|        * immediately.
 | |
|        *
 | |
|        * If the event is 'close', and 'end' has not yet been emitted, then
 | |
|        * the event will be deferred until after 'end' is emitted.
 | |
|        *
 | |
|        * If the event is 'error', and an AbortSignal was provided for the stream,
 | |
|        * and there are no listeners, then the event is ignored, matching the
 | |
|        * behavior of node core streams in the presense of an AbortSignal.
 | |
|        *
 | |
|        * If the event is 'finish' or 'prefinish', then all listeners will be
 | |
|        * removed after emitting the event, to prevent double-firing.
 | |
|        */
 | |
|       emit(ev, ...args) {
 | |
|         const data = args[0];
 | |
|         if (ev !== "error" && ev !== "close" && ev !== DESTROYED && this[DESTROYED]) {
 | |
|           return false;
 | |
|         } else if (ev === "data") {
 | |
|           return !this[OBJECTMODE] && !data ? false : this[ASYNC] ? (defer(() => this[EMITDATA](data)), true) : this[EMITDATA](data);
 | |
|         } else if (ev === "end") {
 | |
|           return this[EMITEND]();
 | |
|         } else if (ev === "close") {
 | |
|           this[CLOSED] = true;
 | |
|           if (!this[EMITTED_END] && !this[DESTROYED])
 | |
|             return false;
 | |
|           const ret2 = super.emit("close");
 | |
|           this.removeAllListeners("close");
 | |
|           return ret2;
 | |
|         } else if (ev === "error") {
 | |
|           this[EMITTED_ERROR] = data;
 | |
|           super.emit(ERROR, data);
 | |
|           const ret2 = !this[SIGNAL] || this.listeners("error").length ? super.emit("error", data) : false;
 | |
|           this[MAYBE_EMIT_END]();
 | |
|           return ret2;
 | |
|         } else if (ev === "resume") {
 | |
|           const ret2 = super.emit("resume");
 | |
|           this[MAYBE_EMIT_END]();
 | |
|           return ret2;
 | |
|         } else if (ev === "finish" || ev === "prefinish") {
 | |
|           const ret2 = super.emit(ev);
 | |
|           this.removeAllListeners(ev);
 | |
|           return ret2;
 | |
|         }
 | |
|         const ret = super.emit(ev, ...args);
 | |
|         this[MAYBE_EMIT_END]();
 | |
|         return ret;
 | |
|       }
 | |
|       [EMITDATA](data) {
 | |
|         for (const p of this[PIPES]) {
 | |
|           if (p.dest.write(data) === false)
 | |
|             this.pause();
 | |
|         }
 | |
|         const ret = this[DISCARDED] ? false : super.emit("data", data);
 | |
|         this[MAYBE_EMIT_END]();
 | |
|         return ret;
 | |
|       }
 | |
|       [EMITEND]() {
 | |
|         if (this[EMITTED_END])
 | |
|           return false;
 | |
|         this[EMITTED_END] = true;
 | |
|         this.readable = false;
 | |
|         return this[ASYNC] ? (defer(() => this[EMITEND2]()), true) : this[EMITEND2]();
 | |
|       }
 | |
|       [EMITEND2]() {
 | |
|         if (this[DECODER]) {
 | |
|           const data = this[DECODER].end();
 | |
|           if (data) {
 | |
|             for (const p of this[PIPES]) {
 | |
|               p.dest.write(data);
 | |
|             }
 | |
|             if (!this[DISCARDED])
 | |
|               super.emit("data", data);
 | |
|           }
 | |
|         }
 | |
|         for (const p of this[PIPES]) {
 | |
|           p.end();
 | |
|         }
 | |
|         const ret = super.emit("end");
 | |
|         this.removeAllListeners("end");
 | |
|         return ret;
 | |
|       }
 | |
|       /**
 | |
|        * Return a Promise that resolves to an array of all emitted data once
 | |
|        * the stream ends.
 | |
|        */
 | |
|       async collect() {
 | |
|         const buf = Object.assign([], {
 | |
|           dataLength: 0
 | |
|         });
 | |
|         if (!this[OBJECTMODE])
 | |
|           buf.dataLength = 0;
 | |
|         const p = this.promise();
 | |
|         this.on("data", (c) => {
 | |
|           buf.push(c);
 | |
|           if (!this[OBJECTMODE])
 | |
|             buf.dataLength += c.length;
 | |
|         });
 | |
|         await p;
 | |
|         return buf;
 | |
|       }
 | |
|       /**
 | |
|        * Return a Promise that resolves to the concatenation of all emitted data
 | |
|        * once the stream ends.
 | |
|        *
 | |
|        * Not allowed on objectMode streams.
 | |
|        */
 | |
|       async concat() {
 | |
|         if (this[OBJECTMODE]) {
 | |
|           throw new Error("cannot concat in objectMode");
 | |
|         }
 | |
|         const buf = await this.collect();
 | |
|         return this[ENCODING] ? buf.join("") : Buffer.concat(buf, buf.dataLength);
 | |
|       }
 | |
|       /**
 | |
|        * Return a void Promise that resolves once the stream ends.
 | |
|        */
 | |
|       async promise() {
 | |
|         return new Promise((resolve, reject) => {
 | |
|           this.on(DESTROYED, () => reject(new Error("stream destroyed")));
 | |
|           this.on("error", (er) => reject(er));
 | |
|           this.on("end", () => resolve());
 | |
|         });
 | |
|       }
 | |
|       /**
 | |
|        * Asynchronous `for await of` iteration.
 | |
|        *
 | |
|        * This will continue emitting all chunks until the stream terminates.
 | |
|        */
 | |
|       [Symbol.asyncIterator]() {
 | |
|         this[DISCARDED] = false;
 | |
|         let stopped = false;
 | |
|         const stop = async () => {
 | |
|           this.pause();
 | |
|           stopped = true;
 | |
|           return { value: void 0, done: true };
 | |
|         };
 | |
|         const next = () => {
 | |
|           if (stopped)
 | |
|             return stop();
 | |
|           const res = this.read();
 | |
|           if (res !== null)
 | |
|             return Promise.resolve({ done: false, value: res });
 | |
|           if (this[EOF])
 | |
|             return stop();
 | |
|           let resolve;
 | |
|           let reject;
 | |
|           const onerr = (er) => {
 | |
|             this.off("data", ondata);
 | |
|             this.off("end", onend);
 | |
|             this.off(DESTROYED, ondestroy);
 | |
|             stop();
 | |
|             reject(er);
 | |
|           };
 | |
|           const ondata = (value) => {
 | |
|             this.off("error", onerr);
 | |
|             this.off("end", onend);
 | |
|             this.off(DESTROYED, ondestroy);
 | |
|             this.pause();
 | |
|             resolve({ value, done: !!this[EOF] });
 | |
|           };
 | |
|           const onend = () => {
 | |
|             this.off("error", onerr);
 | |
|             this.off("data", ondata);
 | |
|             this.off(DESTROYED, ondestroy);
 | |
|             stop();
 | |
|             resolve({ done: true, value: void 0 });
 | |
|           };
 | |
|           const ondestroy = () => onerr(new Error("stream destroyed"));
 | |
|           return new Promise((res2, rej) => {
 | |
|             reject = rej;
 | |
|             resolve = res2;
 | |
|             this.once(DESTROYED, ondestroy);
 | |
|             this.once("error", onerr);
 | |
|             this.once("end", onend);
 | |
|             this.once("data", ondata);
 | |
|           });
 | |
|         };
 | |
|         return {
 | |
|           next,
 | |
|           throw: stop,
 | |
|           return: stop,
 | |
|           [Symbol.asyncIterator]() {
 | |
|             return this;
 | |
|           }
 | |
|         };
 | |
|       }
 | |
|       /**
 | |
|        * Synchronous `for of` iteration.
 | |
|        *
 | |
|        * The iteration will terminate when the internal buffer runs out, even
 | |
|        * if the stream has not yet terminated.
 | |
|        */
 | |
|       [Symbol.iterator]() {
 | |
|         this[DISCARDED] = false;
 | |
|         let stopped = false;
 | |
|         const stop = () => {
 | |
|           this.pause();
 | |
|           this.off(ERROR, stop);
 | |
|           this.off(DESTROYED, stop);
 | |
|           this.off("end", stop);
 | |
|           stopped = true;
 | |
|           return { done: true, value: void 0 };
 | |
|         };
 | |
|         const next = () => {
 | |
|           if (stopped)
 | |
|             return stop();
 | |
|           const value = this.read();
 | |
|           return value === null ? stop() : { done: false, value };
 | |
|         };
 | |
|         this.once("end", stop);
 | |
|         this.once(ERROR, stop);
 | |
|         this.once(DESTROYED, stop);
 | |
|         return {
 | |
|           next,
 | |
|           throw: stop,
 | |
|           return: stop,
 | |
|           [Symbol.iterator]() {
 | |
|             return this;
 | |
|           }
 | |
|         };
 | |
|       }
 | |
|       /**
 | |
|        * Destroy a stream, preventing it from being used for any further purpose.
 | |
|        *
 | |
|        * If the stream has a `close()` method, then it will be called on
 | |
|        * destruction.
 | |
|        *
 | |
|        * After destruction, any attempt to write data, read data, or emit most
 | |
|        * events will be ignored.
 | |
|        *
 | |
|        * If an error argument is provided, then it will be emitted in an
 | |
|        * 'error' event.
 | |
|        */
 | |
|       destroy(er) {
 | |
|         if (this[DESTROYED]) {
 | |
|           if (er)
 | |
|             this.emit("error", er);
 | |
|           else
 | |
|             this.emit(DESTROYED);
 | |
|           return this;
 | |
|         }
 | |
|         this[DESTROYED] = true;
 | |
|         this[DISCARDED] = true;
 | |
|         this[BUFFER].length = 0;
 | |
|         this[BUFFERLENGTH] = 0;
 | |
|         const wc = this;
 | |
|         if (typeof wc.close === "function" && !this[CLOSED])
 | |
|           wc.close();
 | |
|         if (er)
 | |
|           this.emit("error", er);
 | |
|         else
 | |
|           this.emit(DESTROYED);
 | |
|         return this;
 | |
|       }
 | |
|       /**
 | |
|        * Alias for {@link isStream}
 | |
|        *
 | |
|        * Former export location, maintained for backwards compatibility.
 | |
|        *
 | |
|        * @deprecated
 | |
|        */
 | |
|       static get isStream() {
 | |
|         return exports2.isStream;
 | |
|       }
 | |
|     };
 | |
|     exports2.Minipass = Minipass;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/ssri@10.0.5/node_modules/ssri/lib/index.js
 | |
| var require_lib3 = __commonJS({
 | |
|   "../node_modules/.pnpm/ssri@10.0.5/node_modules/ssri/lib/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var crypto2 = require("crypto");
 | |
|     var { Minipass } = require_commonjs();
 | |
|     var SPEC_ALGORITHMS = ["sha512", "sha384", "sha256"];
 | |
|     var DEFAULT_ALGORITHMS = ["sha512"];
 | |
|     var BASE64_REGEX = /^[a-z0-9+/]+(?:=?=?)$/i;
 | |
|     var SRI_REGEX = /^([a-z0-9]+)-([^?]+)([?\S*]*)$/;
 | |
|     var STRICT_SRI_REGEX = /^([a-z0-9]+)-([A-Za-z0-9+/=]{44,88})(\?[\x21-\x7E]*)?$/;
 | |
|     var VCHAR_REGEX = /^[\x21-\x7E]+$/;
 | |
|     var getOptString = (options) => options?.length ? `?${options.join("?")}` : "";
 | |
|     var IntegrityStream = class extends Minipass {
 | |
|       #emittedIntegrity;
 | |
|       #emittedSize;
 | |
|       #emittedVerified;
 | |
|       constructor(opts) {
 | |
|         super();
 | |
|         this.size = 0;
 | |
|         this.opts = opts;
 | |
|         this.#getOptions();
 | |
|         if (opts?.algorithms) {
 | |
|           this.algorithms = [...opts.algorithms];
 | |
|         } else {
 | |
|           this.algorithms = [...DEFAULT_ALGORITHMS];
 | |
|         }
 | |
|         if (this.algorithm !== null && !this.algorithms.includes(this.algorithm)) {
 | |
|           this.algorithms.push(this.algorithm);
 | |
|         }
 | |
|         this.hashes = this.algorithms.map(crypto2.createHash);
 | |
|       }
 | |
|       #getOptions() {
 | |
|         this.sri = this.opts?.integrity ? parse(this.opts?.integrity, this.opts) : null;
 | |
|         this.expectedSize = this.opts?.size;
 | |
|         if (!this.sri) {
 | |
|           this.algorithm = null;
 | |
|         } else if (this.sri.isHash) {
 | |
|           this.goodSri = true;
 | |
|           this.algorithm = this.sri.algorithm;
 | |
|         } else {
 | |
|           this.goodSri = !this.sri.isEmpty();
 | |
|           this.algorithm = this.sri.pickAlgorithm(this.opts);
 | |
|         }
 | |
|         this.digests = this.goodSri ? this.sri[this.algorithm] : null;
 | |
|         this.optString = getOptString(this.opts?.options);
 | |
|       }
 | |
|       on(ev, handler) {
 | |
|         if (ev === "size" && this.#emittedSize) {
 | |
|           return handler(this.#emittedSize);
 | |
|         }
 | |
|         if (ev === "integrity" && this.#emittedIntegrity) {
 | |
|           return handler(this.#emittedIntegrity);
 | |
|         }
 | |
|         if (ev === "verified" && this.#emittedVerified) {
 | |
|           return handler(this.#emittedVerified);
 | |
|         }
 | |
|         return super.on(ev, handler);
 | |
|       }
 | |
|       emit(ev, data) {
 | |
|         if (ev === "end") {
 | |
|           this.#onEnd();
 | |
|         }
 | |
|         return super.emit(ev, data);
 | |
|       }
 | |
|       write(data) {
 | |
|         this.size += data.length;
 | |
|         this.hashes.forEach((h) => h.update(data));
 | |
|         return super.write(data);
 | |
|       }
 | |
|       #onEnd() {
 | |
|         if (!this.goodSri) {
 | |
|           this.#getOptions();
 | |
|         }
 | |
|         const newSri = parse(this.hashes.map((h, i) => {
 | |
|           return `${this.algorithms[i]}-${h.digest("base64")}${this.optString}`;
 | |
|         }).join(" "), this.opts);
 | |
|         const match = this.goodSri && newSri.match(this.sri, this.opts);
 | |
|         if (typeof this.expectedSize === "number" && this.size !== this.expectedSize) {
 | |
|           const err = new Error(`stream size mismatch when checking ${this.sri}.
 | |
|   Wanted: ${this.expectedSize}
 | |
|   Found: ${this.size}`);
 | |
|           err.code = "EBADSIZE";
 | |
|           err.found = this.size;
 | |
|           err.expected = this.expectedSize;
 | |
|           err.sri = this.sri;
 | |
|           this.emit("error", err);
 | |
|         } else if (this.sri && !match) {
 | |
|           const err = new Error(`${this.sri} integrity checksum failed when using ${this.algorithm}: wanted ${this.digests} but got ${newSri}. (${this.size} bytes)`);
 | |
|           err.code = "EINTEGRITY";
 | |
|           err.found = newSri;
 | |
|           err.expected = this.digests;
 | |
|           err.algorithm = this.algorithm;
 | |
|           err.sri = this.sri;
 | |
|           this.emit("error", err);
 | |
|         } else {
 | |
|           this.#emittedSize = this.size;
 | |
|           this.emit("size", this.size);
 | |
|           this.#emittedIntegrity = newSri;
 | |
|           this.emit("integrity", newSri);
 | |
|           if (match) {
 | |
|             this.#emittedVerified = match;
 | |
|             this.emit("verified", match);
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|     var Hash = class {
 | |
|       get isHash() {
 | |
|         return true;
 | |
|       }
 | |
|       constructor(hash, opts) {
 | |
|         const strict = opts?.strict;
 | |
|         this.source = hash.trim();
 | |
|         this.digest = "";
 | |
|         this.algorithm = "";
 | |
|         this.options = [];
 | |
|         const match = this.source.match(
 | |
|           strict ? STRICT_SRI_REGEX : SRI_REGEX
 | |
|         );
 | |
|         if (!match) {
 | |
|           return;
 | |
|         }
 | |
|         if (strict && !SPEC_ALGORITHMS.includes(match[1])) {
 | |
|           return;
 | |
|         }
 | |
|         this.algorithm = match[1];
 | |
|         this.digest = match[2];
 | |
|         const rawOpts = match[3];
 | |
|         if (rawOpts) {
 | |
|           this.options = rawOpts.slice(1).split("?");
 | |
|         }
 | |
|       }
 | |
|       hexDigest() {
 | |
|         return this.digest && Buffer.from(this.digest, "base64").toString("hex");
 | |
|       }
 | |
|       toJSON() {
 | |
|         return this.toString();
 | |
|       }
 | |
|       match(integrity, opts) {
 | |
|         const other = parse(integrity, opts);
 | |
|         if (!other) {
 | |
|           return false;
 | |
|         }
 | |
|         if (other.isIntegrity) {
 | |
|           const algo = other.pickAlgorithm(opts, [this.algorithm]);
 | |
|           if (!algo) {
 | |
|             return false;
 | |
|           }
 | |
|           const foundHash = other[algo].find((hash) => hash.digest === this.digest);
 | |
|           if (foundHash) {
 | |
|             return foundHash;
 | |
|           }
 | |
|           return false;
 | |
|         }
 | |
|         return other.digest === this.digest ? other : false;
 | |
|       }
 | |
|       toString(opts) {
 | |
|         if (opts?.strict) {
 | |
|           if (!// The spec has very restricted productions for algorithms.
 | |
|           // https://www.w3.org/TR/CSP2/#source-list-syntax
 | |
|           (SPEC_ALGORITHMS.includes(this.algorithm) && // Usually, if someone insists on using a "different" base64, we
 | |
|           // leave it as-is, since there's multiple standards, and the
 | |
|           // specified is not a URL-safe variant.
 | |
|           // https://www.w3.org/TR/CSP2/#base64_value
 | |
|           this.digest.match(BASE64_REGEX) && // Option syntax is strictly visual chars.
 | |
|           // https://w3c.github.io/webappsec-subresource-integrity/#grammardef-option-expression
 | |
|           // https://tools.ietf.org/html/rfc5234#appendix-B.1
 | |
|           this.options.every((opt) => opt.match(VCHAR_REGEX)))) {
 | |
|             return "";
 | |
|           }
 | |
|         }
 | |
|         return `${this.algorithm}-${this.digest}${getOptString(this.options)}`;
 | |
|       }
 | |
|     };
 | |
|     function integrityHashToString(toString, sep, opts, hashes) {
 | |
|       const toStringIsNotEmpty = toString !== "";
 | |
|       let shouldAddFirstSep = false;
 | |
|       let complement = "";
 | |
|       const lastIndex = hashes.length - 1;
 | |
|       for (let i = 0; i < lastIndex; i++) {
 | |
|         const hashString = Hash.prototype.toString.call(hashes[i], opts);
 | |
|         if (hashString) {
 | |
|           shouldAddFirstSep = true;
 | |
|           complement += hashString;
 | |
|           complement += sep;
 | |
|         }
 | |
|       }
 | |
|       const finalHashString = Hash.prototype.toString.call(hashes[lastIndex], opts);
 | |
|       if (finalHashString) {
 | |
|         shouldAddFirstSep = true;
 | |
|         complement += finalHashString;
 | |
|       }
 | |
|       if (toStringIsNotEmpty && shouldAddFirstSep) {
 | |
|         return toString + sep + complement;
 | |
|       }
 | |
|       return toString + complement;
 | |
|     }
 | |
|     var Integrity = class {
 | |
|       get isIntegrity() {
 | |
|         return true;
 | |
|       }
 | |
|       toJSON() {
 | |
|         return this.toString();
 | |
|       }
 | |
|       isEmpty() {
 | |
|         return Object.keys(this).length === 0;
 | |
|       }
 | |
|       toString(opts) {
 | |
|         let sep = opts?.sep || " ";
 | |
|         let toString = "";
 | |
|         if (opts?.strict) {
 | |
|           sep = sep.replace(/\S+/g, " ");
 | |
|           for (const hash of SPEC_ALGORITHMS) {
 | |
|             if (this[hash]) {
 | |
|               toString = integrityHashToString(toString, sep, opts, this[hash]);
 | |
|             }
 | |
|           }
 | |
|         } else {
 | |
|           for (const hash of Object.keys(this)) {
 | |
|             toString = integrityHashToString(toString, sep, opts, this[hash]);
 | |
|           }
 | |
|         }
 | |
|         return toString;
 | |
|       }
 | |
|       concat(integrity, opts) {
 | |
|         const other = typeof integrity === "string" ? integrity : stringify(integrity, opts);
 | |
|         return parse(`${this.toString(opts)} ${other}`, opts);
 | |
|       }
 | |
|       hexDigest() {
 | |
|         return parse(this, { single: true }).hexDigest();
 | |
|       }
 | |
|       // add additional hashes to an integrity value, but prevent
 | |
|       // *changing* an existing integrity hash.
 | |
|       merge(integrity, opts) {
 | |
|         const other = parse(integrity, opts);
 | |
|         for (const algo in other) {
 | |
|           if (this[algo]) {
 | |
|             if (!this[algo].find((hash) => other[algo].find((otherhash) => hash.digest === otherhash.digest))) {
 | |
|               throw new Error("hashes do not match, cannot update integrity");
 | |
|             }
 | |
|           } else {
 | |
|             this[algo] = other[algo];
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       match(integrity, opts) {
 | |
|         const other = parse(integrity, opts);
 | |
|         if (!other) {
 | |
|           return false;
 | |
|         }
 | |
|         const algo = other.pickAlgorithm(opts, Object.keys(this));
 | |
|         return !!algo && this[algo] && other[algo] && this[algo].find(
 | |
|           (hash) => other[algo].find(
 | |
|             (otherhash) => hash.digest === otherhash.digest
 | |
|           )
 | |
|         ) || false;
 | |
|       }
 | |
|       // Pick the highest priority algorithm present, optionally also limited to a
 | |
|       // set of hashes found in another integrity.  When limiting it may return
 | |
|       // nothing.
 | |
|       pickAlgorithm(opts, hashes) {
 | |
|         const pickAlgorithm = opts?.pickAlgorithm || getPrioritizedHash;
 | |
|         const keys = Object.keys(this).filter((k) => {
 | |
|           if (hashes?.length) {
 | |
|             return hashes.includes(k);
 | |
|           }
 | |
|           return true;
 | |
|         });
 | |
|         if (keys.length) {
 | |
|           return keys.reduce((acc, algo) => pickAlgorithm(acc, algo) || acc);
 | |
|         }
 | |
|         return null;
 | |
|       }
 | |
|     };
 | |
|     module2.exports.parse = parse;
 | |
|     function parse(sri, opts) {
 | |
|       if (!sri) {
 | |
|         return null;
 | |
|       }
 | |
|       if (typeof sri === "string") {
 | |
|         return _parse(sri, opts);
 | |
|       } else if (sri.algorithm && sri.digest) {
 | |
|         const fullSri = new Integrity();
 | |
|         fullSri[sri.algorithm] = [sri];
 | |
|         return _parse(stringify(fullSri, opts), opts);
 | |
|       } else {
 | |
|         return _parse(stringify(sri, opts), opts);
 | |
|       }
 | |
|     }
 | |
|     function _parse(integrity, opts) {
 | |
|       if (opts?.single) {
 | |
|         return new Hash(integrity, opts);
 | |
|       }
 | |
|       const hashes = integrity.trim().split(/\s+/).reduce((acc, string) => {
 | |
|         const hash = new Hash(string, opts);
 | |
|         if (hash.algorithm && hash.digest) {
 | |
|           const algo = hash.algorithm;
 | |
|           if (!acc[algo]) {
 | |
|             acc[algo] = [];
 | |
|           }
 | |
|           acc[algo].push(hash);
 | |
|         }
 | |
|         return acc;
 | |
|       }, new Integrity());
 | |
|       return hashes.isEmpty() ? null : hashes;
 | |
|     }
 | |
|     module2.exports.stringify = stringify;
 | |
|     function stringify(obj, opts) {
 | |
|       if (obj.algorithm && obj.digest) {
 | |
|         return Hash.prototype.toString.call(obj, opts);
 | |
|       } else if (typeof obj === "string") {
 | |
|         return stringify(parse(obj, opts), opts);
 | |
|       } else {
 | |
|         return Integrity.prototype.toString.call(obj, opts);
 | |
|       }
 | |
|     }
 | |
|     module2.exports.fromHex = fromHex;
 | |
|     function fromHex(hexDigest, algorithm, opts) {
 | |
|       const optString = getOptString(opts?.options);
 | |
|       return parse(
 | |
|         `${algorithm}-${Buffer.from(hexDigest, "hex").toString("base64")}${optString}`,
 | |
|         opts
 | |
|       );
 | |
|     }
 | |
|     module2.exports.fromData = fromData;
 | |
|     function fromData(data, opts) {
 | |
|       const algorithms = opts?.algorithms || [...DEFAULT_ALGORITHMS];
 | |
|       const optString = getOptString(opts?.options);
 | |
|       return algorithms.reduce((acc, algo) => {
 | |
|         const digest = crypto2.createHash(algo).update(data).digest("base64");
 | |
|         const hash = new Hash(
 | |
|           `${algo}-${digest}${optString}`,
 | |
|           opts
 | |
|         );
 | |
|         if (hash.algorithm && hash.digest) {
 | |
|           const hashAlgo = hash.algorithm;
 | |
|           if (!acc[hashAlgo]) {
 | |
|             acc[hashAlgo] = [];
 | |
|           }
 | |
|           acc[hashAlgo].push(hash);
 | |
|         }
 | |
|         return acc;
 | |
|       }, new Integrity());
 | |
|     }
 | |
|     module2.exports.fromStream = fromStream;
 | |
|     function fromStream(stream, opts) {
 | |
|       const istream = integrityStream(opts);
 | |
|       return new Promise((resolve, reject) => {
 | |
|         stream.pipe(istream);
 | |
|         stream.on("error", reject);
 | |
|         istream.on("error", reject);
 | |
|         let sri;
 | |
|         istream.on("integrity", (s) => {
 | |
|           sri = s;
 | |
|         });
 | |
|         istream.on("end", () => resolve(sri));
 | |
|         istream.resume();
 | |
|       });
 | |
|     }
 | |
|     module2.exports.checkData = checkData;
 | |
|     function checkData(data, sri, opts) {
 | |
|       sri = parse(sri, opts);
 | |
|       if (!sri || !Object.keys(sri).length) {
 | |
|         if (opts?.error) {
 | |
|           throw Object.assign(
 | |
|             new Error("No valid integrity hashes to check against"),
 | |
|             {
 | |
|               code: "EINTEGRITY"
 | |
|             }
 | |
|           );
 | |
|         } else {
 | |
|           return false;
 | |
|         }
 | |
|       }
 | |
|       const algorithm = sri.pickAlgorithm(opts);
 | |
|       const digest = crypto2.createHash(algorithm).update(data).digest("base64");
 | |
|       const newSri = parse({ algorithm, digest });
 | |
|       const match = newSri.match(sri, opts);
 | |
|       opts = opts || {};
 | |
|       if (match || !opts.error) {
 | |
|         return match;
 | |
|       } else if (typeof opts.size === "number" && data.length !== opts.size) {
 | |
|         const err = new Error(`data size mismatch when checking ${sri}.
 | |
|   Wanted: ${opts.size}
 | |
|   Found: ${data.length}`);
 | |
|         err.code = "EBADSIZE";
 | |
|         err.found = data.length;
 | |
|         err.expected = opts.size;
 | |
|         err.sri = sri;
 | |
|         throw err;
 | |
|       } else {
 | |
|         const err = new Error(`Integrity checksum failed when using ${algorithm}: Wanted ${sri}, but got ${newSri}. (${data.length} bytes)`);
 | |
|         err.code = "EINTEGRITY";
 | |
|         err.found = newSri;
 | |
|         err.expected = sri;
 | |
|         err.algorithm = algorithm;
 | |
|         err.sri = sri;
 | |
|         throw err;
 | |
|       }
 | |
|     }
 | |
|     module2.exports.checkStream = checkStream;
 | |
|     function checkStream(stream, sri, opts) {
 | |
|       opts = opts || /* @__PURE__ */ Object.create(null);
 | |
|       opts.integrity = sri;
 | |
|       sri = parse(sri, opts);
 | |
|       if (!sri || !Object.keys(sri).length) {
 | |
|         return Promise.reject(Object.assign(
 | |
|           new Error("No valid integrity hashes to check against"),
 | |
|           {
 | |
|             code: "EINTEGRITY"
 | |
|           }
 | |
|         ));
 | |
|       }
 | |
|       const checker = integrityStream(opts);
 | |
|       return new Promise((resolve, reject) => {
 | |
|         stream.pipe(checker);
 | |
|         stream.on("error", reject);
 | |
|         checker.on("error", reject);
 | |
|         let verified;
 | |
|         checker.on("verified", (s) => {
 | |
|           verified = s;
 | |
|         });
 | |
|         checker.on("end", () => resolve(verified));
 | |
|         checker.resume();
 | |
|       });
 | |
|     }
 | |
|     module2.exports.integrityStream = integrityStream;
 | |
|     function integrityStream(opts = /* @__PURE__ */ Object.create(null)) {
 | |
|       return new IntegrityStream(opts);
 | |
|     }
 | |
|     module2.exports.create = createIntegrity;
 | |
|     function createIntegrity(opts) {
 | |
|       const algorithms = opts?.algorithms || [...DEFAULT_ALGORITHMS];
 | |
|       const optString = getOptString(opts?.options);
 | |
|       const hashes = algorithms.map(crypto2.createHash);
 | |
|       return {
 | |
|         update: function(chunk, enc) {
 | |
|           hashes.forEach((h) => h.update(chunk, enc));
 | |
|           return this;
 | |
|         },
 | |
|         digest: function(enc) {
 | |
|           const integrity = algorithms.reduce((acc, algo) => {
 | |
|             const digest = hashes.shift().digest("base64");
 | |
|             const hash = new Hash(
 | |
|               `${algo}-${digest}${optString}`,
 | |
|               opts
 | |
|             );
 | |
|             if (hash.algorithm && hash.digest) {
 | |
|               const hashAlgo = hash.algorithm;
 | |
|               if (!acc[hashAlgo]) {
 | |
|                 acc[hashAlgo] = [];
 | |
|               }
 | |
|               acc[hashAlgo].push(hash);
 | |
|             }
 | |
|             return acc;
 | |
|           }, new Integrity());
 | |
|           return integrity;
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     var NODE_HASHES = crypto2.getHashes();
 | |
|     var DEFAULT_PRIORITY = [
 | |
|       "md5",
 | |
|       "whirlpool",
 | |
|       "sha1",
 | |
|       "sha224",
 | |
|       "sha256",
 | |
|       "sha384",
 | |
|       "sha512",
 | |
|       // TODO - it's unclear _which_ of these Node will actually use as its name
 | |
|       //        for the algorithm, so we guesswork it based on the OpenSSL names.
 | |
|       "sha3",
 | |
|       "sha3-256",
 | |
|       "sha3-384",
 | |
|       "sha3-512",
 | |
|       "sha3_256",
 | |
|       "sha3_384",
 | |
|       "sha3_512"
 | |
|     ].filter((algo) => NODE_HASHES.includes(algo));
 | |
|     function getPrioritizedHash(algo1, algo2) {
 | |
|       return DEFAULT_PRIORITY.indexOf(algo1.toLowerCase()) >= DEFAULT_PRIORITY.indexOf(algo2.toLowerCase()) ? algo1 : algo2;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/strip-bom@4.0.0/node_modules/strip-bom/index.js
 | |
| var require_strip_bom = __commonJS({
 | |
|   "../node_modules/.pnpm/strip-bom@4.0.0/node_modules/strip-bom/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = (string) => {
 | |
|       if (typeof string !== "string") {
 | |
|         throw new TypeError(`Expected a string, got ${typeof string}`);
 | |
|       }
 | |
|       if (string.charCodeAt(0) === 65279) {
 | |
|         return string.slice(1);
 | |
|       }
 | |
|       return string;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/parseJson.js
 | |
| var require_parseJson = __commonJS({
 | |
|   "../store/cafs/lib/parseJson.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.parseJsonBufferSync = void 0;
 | |
|     var strip_bom_1 = __importDefault2(require_strip_bom());
 | |
|     function parseJsonBufferSync(buffer) {
 | |
|       return JSON.parse((0, strip_bom_1.default)(buffer.toString()));
 | |
|     }
 | |
|     exports2.parseJsonBufferSync = parseJsonBufferSync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/addFilesFromDir.js
 | |
| var require_addFilesFromDir = __commonJS({
 | |
|   "../store/cafs/lib/addFilesFromDir.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.addFilesFromDir = void 0;
 | |
|     var fs_12 = __importDefault2(require("fs"));
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var graceful_fs_12 = __importDefault2(require_lib());
 | |
|     var parseJson_1 = require_parseJson();
 | |
|     function addFilesFromDir2(addBuffer, dirname, readManifest) {
 | |
|       const filesIndex = {};
 | |
|       const manifest = _retrieveFileIntegrities(addBuffer, dirname, dirname, filesIndex, readManifest);
 | |
|       return { filesIndex, manifest };
 | |
|     }
 | |
|     exports2.addFilesFromDir = addFilesFromDir2;
 | |
|     function _retrieveFileIntegrities(addBuffer, rootDir, currDir, index, readManifest) {
 | |
|       const files = fs_12.default.readdirSync(currDir, { withFileTypes: true });
 | |
|       let manifest;
 | |
|       for (const file of files) {
 | |
|         const fullPath = path_12.default.join(currDir, file.name);
 | |
|         if (file.isDirectory()) {
 | |
|           _retrieveFileIntegrities(addBuffer, rootDir, fullPath, index);
 | |
|           continue;
 | |
|         }
 | |
|         if (file.isFile()) {
 | |
|           const relativePath = path_12.default.relative(rootDir, fullPath);
 | |
|           let stat;
 | |
|           try {
 | |
|             stat = fs_12.default.statSync(fullPath);
 | |
|           } catch (err) {
 | |
|             if (err.code !== "ENOENT") {
 | |
|               throw err;
 | |
|             }
 | |
|             continue;
 | |
|           }
 | |
|           const buffer = graceful_fs_12.default.readFileSync(fullPath);
 | |
|           if (rootDir === currDir && readManifest && file.name === "package.json") {
 | |
|             manifest = (0, parseJson_1.parseJsonBufferSync)(buffer);
 | |
|           }
 | |
|           index[relativePath] = {
 | |
|             mode: stat.mode,
 | |
|             size: stat.size,
 | |
|             ...addBuffer(buffer, stat.mode)
 | |
|           };
 | |
|         }
 | |
|       }
 | |
|       return manifest;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/is-gzip@2.0.0/node_modules/is-gzip/index.js
 | |
| var require_is_gzip = __commonJS({
 | |
|   "../node_modules/.pnpm/is-gzip@2.0.0/node_modules/is-gzip/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = (buf) => {
 | |
|       if (!buf || buf.length < 3) {
 | |
|         return false;
 | |
|       }
 | |
|       return buf[0] === 31 && buf[1] === 139 && buf[2] === 8;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/parseTarball.js
 | |
| var require_parseTarball = __commonJS({
 | |
|   "../store/cafs/lib/parseTarball.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.parseTarball = void 0;
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var ZERO = "0".charCodeAt(0);
 | |
|     var FILE_TYPE_HARD_LINK = "1".charCodeAt(0);
 | |
|     var FILE_TYPE_SYMLINK = "2".charCodeAt(0);
 | |
|     var FILE_TYPE_DIRECTORY = "5".charCodeAt(0);
 | |
|     var SPACE = " ".charCodeAt(0);
 | |
|     var SLASH = "/".charCodeAt(0);
 | |
|     var BACKSLASH = "\\".charCodeAt(0);
 | |
|     var FILE_TYPE_PAX_HEADER = "x".charCodeAt(0);
 | |
|     var FILE_TYPE_PAX_GLOBAL_HEADER = "g".charCodeAt(0);
 | |
|     var FILE_TYPE_LONGLINK = "L".charCodeAt(0);
 | |
|     var USTAR_MAGIC = Buffer.from("ustar", "latin1");
 | |
|     var MODE_OFFSET = 100;
 | |
|     var FILE_SIZE_OFFSET = 124;
 | |
|     var CHECKSUM_OFFSET = 148;
 | |
|     var FILE_TYPE_OFFSET = 156;
 | |
|     var MAGIC_OFFSET = 257;
 | |
|     var PREFIX_OFFSET = 345;
 | |
|     function parseTarball(buffer) {
 | |
|       const files = /* @__PURE__ */ new Map();
 | |
|       let pathTrimmed = false;
 | |
|       let mode = 0;
 | |
|       let fileSize = 0;
 | |
|       let fileType = 0;
 | |
|       let prefix = "";
 | |
|       let fileName = "";
 | |
|       let longLinkPath = "";
 | |
|       let paxHeaderPath = "";
 | |
|       let paxHeaderFileSize;
 | |
|       let blockBytes = 0;
 | |
|       let blockStart = 0;
 | |
|       while (buffer[blockStart] !== 0) {
 | |
|         fileType = buffer[blockStart + FILE_TYPE_OFFSET];
 | |
|         if (paxHeaderFileSize !== void 0) {
 | |
|           fileSize = paxHeaderFileSize;
 | |
|           paxHeaderFileSize = void 0;
 | |
|         } else {
 | |
|           fileSize = parseOctal(blockStart + FILE_SIZE_OFFSET, 12);
 | |
|         }
 | |
|         blockBytes = (fileSize & ~511) + (fileSize & 511 ? 1024 : 512);
 | |
|         const expectedCheckSum = parseOctal(blockStart + CHECKSUM_OFFSET, 8);
 | |
|         const actualCheckSum = checkSum(blockStart);
 | |
|         if (expectedCheckSum !== actualCheckSum) {
 | |
|           throw new Error(`Invalid checksum for TAR header at offset ${blockStart}. Expected ${expectedCheckSum}, got ${actualCheckSum}`);
 | |
|         }
 | |
|         if (buffer.compare(USTAR_MAGIC, 0, USTAR_MAGIC.byteLength, blockStart + MAGIC_OFFSET, blockStart + MAGIC_OFFSET + USTAR_MAGIC.byteLength) !== 0) {
 | |
|           throw new Error(`This parser only supports USTAR or GNU TAR archives. Found magic and version: ${buffer.toString("latin1", blockStart + MAGIC_OFFSET, blockStart + MAGIC_OFFSET + 8)}`);
 | |
|         }
 | |
|         pathTrimmed = false;
 | |
|         if (longLinkPath) {
 | |
|           fileName = longLinkPath;
 | |
|           longLinkPath = "";
 | |
|         } else if (paxHeaderPath) {
 | |
|           fileName = paxHeaderPath;
 | |
|           paxHeaderPath = "";
 | |
|         } else {
 | |
|           prefix = parseString(blockStart + PREFIX_OFFSET, 155);
 | |
|           if (prefix && !pathTrimmed) {
 | |
|             pathTrimmed = true;
 | |
|             prefix = "";
 | |
|           }
 | |
|           fileName = parseString(blockStart, MODE_OFFSET);
 | |
|           if (prefix) {
 | |
|             fileName = `${prefix}/${fileName}`;
 | |
|           }
 | |
|         }
 | |
|         if (fileName.includes("./")) {
 | |
|           fileName = path_12.default.posix.join("/", fileName).slice(1);
 | |
|         }
 | |
|         switch (fileType) {
 | |
|           case 0:
 | |
|           case ZERO:
 | |
|           case FILE_TYPE_HARD_LINK:
 | |
|             mode = parseOctal(blockStart + MODE_OFFSET, 8);
 | |
|             files.set(fileName.replaceAll("//", "/"), { offset: blockStart + 512, mode, size: fileSize });
 | |
|             break;
 | |
|           case FILE_TYPE_DIRECTORY:
 | |
|           case FILE_TYPE_SYMLINK:
 | |
|             break;
 | |
|           case FILE_TYPE_PAX_HEADER:
 | |
|             parsePaxHeader(blockStart + 512, fileSize, false);
 | |
|             break;
 | |
|           case FILE_TYPE_PAX_GLOBAL_HEADER:
 | |
|             parsePaxHeader(blockStart + 512, fileSize, true);
 | |
|             break;
 | |
|           case FILE_TYPE_LONGLINK: {
 | |
|             longLinkPath = buffer.toString("utf8", blockStart + 512, blockStart + 512 + fileSize).replace(/\0.*/, "");
 | |
|             const slashIndex = longLinkPath.indexOf("/");
 | |
|             if (slashIndex >= 0) {
 | |
|               longLinkPath = longLinkPath.slice(slashIndex + 1);
 | |
|             }
 | |
|             break;
 | |
|           }
 | |
|           default:
 | |
|             throw new Error(`Unsupported file type ${fileType} for file ${fileName}.`);
 | |
|         }
 | |
|         blockStart += blockBytes;
 | |
|       }
 | |
|       return { files, buffer: buffer.buffer };
 | |
|       function checkSum(offset) {
 | |
|         let sum = 256;
 | |
|         let i = offset;
 | |
|         const checksumStart = offset + 148;
 | |
|         const checksumEnd = offset + 156;
 | |
|         const blockEnd = offset + 512;
 | |
|         for (; i < checksumStart; i++) {
 | |
|           sum += buffer[i];
 | |
|         }
 | |
|         for (i = checksumEnd; i < blockEnd; i++) {
 | |
|           sum += buffer[i];
 | |
|         }
 | |
|         return sum;
 | |
|       }
 | |
|       function parsePaxHeader(offset, length, global2) {
 | |
|         const end = offset + length;
 | |
|         let i = offset;
 | |
|         while (i < end) {
 | |
|           const lineStart = i;
 | |
|           while (i < end && buffer[i] !== SPACE) {
 | |
|             i++;
 | |
|           }
 | |
|           const strLen = buffer.toString("utf-8", lineStart, i);
 | |
|           const len = parseInt(strLen, 10);
 | |
|           if (!len) {
 | |
|             throw new Error(`Invalid length in PAX record: ${strLen}`);
 | |
|           }
 | |
|           i++;
 | |
|           const lineEnd = lineStart + len;
 | |
|           const record = buffer.toString("utf-8", i, lineEnd - 1);
 | |
|           i = lineEnd;
 | |
|           const equalSign = record.indexOf("=");
 | |
|           const keyword = record.slice(0, equalSign);
 | |
|           if (keyword === "path") {
 | |
|             const slashIndex = record.indexOf("/", equalSign + 1);
 | |
|             if (global2) {
 | |
|               throw new Error(`Unexpected global PAX path: ${record}`);
 | |
|             }
 | |
|             paxHeaderPath = record.slice(slashIndex >= 0 ? slashIndex + 1 : equalSign + 1);
 | |
|           } else if (keyword === "size") {
 | |
|             const size = parseInt(record.slice(equalSign + 1), 10);
 | |
|             if (isNaN(size) || size < 0) {
 | |
|               throw new Error(`Invalid size in PAX record: ${record}`);
 | |
|             }
 | |
|             if (global2) {
 | |
|               throw new Error(`Unexpected global PAX file size: ${record}`);
 | |
|             }
 | |
|             paxHeaderFileSize = size;
 | |
|           } else {
 | |
|             continue;
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       function parseString(offset, length) {
 | |
|         let end = offset;
 | |
|         const max = length + offset;
 | |
|         for (let char = buffer[end]; char !== 0 && end !== max; char = buffer[++end]) {
 | |
|           if (!pathTrimmed && (char === SLASH || char === BACKSLASH)) {
 | |
|             pathTrimmed = true;
 | |
|             offset = end + 1;
 | |
|           }
 | |
|         }
 | |
|         return buffer.toString("utf8", offset, end);
 | |
|       }
 | |
|       function parseOctal(offset, length) {
 | |
|         const val = buffer.subarray(offset, offset + length);
 | |
|         offset = 0;
 | |
|         while (offset < val.length && val[offset] === SPACE)
 | |
|           offset++;
 | |
|         const end = clamp(indexOf(val, SPACE, offset, val.length), val.length, val.length);
 | |
|         while (offset < end && val[offset] === 0)
 | |
|           offset++;
 | |
|         if (end === offset)
 | |
|           return 0;
 | |
|         return parseInt(val.slice(offset, end).toString(), 8);
 | |
|       }
 | |
|     }
 | |
|     exports2.parseTarball = parseTarball;
 | |
|     function indexOf(block, num, offset, end) {
 | |
|       for (; offset < end; offset++) {
 | |
|         if (block[offset] === num)
 | |
|           return offset;
 | |
|       }
 | |
|       return end;
 | |
|     }
 | |
|     function clamp(index, len, defaultValue) {
 | |
|       if (typeof index !== "number")
 | |
|         return defaultValue;
 | |
|       index = ~~index;
 | |
|       if (index >= len)
 | |
|         return len;
 | |
|       if (index >= 0)
 | |
|         return index;
 | |
|       index += len;
 | |
|       if (index >= 0)
 | |
|         return index;
 | |
|       return 0;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/addFilesFromTarball.js
 | |
| var require_addFilesFromTarball = __commonJS({
 | |
|   "../store/cafs/lib/addFilesFromTarball.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.addFilesFromTarball = void 0;
 | |
|     var is_gzip_1 = __importDefault2(require_is_gzip());
 | |
|     var zlib_1 = require("zlib");
 | |
|     var parseJson_1 = require_parseJson();
 | |
|     var parseTarball_1 = require_parseTarball();
 | |
|     function addFilesFromTarball(addBufferToCafs, _ignore, tarballBuffer, readManifest) {
 | |
|       const ignore = _ignore ?? (() => false);
 | |
|       const tarContent = (0, is_gzip_1.default)(tarballBuffer) ? (0, zlib_1.gunzipSync)(tarballBuffer) : Buffer.isBuffer(tarballBuffer) ? tarballBuffer : Buffer.from(tarballBuffer);
 | |
|       const { files } = (0, parseTarball_1.parseTarball)(tarContent);
 | |
|       const filesIndex = {};
 | |
|       let manifestBuffer;
 | |
|       for (const [relativePath, { mode, offset, size }] of files) {
 | |
|         if (ignore(relativePath))
 | |
|           continue;
 | |
|         const fileBuffer = tarContent.slice(offset, offset + size);
 | |
|         if (readManifest && relativePath === "package.json") {
 | |
|           manifestBuffer = fileBuffer;
 | |
|         }
 | |
|         filesIndex[relativePath] = {
 | |
|           mode,
 | |
|           size,
 | |
|           ...addBufferToCafs(fileBuffer, mode)
 | |
|         };
 | |
|       }
 | |
|       return {
 | |
|         filesIndex,
 | |
|         manifest: manifestBuffer ? (0, parseJson_1.parseJsonBufferSync)(manifestBuffer) : void 0
 | |
|       };
 | |
|     }
 | |
|     exports2.addFilesFromTarball = addFilesFromTarball;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs.realpath@1.0.0/node_modules/fs.realpath/old.js
 | |
| var require_old = __commonJS({
 | |
|   "../node_modules/.pnpm/fs.realpath@1.0.0/node_modules/fs.realpath/old.js"(exports2) {
 | |
|     var pathModule = require("path");
 | |
|     var isWindows = process.platform === "win32";
 | |
|     var fs = require("fs");
 | |
|     var DEBUG = process.env.NODE_DEBUG && /fs/.test(process.env.NODE_DEBUG);
 | |
|     function rethrow() {
 | |
|       var callback;
 | |
|       if (DEBUG) {
 | |
|         var backtrace = new Error();
 | |
|         callback = debugCallback;
 | |
|       } else
 | |
|         callback = missingCallback;
 | |
|       return callback;
 | |
|       function debugCallback(err) {
 | |
|         if (err) {
 | |
|           backtrace.message = err.message;
 | |
|           err = backtrace;
 | |
|           missingCallback(err);
 | |
|         }
 | |
|       }
 | |
|       function missingCallback(err) {
 | |
|         if (err) {
 | |
|           if (process.throwDeprecation)
 | |
|             throw err;
 | |
|           else if (!process.noDeprecation) {
 | |
|             var msg = "fs: missing callback " + (err.stack || err.message);
 | |
|             if (process.traceDeprecation)
 | |
|               console.trace(msg);
 | |
|             else
 | |
|               console.error(msg);
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function maybeCallback(cb) {
 | |
|       return typeof cb === "function" ? cb : rethrow();
 | |
|     }
 | |
|     var normalize = pathModule.normalize;
 | |
|     if (isWindows) {
 | |
|       nextPartRe = /(.*?)(?:[\/\\]+|$)/g;
 | |
|     } else {
 | |
|       nextPartRe = /(.*?)(?:[\/]+|$)/g;
 | |
|     }
 | |
|     var nextPartRe;
 | |
|     if (isWindows) {
 | |
|       splitRootRe = /^(?:[a-zA-Z]:|[\\\/]{2}[^\\\/]+[\\\/][^\\\/]+)?[\\\/]*/;
 | |
|     } else {
 | |
|       splitRootRe = /^[\/]*/;
 | |
|     }
 | |
|     var splitRootRe;
 | |
|     exports2.realpathSync = function realpathSync(p, cache) {
 | |
|       p = pathModule.resolve(p);
 | |
|       if (cache && Object.prototype.hasOwnProperty.call(cache, p)) {
 | |
|         return cache[p];
 | |
|       }
 | |
|       var original = p, seenLinks = {}, knownHard = {};
 | |
|       var pos;
 | |
|       var current;
 | |
|       var base;
 | |
|       var previous;
 | |
|       start();
 | |
|       function start() {
 | |
|         var m = splitRootRe.exec(p);
 | |
|         pos = m[0].length;
 | |
|         current = m[0];
 | |
|         base = m[0];
 | |
|         previous = "";
 | |
|         if (isWindows && !knownHard[base]) {
 | |
|           fs.lstatSync(base);
 | |
|           knownHard[base] = true;
 | |
|         }
 | |
|       }
 | |
|       while (pos < p.length) {
 | |
|         nextPartRe.lastIndex = pos;
 | |
|         var result = nextPartRe.exec(p);
 | |
|         previous = current;
 | |
|         current += result[0];
 | |
|         base = previous + result[1];
 | |
|         pos = nextPartRe.lastIndex;
 | |
|         if (knownHard[base] || cache && cache[base] === base) {
 | |
|           continue;
 | |
|         }
 | |
|         var resolvedLink;
 | |
|         if (cache && Object.prototype.hasOwnProperty.call(cache, base)) {
 | |
|           resolvedLink = cache[base];
 | |
|         } else {
 | |
|           var stat = fs.lstatSync(base);
 | |
|           if (!stat.isSymbolicLink()) {
 | |
|             knownHard[base] = true;
 | |
|             if (cache)
 | |
|               cache[base] = base;
 | |
|             continue;
 | |
|           }
 | |
|           var linkTarget = null;
 | |
|           if (!isWindows) {
 | |
|             var id = stat.dev.toString(32) + ":" + stat.ino.toString(32);
 | |
|             if (seenLinks.hasOwnProperty(id)) {
 | |
|               linkTarget = seenLinks[id];
 | |
|             }
 | |
|           }
 | |
|           if (linkTarget === null) {
 | |
|             fs.statSync(base);
 | |
|             linkTarget = fs.readlinkSync(base);
 | |
|           }
 | |
|           resolvedLink = pathModule.resolve(previous, linkTarget);
 | |
|           if (cache)
 | |
|             cache[base] = resolvedLink;
 | |
|           if (!isWindows)
 | |
|             seenLinks[id] = linkTarget;
 | |
|         }
 | |
|         p = pathModule.resolve(resolvedLink, p.slice(pos));
 | |
|         start();
 | |
|       }
 | |
|       if (cache)
 | |
|         cache[original] = p;
 | |
|       return p;
 | |
|     };
 | |
|     exports2.realpath = function realpath(p, cache, cb) {
 | |
|       if (typeof cb !== "function") {
 | |
|         cb = maybeCallback(cache);
 | |
|         cache = null;
 | |
|       }
 | |
|       p = pathModule.resolve(p);
 | |
|       if (cache && Object.prototype.hasOwnProperty.call(cache, p)) {
 | |
|         return process.nextTick(cb.bind(null, null, cache[p]));
 | |
|       }
 | |
|       var original = p, seenLinks = {}, knownHard = {};
 | |
|       var pos;
 | |
|       var current;
 | |
|       var base;
 | |
|       var previous;
 | |
|       start();
 | |
|       function start() {
 | |
|         var m = splitRootRe.exec(p);
 | |
|         pos = m[0].length;
 | |
|         current = m[0];
 | |
|         base = m[0];
 | |
|         previous = "";
 | |
|         if (isWindows && !knownHard[base]) {
 | |
|           fs.lstat(base, function(err) {
 | |
|             if (err)
 | |
|               return cb(err);
 | |
|             knownHard[base] = true;
 | |
|             LOOP();
 | |
|           });
 | |
|         } else {
 | |
|           process.nextTick(LOOP);
 | |
|         }
 | |
|       }
 | |
|       function LOOP() {
 | |
|         if (pos >= p.length) {
 | |
|           if (cache)
 | |
|             cache[original] = p;
 | |
|           return cb(null, p);
 | |
|         }
 | |
|         nextPartRe.lastIndex = pos;
 | |
|         var result = nextPartRe.exec(p);
 | |
|         previous = current;
 | |
|         current += result[0];
 | |
|         base = previous + result[1];
 | |
|         pos = nextPartRe.lastIndex;
 | |
|         if (knownHard[base] || cache && cache[base] === base) {
 | |
|           return process.nextTick(LOOP);
 | |
|         }
 | |
|         if (cache && Object.prototype.hasOwnProperty.call(cache, base)) {
 | |
|           return gotResolvedLink(cache[base]);
 | |
|         }
 | |
|         return fs.lstat(base, gotStat);
 | |
|       }
 | |
|       function gotStat(err, stat) {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (!stat.isSymbolicLink()) {
 | |
|           knownHard[base] = true;
 | |
|           if (cache)
 | |
|             cache[base] = base;
 | |
|           return process.nextTick(LOOP);
 | |
|         }
 | |
|         if (!isWindows) {
 | |
|           var id = stat.dev.toString(32) + ":" + stat.ino.toString(32);
 | |
|           if (seenLinks.hasOwnProperty(id)) {
 | |
|             return gotTarget(null, seenLinks[id], base);
 | |
|           }
 | |
|         }
 | |
|         fs.stat(base, function(err2) {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           fs.readlink(base, function(err3, target) {
 | |
|             if (!isWindows)
 | |
|               seenLinks[id] = target;
 | |
|             gotTarget(err3, target);
 | |
|           });
 | |
|         });
 | |
|       }
 | |
|       function gotTarget(err, target, base2) {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         var resolvedLink = pathModule.resolve(previous, target);
 | |
|         if (cache)
 | |
|           cache[base2] = resolvedLink;
 | |
|         gotResolvedLink(resolvedLink);
 | |
|       }
 | |
|       function gotResolvedLink(resolvedLink) {
 | |
|         p = pathModule.resolve(resolvedLink, p.slice(pos));
 | |
|         start();
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs.realpath@1.0.0/node_modules/fs.realpath/index.js
 | |
| var require_fs = __commonJS({
 | |
|   "../node_modules/.pnpm/fs.realpath@1.0.0/node_modules/fs.realpath/index.js"(exports2, module2) {
 | |
|     module2.exports = realpath;
 | |
|     realpath.realpath = realpath;
 | |
|     realpath.sync = realpathSync;
 | |
|     realpath.realpathSync = realpathSync;
 | |
|     realpath.monkeypatch = monkeypatch;
 | |
|     realpath.unmonkeypatch = unmonkeypatch;
 | |
|     var fs = require("fs");
 | |
|     var origRealpath = fs.realpath;
 | |
|     var origRealpathSync = fs.realpathSync;
 | |
|     var version = process.version;
 | |
|     var ok = /^v[0-5]\./.test(version);
 | |
|     var old = require_old();
 | |
|     function newError(er) {
 | |
|       return er && er.syscall === "realpath" && (er.code === "ELOOP" || er.code === "ENOMEM" || er.code === "ENAMETOOLONG");
 | |
|     }
 | |
|     function realpath(p, cache, cb) {
 | |
|       if (ok) {
 | |
|         return origRealpath(p, cache, cb);
 | |
|       }
 | |
|       if (typeof cache === "function") {
 | |
|         cb = cache;
 | |
|         cache = null;
 | |
|       }
 | |
|       origRealpath(p, cache, function(er, result) {
 | |
|         if (newError(er)) {
 | |
|           old.realpath(p, cache, cb);
 | |
|         } else {
 | |
|           cb(er, result);
 | |
|         }
 | |
|       });
 | |
|     }
 | |
|     function realpathSync(p, cache) {
 | |
|       if (ok) {
 | |
|         return origRealpathSync(p, cache);
 | |
|       }
 | |
|       try {
 | |
|         return origRealpathSync(p, cache);
 | |
|       } catch (er) {
 | |
|         if (newError(er)) {
 | |
|           return old.realpathSync(p, cache);
 | |
|         } else {
 | |
|           throw er;
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function monkeypatch() {
 | |
|       fs.realpath = realpath;
 | |
|       fs.realpathSync = realpathSync;
 | |
|     }
 | |
|     function unmonkeypatch() {
 | |
|       fs.realpath = origRealpath;
 | |
|       fs.realpathSync = origRealpathSync;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/concat-map@0.0.1/node_modules/concat-map/index.js
 | |
| var require_concat_map = __commonJS({
 | |
|   "../node_modules/.pnpm/concat-map@0.0.1/node_modules/concat-map/index.js"(exports2, module2) {
 | |
|     module2.exports = function(xs, fn) {
 | |
|       var res = [];
 | |
|       for (var i = 0; i < xs.length; i++) {
 | |
|         var x = fn(xs[i], i);
 | |
|         if (isArray(x))
 | |
|           res.push.apply(res, x);
 | |
|         else
 | |
|           res.push(x);
 | |
|       }
 | |
|       return res;
 | |
|     };
 | |
|     var isArray = Array.isArray || function(xs) {
 | |
|       return Object.prototype.toString.call(xs) === "[object Array]";
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/balanced-match@1.0.2/node_modules/balanced-match/index.js
 | |
| var require_balanced_match = __commonJS({
 | |
|   "../node_modules/.pnpm/balanced-match@1.0.2/node_modules/balanced-match/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = balanced;
 | |
|     function balanced(a, b, str) {
 | |
|       if (a instanceof RegExp)
 | |
|         a = maybeMatch(a, str);
 | |
|       if (b instanceof RegExp)
 | |
|         b = maybeMatch(b, str);
 | |
|       var r = range(a, b, str);
 | |
|       return r && {
 | |
|         start: r[0],
 | |
|         end: r[1],
 | |
|         pre: str.slice(0, r[0]),
 | |
|         body: str.slice(r[0] + a.length, r[1]),
 | |
|         post: str.slice(r[1] + b.length)
 | |
|       };
 | |
|     }
 | |
|     function maybeMatch(reg, str) {
 | |
|       var m = str.match(reg);
 | |
|       return m ? m[0] : null;
 | |
|     }
 | |
|     balanced.range = range;
 | |
|     function range(a, b, str) {
 | |
|       var begs, beg, left, right, result;
 | |
|       var ai = str.indexOf(a);
 | |
|       var bi = str.indexOf(b, ai + 1);
 | |
|       var i = ai;
 | |
|       if (ai >= 0 && bi > 0) {
 | |
|         if (a === b) {
 | |
|           return [ai, bi];
 | |
|         }
 | |
|         begs = [];
 | |
|         left = str.length;
 | |
|         while (i >= 0 && !result) {
 | |
|           if (i == ai) {
 | |
|             begs.push(i);
 | |
|             ai = str.indexOf(a, i + 1);
 | |
|           } else if (begs.length == 1) {
 | |
|             result = [begs.pop(), bi];
 | |
|           } else {
 | |
|             beg = begs.pop();
 | |
|             if (beg < left) {
 | |
|               left = beg;
 | |
|               right = bi;
 | |
|             }
 | |
|             bi = str.indexOf(b, i + 1);
 | |
|           }
 | |
|           i = ai < bi && ai >= 0 ? ai : bi;
 | |
|         }
 | |
|         if (begs.length) {
 | |
|           result = [left, right];
 | |
|         }
 | |
|       }
 | |
|       return result;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/brace-expansion@1.1.11/node_modules/brace-expansion/index.js
 | |
| var require_brace_expansion = __commonJS({
 | |
|   "../node_modules/.pnpm/brace-expansion@1.1.11/node_modules/brace-expansion/index.js"(exports2, module2) {
 | |
|     var concatMap = require_concat_map();
 | |
|     var balanced = require_balanced_match();
 | |
|     module2.exports = expandTop;
 | |
|     var escSlash = "\0SLASH" + Math.random() + "\0";
 | |
|     var escOpen = "\0OPEN" + Math.random() + "\0";
 | |
|     var escClose = "\0CLOSE" + Math.random() + "\0";
 | |
|     var escComma = "\0COMMA" + Math.random() + "\0";
 | |
|     var escPeriod = "\0PERIOD" + Math.random() + "\0";
 | |
|     function numeric(str) {
 | |
|       return parseInt(str, 10) == str ? parseInt(str, 10) : str.charCodeAt(0);
 | |
|     }
 | |
|     function escapeBraces(str) {
 | |
|       return str.split("\\\\").join(escSlash).split("\\{").join(escOpen).split("\\}").join(escClose).split("\\,").join(escComma).split("\\.").join(escPeriod);
 | |
|     }
 | |
|     function unescapeBraces(str) {
 | |
|       return str.split(escSlash).join("\\").split(escOpen).join("{").split(escClose).join("}").split(escComma).join(",").split(escPeriod).join(".");
 | |
|     }
 | |
|     function parseCommaParts(str) {
 | |
|       if (!str)
 | |
|         return [""];
 | |
|       var parts = [];
 | |
|       var m = balanced("{", "}", str);
 | |
|       if (!m)
 | |
|         return str.split(",");
 | |
|       var pre = m.pre;
 | |
|       var body = m.body;
 | |
|       var post = m.post;
 | |
|       var p = pre.split(",");
 | |
|       p[p.length - 1] += "{" + body + "}";
 | |
|       var postParts = parseCommaParts(post);
 | |
|       if (post.length) {
 | |
|         p[p.length - 1] += postParts.shift();
 | |
|         p.push.apply(p, postParts);
 | |
|       }
 | |
|       parts.push.apply(parts, p);
 | |
|       return parts;
 | |
|     }
 | |
|     function expandTop(str) {
 | |
|       if (!str)
 | |
|         return [];
 | |
|       if (str.substr(0, 2) === "{}") {
 | |
|         str = "\\{\\}" + str.substr(2);
 | |
|       }
 | |
|       return expand(escapeBraces(str), true).map(unescapeBraces);
 | |
|     }
 | |
|     function embrace(str) {
 | |
|       return "{" + str + "}";
 | |
|     }
 | |
|     function isPadded(el) {
 | |
|       return /^-?0\d/.test(el);
 | |
|     }
 | |
|     function lte(i, y) {
 | |
|       return i <= y;
 | |
|     }
 | |
|     function gte(i, y) {
 | |
|       return i >= y;
 | |
|     }
 | |
|     function expand(str, isTop) {
 | |
|       var expansions = [];
 | |
|       var m = balanced("{", "}", str);
 | |
|       if (!m || /\$$/.test(m.pre))
 | |
|         return [str];
 | |
|       var isNumericSequence = /^-?\d+\.\.-?\d+(?:\.\.-?\d+)?$/.test(m.body);
 | |
|       var isAlphaSequence = /^[a-zA-Z]\.\.[a-zA-Z](?:\.\.-?\d+)?$/.test(m.body);
 | |
|       var isSequence = isNumericSequence || isAlphaSequence;
 | |
|       var isOptions = m.body.indexOf(",") >= 0;
 | |
|       if (!isSequence && !isOptions) {
 | |
|         if (m.post.match(/,.*\}/)) {
 | |
|           str = m.pre + "{" + m.body + escClose + m.post;
 | |
|           return expand(str);
 | |
|         }
 | |
|         return [str];
 | |
|       }
 | |
|       var n;
 | |
|       if (isSequence) {
 | |
|         n = m.body.split(/\.\./);
 | |
|       } else {
 | |
|         n = parseCommaParts(m.body);
 | |
|         if (n.length === 1) {
 | |
|           n = expand(n[0], false).map(embrace);
 | |
|           if (n.length === 1) {
 | |
|             var post = m.post.length ? expand(m.post, false) : [""];
 | |
|             return post.map(function(p) {
 | |
|               return m.pre + n[0] + p;
 | |
|             });
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       var pre = m.pre;
 | |
|       var post = m.post.length ? expand(m.post, false) : [""];
 | |
|       var N;
 | |
|       if (isSequence) {
 | |
|         var x = numeric(n[0]);
 | |
|         var y = numeric(n[1]);
 | |
|         var width = Math.max(n[0].length, n[1].length);
 | |
|         var incr = n.length == 3 ? Math.abs(numeric(n[2])) : 1;
 | |
|         var test = lte;
 | |
|         var reverse = y < x;
 | |
|         if (reverse) {
 | |
|           incr *= -1;
 | |
|           test = gte;
 | |
|         }
 | |
|         var pad = n.some(isPadded);
 | |
|         N = [];
 | |
|         for (var i = x; test(i, y); i += incr) {
 | |
|           var c;
 | |
|           if (isAlphaSequence) {
 | |
|             c = String.fromCharCode(i);
 | |
|             if (c === "\\")
 | |
|               c = "";
 | |
|           } else {
 | |
|             c = String(i);
 | |
|             if (pad) {
 | |
|               var need = width - c.length;
 | |
|               if (need > 0) {
 | |
|                 var z = new Array(need + 1).join("0");
 | |
|                 if (i < 0)
 | |
|                   c = "-" + z + c.slice(1);
 | |
|                 else
 | |
|                   c = z + c;
 | |
|               }
 | |
|             }
 | |
|           }
 | |
|           N.push(c);
 | |
|         }
 | |
|       } else {
 | |
|         N = concatMap(n, function(el) {
 | |
|           return expand(el, false);
 | |
|         });
 | |
|       }
 | |
|       for (var j = 0; j < N.length; j++) {
 | |
|         for (var k = 0; k < post.length; k++) {
 | |
|           var expansion = pre + N[j] + post[k];
 | |
|           if (!isTop || isSequence || expansion)
 | |
|             expansions.push(expansion);
 | |
|         }
 | |
|       }
 | |
|       return expansions;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/minimatch@3.1.2/node_modules/minimatch/minimatch.js
 | |
| var require_minimatch = __commonJS({
 | |
|   "../node_modules/.pnpm/minimatch@3.1.2/node_modules/minimatch/minimatch.js"(exports2, module2) {
 | |
|     module2.exports = minimatch;
 | |
|     minimatch.Minimatch = Minimatch;
 | |
|     var path = function() {
 | |
|       try {
 | |
|         return require("path");
 | |
|       } catch (e) {
 | |
|       }
 | |
|     }() || {
 | |
|       sep: "/"
 | |
|     };
 | |
|     minimatch.sep = path.sep;
 | |
|     var GLOBSTAR = minimatch.GLOBSTAR = Minimatch.GLOBSTAR = {};
 | |
|     var expand = require_brace_expansion();
 | |
|     var plTypes = {
 | |
|       "!": { open: "(?:(?!(?:", close: "))[^/]*?)" },
 | |
|       "?": { open: "(?:", close: ")?" },
 | |
|       "+": { open: "(?:", close: ")+" },
 | |
|       "*": { open: "(?:", close: ")*" },
 | |
|       "@": { open: "(?:", close: ")" }
 | |
|     };
 | |
|     var qmark = "[^/]";
 | |
|     var star = qmark + "*?";
 | |
|     var twoStarDot = "(?:(?!(?:\\/|^)(?:\\.{1,2})($|\\/)).)*?";
 | |
|     var twoStarNoDot = "(?:(?!(?:\\/|^)\\.).)*?";
 | |
|     var reSpecials = charSet("().*{}+?[]^$\\!");
 | |
|     function charSet(s) {
 | |
|       return s.split("").reduce(function(set, c) {
 | |
|         set[c] = true;
 | |
|         return set;
 | |
|       }, {});
 | |
|     }
 | |
|     var slashSplit = /\/+/;
 | |
|     minimatch.filter = filter;
 | |
|     function filter(pattern, options) {
 | |
|       options = options || {};
 | |
|       return function(p, i, list) {
 | |
|         return minimatch(p, pattern, options);
 | |
|       };
 | |
|     }
 | |
|     function ext(a, b) {
 | |
|       b = b || {};
 | |
|       var t = {};
 | |
|       Object.keys(a).forEach(function(k) {
 | |
|         t[k] = a[k];
 | |
|       });
 | |
|       Object.keys(b).forEach(function(k) {
 | |
|         t[k] = b[k];
 | |
|       });
 | |
|       return t;
 | |
|     }
 | |
|     minimatch.defaults = function(def) {
 | |
|       if (!def || typeof def !== "object" || !Object.keys(def).length) {
 | |
|         return minimatch;
 | |
|       }
 | |
|       var orig = minimatch;
 | |
|       var m = function minimatch2(p, pattern, options) {
 | |
|         return orig(p, pattern, ext(def, options));
 | |
|       };
 | |
|       m.Minimatch = function Minimatch2(pattern, options) {
 | |
|         return new orig.Minimatch(pattern, ext(def, options));
 | |
|       };
 | |
|       m.Minimatch.defaults = function defaults(options) {
 | |
|         return orig.defaults(ext(def, options)).Minimatch;
 | |
|       };
 | |
|       m.filter = function filter2(pattern, options) {
 | |
|         return orig.filter(pattern, ext(def, options));
 | |
|       };
 | |
|       m.defaults = function defaults(options) {
 | |
|         return orig.defaults(ext(def, options));
 | |
|       };
 | |
|       m.makeRe = function makeRe2(pattern, options) {
 | |
|         return orig.makeRe(pattern, ext(def, options));
 | |
|       };
 | |
|       m.braceExpand = function braceExpand2(pattern, options) {
 | |
|         return orig.braceExpand(pattern, ext(def, options));
 | |
|       };
 | |
|       m.match = function(list, pattern, options) {
 | |
|         return orig.match(list, pattern, ext(def, options));
 | |
|       };
 | |
|       return m;
 | |
|     };
 | |
|     Minimatch.defaults = function(def) {
 | |
|       return minimatch.defaults(def).Minimatch;
 | |
|     };
 | |
|     function minimatch(p, pattern, options) {
 | |
|       assertValidPattern(pattern);
 | |
|       if (!options)
 | |
|         options = {};
 | |
|       if (!options.nocomment && pattern.charAt(0) === "#") {
 | |
|         return false;
 | |
|       }
 | |
|       return new Minimatch(pattern, options).match(p);
 | |
|     }
 | |
|     function Minimatch(pattern, options) {
 | |
|       if (!(this instanceof Minimatch)) {
 | |
|         return new Minimatch(pattern, options);
 | |
|       }
 | |
|       assertValidPattern(pattern);
 | |
|       if (!options)
 | |
|         options = {};
 | |
|       pattern = pattern.trim();
 | |
|       if (!options.allowWindowsEscape && path.sep !== "/") {
 | |
|         pattern = pattern.split(path.sep).join("/");
 | |
|       }
 | |
|       this.options = options;
 | |
|       this.set = [];
 | |
|       this.pattern = pattern;
 | |
|       this.regexp = null;
 | |
|       this.negate = false;
 | |
|       this.comment = false;
 | |
|       this.empty = false;
 | |
|       this.partial = !!options.partial;
 | |
|       this.make();
 | |
|     }
 | |
|     Minimatch.prototype.debug = function() {
 | |
|     };
 | |
|     Minimatch.prototype.make = make;
 | |
|     function make() {
 | |
|       var pattern = this.pattern;
 | |
|       var options = this.options;
 | |
|       if (!options.nocomment && pattern.charAt(0) === "#") {
 | |
|         this.comment = true;
 | |
|         return;
 | |
|       }
 | |
|       if (!pattern) {
 | |
|         this.empty = true;
 | |
|         return;
 | |
|       }
 | |
|       this.parseNegate();
 | |
|       var set = this.globSet = this.braceExpand();
 | |
|       if (options.debug)
 | |
|         this.debug = function debug() {
 | |
|           console.error.apply(console, arguments);
 | |
|         };
 | |
|       this.debug(this.pattern, set);
 | |
|       set = this.globParts = set.map(function(s) {
 | |
|         return s.split(slashSplit);
 | |
|       });
 | |
|       this.debug(this.pattern, set);
 | |
|       set = set.map(function(s, si, set2) {
 | |
|         return s.map(this.parse, this);
 | |
|       }, this);
 | |
|       this.debug(this.pattern, set);
 | |
|       set = set.filter(function(s) {
 | |
|         return s.indexOf(false) === -1;
 | |
|       });
 | |
|       this.debug(this.pattern, set);
 | |
|       this.set = set;
 | |
|     }
 | |
|     Minimatch.prototype.parseNegate = parseNegate;
 | |
|     function parseNegate() {
 | |
|       var pattern = this.pattern;
 | |
|       var negate = false;
 | |
|       var options = this.options;
 | |
|       var negateOffset = 0;
 | |
|       if (options.nonegate)
 | |
|         return;
 | |
|       for (var i = 0, l = pattern.length; i < l && pattern.charAt(i) === "!"; i++) {
 | |
|         negate = !negate;
 | |
|         negateOffset++;
 | |
|       }
 | |
|       if (negateOffset)
 | |
|         this.pattern = pattern.substr(negateOffset);
 | |
|       this.negate = negate;
 | |
|     }
 | |
|     minimatch.braceExpand = function(pattern, options) {
 | |
|       return braceExpand(pattern, options);
 | |
|     };
 | |
|     Minimatch.prototype.braceExpand = braceExpand;
 | |
|     function braceExpand(pattern, options) {
 | |
|       if (!options) {
 | |
|         if (this instanceof Minimatch) {
 | |
|           options = this.options;
 | |
|         } else {
 | |
|           options = {};
 | |
|         }
 | |
|       }
 | |
|       pattern = typeof pattern === "undefined" ? this.pattern : pattern;
 | |
|       assertValidPattern(pattern);
 | |
|       if (options.nobrace || !/\{(?:(?!\{).)*\}/.test(pattern)) {
 | |
|         return [pattern];
 | |
|       }
 | |
|       return expand(pattern);
 | |
|     }
 | |
|     var MAX_PATTERN_LENGTH = 1024 * 64;
 | |
|     var assertValidPattern = function(pattern) {
 | |
|       if (typeof pattern !== "string") {
 | |
|         throw new TypeError("invalid pattern");
 | |
|       }
 | |
|       if (pattern.length > MAX_PATTERN_LENGTH) {
 | |
|         throw new TypeError("pattern is too long");
 | |
|       }
 | |
|     };
 | |
|     Minimatch.prototype.parse = parse;
 | |
|     var SUBPARSE = {};
 | |
|     function parse(pattern, isSub) {
 | |
|       assertValidPattern(pattern);
 | |
|       var options = this.options;
 | |
|       if (pattern === "**") {
 | |
|         if (!options.noglobstar)
 | |
|           return GLOBSTAR;
 | |
|         else
 | |
|           pattern = "*";
 | |
|       }
 | |
|       if (pattern === "")
 | |
|         return "";
 | |
|       var re = "";
 | |
|       var hasMagic = !!options.nocase;
 | |
|       var escaping = false;
 | |
|       var patternListStack = [];
 | |
|       var negativeLists = [];
 | |
|       var stateChar;
 | |
|       var inClass = false;
 | |
|       var reClassStart = -1;
 | |
|       var classStart = -1;
 | |
|       var patternStart = pattern.charAt(0) === "." ? "" : options.dot ? "(?!(?:^|\\/)\\.{1,2}(?:$|\\/))" : "(?!\\.)";
 | |
|       var self2 = this;
 | |
|       function clearStateChar() {
 | |
|         if (stateChar) {
 | |
|           switch (stateChar) {
 | |
|             case "*":
 | |
|               re += star;
 | |
|               hasMagic = true;
 | |
|               break;
 | |
|             case "?":
 | |
|               re += qmark;
 | |
|               hasMagic = true;
 | |
|               break;
 | |
|             default:
 | |
|               re += "\\" + stateChar;
 | |
|               break;
 | |
|           }
 | |
|           self2.debug("clearStateChar %j %j", stateChar, re);
 | |
|           stateChar = false;
 | |
|         }
 | |
|       }
 | |
|       for (var i = 0, len = pattern.length, c; i < len && (c = pattern.charAt(i)); i++) {
 | |
|         this.debug("%s	%s %s %j", pattern, i, re, c);
 | |
|         if (escaping && reSpecials[c]) {
 | |
|           re += "\\" + c;
 | |
|           escaping = false;
 | |
|           continue;
 | |
|         }
 | |
|         switch (c) {
 | |
|           case "/": {
 | |
|             return false;
 | |
|           }
 | |
|           case "\\":
 | |
|             clearStateChar();
 | |
|             escaping = true;
 | |
|             continue;
 | |
|           case "?":
 | |
|           case "*":
 | |
|           case "+":
 | |
|           case "@":
 | |
|           case "!":
 | |
|             this.debug("%s	%s %s %j <-- stateChar", pattern, i, re, c);
 | |
|             if (inClass) {
 | |
|               this.debug("  in class");
 | |
|               if (c === "!" && i === classStart + 1)
 | |
|                 c = "^";
 | |
|               re += c;
 | |
|               continue;
 | |
|             }
 | |
|             self2.debug("call clearStateChar %j", stateChar);
 | |
|             clearStateChar();
 | |
|             stateChar = c;
 | |
|             if (options.noext)
 | |
|               clearStateChar();
 | |
|             continue;
 | |
|           case "(":
 | |
|             if (inClass) {
 | |
|               re += "(";
 | |
|               continue;
 | |
|             }
 | |
|             if (!stateChar) {
 | |
|               re += "\\(";
 | |
|               continue;
 | |
|             }
 | |
|             patternListStack.push({
 | |
|               type: stateChar,
 | |
|               start: i - 1,
 | |
|               reStart: re.length,
 | |
|               open: plTypes[stateChar].open,
 | |
|               close: plTypes[stateChar].close
 | |
|             });
 | |
|             re += stateChar === "!" ? "(?:(?!(?:" : "(?:";
 | |
|             this.debug("plType %j %j", stateChar, re);
 | |
|             stateChar = false;
 | |
|             continue;
 | |
|           case ")":
 | |
|             if (inClass || !patternListStack.length) {
 | |
|               re += "\\)";
 | |
|               continue;
 | |
|             }
 | |
|             clearStateChar();
 | |
|             hasMagic = true;
 | |
|             var pl = patternListStack.pop();
 | |
|             re += pl.close;
 | |
|             if (pl.type === "!") {
 | |
|               negativeLists.push(pl);
 | |
|             }
 | |
|             pl.reEnd = re.length;
 | |
|             continue;
 | |
|           case "|":
 | |
|             if (inClass || !patternListStack.length || escaping) {
 | |
|               re += "\\|";
 | |
|               escaping = false;
 | |
|               continue;
 | |
|             }
 | |
|             clearStateChar();
 | |
|             re += "|";
 | |
|             continue;
 | |
|           case "[":
 | |
|             clearStateChar();
 | |
|             if (inClass) {
 | |
|               re += "\\" + c;
 | |
|               continue;
 | |
|             }
 | |
|             inClass = true;
 | |
|             classStart = i;
 | |
|             reClassStart = re.length;
 | |
|             re += c;
 | |
|             continue;
 | |
|           case "]":
 | |
|             if (i === classStart + 1 || !inClass) {
 | |
|               re += "\\" + c;
 | |
|               escaping = false;
 | |
|               continue;
 | |
|             }
 | |
|             var cs = pattern.substring(classStart + 1, i);
 | |
|             try {
 | |
|               RegExp("[" + cs + "]");
 | |
|             } catch (er) {
 | |
|               var sp = this.parse(cs, SUBPARSE);
 | |
|               re = re.substr(0, reClassStart) + "\\[" + sp[0] + "\\]";
 | |
|               hasMagic = hasMagic || sp[1];
 | |
|               inClass = false;
 | |
|               continue;
 | |
|             }
 | |
|             hasMagic = true;
 | |
|             inClass = false;
 | |
|             re += c;
 | |
|             continue;
 | |
|           default:
 | |
|             clearStateChar();
 | |
|             if (escaping) {
 | |
|               escaping = false;
 | |
|             } else if (reSpecials[c] && !(c === "^" && inClass)) {
 | |
|               re += "\\";
 | |
|             }
 | |
|             re += c;
 | |
|         }
 | |
|       }
 | |
|       if (inClass) {
 | |
|         cs = pattern.substr(classStart + 1);
 | |
|         sp = this.parse(cs, SUBPARSE);
 | |
|         re = re.substr(0, reClassStart) + "\\[" + sp[0];
 | |
|         hasMagic = hasMagic || sp[1];
 | |
|       }
 | |
|       for (pl = patternListStack.pop(); pl; pl = patternListStack.pop()) {
 | |
|         var tail = re.slice(pl.reStart + pl.open.length);
 | |
|         this.debug("setting tail", re, pl);
 | |
|         tail = tail.replace(/((?:\\{2}){0,64})(\\?)\|/g, function(_, $1, $2) {
 | |
|           if (!$2) {
 | |
|             $2 = "\\";
 | |
|           }
 | |
|           return $1 + $1 + $2 + "|";
 | |
|         });
 | |
|         this.debug("tail=%j\n   %s", tail, tail, pl, re);
 | |
|         var t = pl.type === "*" ? star : pl.type === "?" ? qmark : "\\" + pl.type;
 | |
|         hasMagic = true;
 | |
|         re = re.slice(0, pl.reStart) + t + "\\(" + tail;
 | |
|       }
 | |
|       clearStateChar();
 | |
|       if (escaping) {
 | |
|         re += "\\\\";
 | |
|       }
 | |
|       var addPatternStart = false;
 | |
|       switch (re.charAt(0)) {
 | |
|         case "[":
 | |
|         case ".":
 | |
|         case "(":
 | |
|           addPatternStart = true;
 | |
|       }
 | |
|       for (var n = negativeLists.length - 1; n > -1; n--) {
 | |
|         var nl = negativeLists[n];
 | |
|         var nlBefore = re.slice(0, nl.reStart);
 | |
|         var nlFirst = re.slice(nl.reStart, nl.reEnd - 8);
 | |
|         var nlLast = re.slice(nl.reEnd - 8, nl.reEnd);
 | |
|         var nlAfter = re.slice(nl.reEnd);
 | |
|         nlLast += nlAfter;
 | |
|         var openParensBefore = nlBefore.split("(").length - 1;
 | |
|         var cleanAfter = nlAfter;
 | |
|         for (i = 0; i < openParensBefore; i++) {
 | |
|           cleanAfter = cleanAfter.replace(/\)[+*?]?/, "");
 | |
|         }
 | |
|         nlAfter = cleanAfter;
 | |
|         var dollar = "";
 | |
|         if (nlAfter === "" && isSub !== SUBPARSE) {
 | |
|           dollar = "$";
 | |
|         }
 | |
|         var newRe = nlBefore + nlFirst + nlAfter + dollar + nlLast;
 | |
|         re = newRe;
 | |
|       }
 | |
|       if (re !== "" && hasMagic) {
 | |
|         re = "(?=.)" + re;
 | |
|       }
 | |
|       if (addPatternStart) {
 | |
|         re = patternStart + re;
 | |
|       }
 | |
|       if (isSub === SUBPARSE) {
 | |
|         return [re, hasMagic];
 | |
|       }
 | |
|       if (!hasMagic) {
 | |
|         return globUnescape(pattern);
 | |
|       }
 | |
|       var flags = options.nocase ? "i" : "";
 | |
|       try {
 | |
|         var regExp = new RegExp("^" + re + "$", flags);
 | |
|       } catch (er) {
 | |
|         return new RegExp("$.");
 | |
|       }
 | |
|       regExp._glob = pattern;
 | |
|       regExp._src = re;
 | |
|       return regExp;
 | |
|     }
 | |
|     minimatch.makeRe = function(pattern, options) {
 | |
|       return new Minimatch(pattern, options || {}).makeRe();
 | |
|     };
 | |
|     Minimatch.prototype.makeRe = makeRe;
 | |
|     function makeRe() {
 | |
|       if (this.regexp || this.regexp === false)
 | |
|         return this.regexp;
 | |
|       var set = this.set;
 | |
|       if (!set.length) {
 | |
|         this.regexp = false;
 | |
|         return this.regexp;
 | |
|       }
 | |
|       var options = this.options;
 | |
|       var twoStar = options.noglobstar ? star : options.dot ? twoStarDot : twoStarNoDot;
 | |
|       var flags = options.nocase ? "i" : "";
 | |
|       var re = set.map(function(pattern) {
 | |
|         return pattern.map(function(p) {
 | |
|           return p === GLOBSTAR ? twoStar : typeof p === "string" ? regExpEscape(p) : p._src;
 | |
|         }).join("\\/");
 | |
|       }).join("|");
 | |
|       re = "^(?:" + re + ")$";
 | |
|       if (this.negate)
 | |
|         re = "^(?!" + re + ").*$";
 | |
|       try {
 | |
|         this.regexp = new RegExp(re, flags);
 | |
|       } catch (ex) {
 | |
|         this.regexp = false;
 | |
|       }
 | |
|       return this.regexp;
 | |
|     }
 | |
|     minimatch.match = function(list, pattern, options) {
 | |
|       options = options || {};
 | |
|       var mm = new Minimatch(pattern, options);
 | |
|       list = list.filter(function(f) {
 | |
|         return mm.match(f);
 | |
|       });
 | |
|       if (mm.options.nonull && !list.length) {
 | |
|         list.push(pattern);
 | |
|       }
 | |
|       return list;
 | |
|     };
 | |
|     Minimatch.prototype.match = function match(f, partial) {
 | |
|       if (typeof partial === "undefined")
 | |
|         partial = this.partial;
 | |
|       this.debug("match", f, this.pattern);
 | |
|       if (this.comment)
 | |
|         return false;
 | |
|       if (this.empty)
 | |
|         return f === "";
 | |
|       if (f === "/" && partial)
 | |
|         return true;
 | |
|       var options = this.options;
 | |
|       if (path.sep !== "/") {
 | |
|         f = f.split(path.sep).join("/");
 | |
|       }
 | |
|       f = f.split(slashSplit);
 | |
|       this.debug(this.pattern, "split", f);
 | |
|       var set = this.set;
 | |
|       this.debug(this.pattern, "set", set);
 | |
|       var filename;
 | |
|       var i;
 | |
|       for (i = f.length - 1; i >= 0; i--) {
 | |
|         filename = f[i];
 | |
|         if (filename)
 | |
|           break;
 | |
|       }
 | |
|       for (i = 0; i < set.length; i++) {
 | |
|         var pattern = set[i];
 | |
|         var file = f;
 | |
|         if (options.matchBase && pattern.length === 1) {
 | |
|           file = [filename];
 | |
|         }
 | |
|         var hit = this.matchOne(file, pattern, partial);
 | |
|         if (hit) {
 | |
|           if (options.flipNegate)
 | |
|             return true;
 | |
|           return !this.negate;
 | |
|         }
 | |
|       }
 | |
|       if (options.flipNegate)
 | |
|         return false;
 | |
|       return this.negate;
 | |
|     };
 | |
|     Minimatch.prototype.matchOne = function(file, pattern, partial) {
 | |
|       var options = this.options;
 | |
|       this.debug(
 | |
|         "matchOne",
 | |
|         { "this": this, file, pattern }
 | |
|       );
 | |
|       this.debug("matchOne", file.length, pattern.length);
 | |
|       for (var fi = 0, pi = 0, fl = file.length, pl = pattern.length; fi < fl && pi < pl; fi++, pi++) {
 | |
|         this.debug("matchOne loop");
 | |
|         var p = pattern[pi];
 | |
|         var f = file[fi];
 | |
|         this.debug(pattern, p, f);
 | |
|         if (p === false)
 | |
|           return false;
 | |
|         if (p === GLOBSTAR) {
 | |
|           this.debug("GLOBSTAR", [pattern, p, f]);
 | |
|           var fr = fi;
 | |
|           var pr = pi + 1;
 | |
|           if (pr === pl) {
 | |
|             this.debug("** at the end");
 | |
|             for (; fi < fl; fi++) {
 | |
|               if (file[fi] === "." || file[fi] === ".." || !options.dot && file[fi].charAt(0) === ".")
 | |
|                 return false;
 | |
|             }
 | |
|             return true;
 | |
|           }
 | |
|           while (fr < fl) {
 | |
|             var swallowee = file[fr];
 | |
|             this.debug("\nglobstar while", file, fr, pattern, pr, swallowee);
 | |
|             if (this.matchOne(file.slice(fr), pattern.slice(pr), partial)) {
 | |
|               this.debug("globstar found match!", fr, fl, swallowee);
 | |
|               return true;
 | |
|             } else {
 | |
|               if (swallowee === "." || swallowee === ".." || !options.dot && swallowee.charAt(0) === ".") {
 | |
|                 this.debug("dot detected!", file, fr, pattern, pr);
 | |
|                 break;
 | |
|               }
 | |
|               this.debug("globstar swallow a segment, and continue");
 | |
|               fr++;
 | |
|             }
 | |
|           }
 | |
|           if (partial) {
 | |
|             this.debug("\n>>> no match, partial?", file, fr, pattern, pr);
 | |
|             if (fr === fl)
 | |
|               return true;
 | |
|           }
 | |
|           return false;
 | |
|         }
 | |
|         var hit;
 | |
|         if (typeof p === "string") {
 | |
|           hit = f === p;
 | |
|           this.debug("string match", p, f, hit);
 | |
|         } else {
 | |
|           hit = f.match(p);
 | |
|           this.debug("pattern match", p, f, hit);
 | |
|         }
 | |
|         if (!hit)
 | |
|           return false;
 | |
|       }
 | |
|       if (fi === fl && pi === pl) {
 | |
|         return true;
 | |
|       } else if (fi === fl) {
 | |
|         return partial;
 | |
|       } else if (pi === pl) {
 | |
|         return fi === fl - 1 && file[fi] === "";
 | |
|       }
 | |
|       throw new Error("wtf?");
 | |
|     };
 | |
|     function globUnescape(s) {
 | |
|       return s.replace(/\\(.)/g, "$1");
 | |
|     }
 | |
|     function regExpEscape(s) {
 | |
|       return s.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&");
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/inherits@2.0.4/node_modules/inherits/inherits_browser.js
 | |
| var require_inherits_browser = __commonJS({
 | |
|   "../node_modules/.pnpm/inherits@2.0.4/node_modules/inherits/inherits_browser.js"(exports2, module2) {
 | |
|     if (typeof Object.create === "function") {
 | |
|       module2.exports = function inherits(ctor, superCtor) {
 | |
|         if (superCtor) {
 | |
|           ctor.super_ = superCtor;
 | |
|           ctor.prototype = Object.create(superCtor.prototype, {
 | |
|             constructor: {
 | |
|               value: ctor,
 | |
|               enumerable: false,
 | |
|               writable: true,
 | |
|               configurable: true
 | |
|             }
 | |
|           });
 | |
|         }
 | |
|       };
 | |
|     } else {
 | |
|       module2.exports = function inherits(ctor, superCtor) {
 | |
|         if (superCtor) {
 | |
|           ctor.super_ = superCtor;
 | |
|           var TempCtor = function() {
 | |
|           };
 | |
|           TempCtor.prototype = superCtor.prototype;
 | |
|           ctor.prototype = new TempCtor();
 | |
|           ctor.prototype.constructor = ctor;
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/inherits@2.0.4/node_modules/inherits/inherits.js
 | |
| var require_inherits = __commonJS({
 | |
|   "../node_modules/.pnpm/inherits@2.0.4/node_modules/inherits/inherits.js"(exports2, module2) {
 | |
|     try {
 | |
|       util = require("util");
 | |
|       if (typeof util.inherits !== "function")
 | |
|         throw "";
 | |
|       module2.exports = util.inherits;
 | |
|     } catch (e) {
 | |
|       module2.exports = require_inherits_browser();
 | |
|     }
 | |
|     var util;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/path-is-absolute@1.0.1/node_modules/path-is-absolute/index.js
 | |
| var require_path_is_absolute = __commonJS({
 | |
|   "../node_modules/.pnpm/path-is-absolute@1.0.1/node_modules/path-is-absolute/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     function posix(path) {
 | |
|       return path.charAt(0) === "/";
 | |
|     }
 | |
|     function win32(path) {
 | |
|       var splitDeviceRe = /^([a-zA-Z]:|[\\\/]{2}[^\\\/]+[\\\/]+[^\\\/]+)?([\\\/])?([\s\S]*?)$/;
 | |
|       var result = splitDeviceRe.exec(path);
 | |
|       var device = result[1] || "";
 | |
|       var isUnc = Boolean(device && device.charAt(1) !== ":");
 | |
|       return Boolean(result[2] || isUnc);
 | |
|     }
 | |
|     module2.exports = process.platform === "win32" ? win32 : posix;
 | |
|     module2.exports.posix = posix;
 | |
|     module2.exports.win32 = win32;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/glob@7.2.3/node_modules/glob/common.js
 | |
| var require_common = __commonJS({
 | |
|   "../node_modules/.pnpm/glob@7.2.3/node_modules/glob/common.js"(exports2) {
 | |
|     exports2.setopts = setopts;
 | |
|     exports2.ownProp = ownProp;
 | |
|     exports2.makeAbs = makeAbs;
 | |
|     exports2.finish = finish;
 | |
|     exports2.mark = mark;
 | |
|     exports2.isIgnored = isIgnored;
 | |
|     exports2.childrenIgnored = childrenIgnored;
 | |
|     function ownProp(obj, field) {
 | |
|       return Object.prototype.hasOwnProperty.call(obj, field);
 | |
|     }
 | |
|     var fs = require("fs");
 | |
|     var path = require("path");
 | |
|     var minimatch = require_minimatch();
 | |
|     var isAbsolute = require_path_is_absolute();
 | |
|     var Minimatch = minimatch.Minimatch;
 | |
|     function alphasort(a, b) {
 | |
|       return a.localeCompare(b, "en");
 | |
|     }
 | |
|     function setupIgnores(self2, options) {
 | |
|       self2.ignore = options.ignore || [];
 | |
|       if (!Array.isArray(self2.ignore))
 | |
|         self2.ignore = [self2.ignore];
 | |
|       if (self2.ignore.length) {
 | |
|         self2.ignore = self2.ignore.map(ignoreMap);
 | |
|       }
 | |
|     }
 | |
|     function ignoreMap(pattern) {
 | |
|       var gmatcher = null;
 | |
|       if (pattern.slice(-3) === "/**") {
 | |
|         var gpattern = pattern.replace(/(\/\*\*)+$/, "");
 | |
|         gmatcher = new Minimatch(gpattern, { dot: true });
 | |
|       }
 | |
|       return {
 | |
|         matcher: new Minimatch(pattern, { dot: true }),
 | |
|         gmatcher
 | |
|       };
 | |
|     }
 | |
|     function setopts(self2, pattern, options) {
 | |
|       if (!options)
 | |
|         options = {};
 | |
|       if (options.matchBase && -1 === pattern.indexOf("/")) {
 | |
|         if (options.noglobstar) {
 | |
|           throw new Error("base matching requires globstar");
 | |
|         }
 | |
|         pattern = "**/" + pattern;
 | |
|       }
 | |
|       self2.silent = !!options.silent;
 | |
|       self2.pattern = pattern;
 | |
|       self2.strict = options.strict !== false;
 | |
|       self2.realpath = !!options.realpath;
 | |
|       self2.realpathCache = options.realpathCache || /* @__PURE__ */ Object.create(null);
 | |
|       self2.follow = !!options.follow;
 | |
|       self2.dot = !!options.dot;
 | |
|       self2.mark = !!options.mark;
 | |
|       self2.nodir = !!options.nodir;
 | |
|       if (self2.nodir)
 | |
|         self2.mark = true;
 | |
|       self2.sync = !!options.sync;
 | |
|       self2.nounique = !!options.nounique;
 | |
|       self2.nonull = !!options.nonull;
 | |
|       self2.nosort = !!options.nosort;
 | |
|       self2.nocase = !!options.nocase;
 | |
|       self2.stat = !!options.stat;
 | |
|       self2.noprocess = !!options.noprocess;
 | |
|       self2.absolute = !!options.absolute;
 | |
|       self2.fs = options.fs || fs;
 | |
|       self2.maxLength = options.maxLength || Infinity;
 | |
|       self2.cache = options.cache || /* @__PURE__ */ Object.create(null);
 | |
|       self2.statCache = options.statCache || /* @__PURE__ */ Object.create(null);
 | |
|       self2.symlinks = options.symlinks || /* @__PURE__ */ Object.create(null);
 | |
|       setupIgnores(self2, options);
 | |
|       self2.changedCwd = false;
 | |
|       var cwd = process.cwd();
 | |
|       if (!ownProp(options, "cwd"))
 | |
|         self2.cwd = cwd;
 | |
|       else {
 | |
|         self2.cwd = path.resolve(options.cwd);
 | |
|         self2.changedCwd = self2.cwd !== cwd;
 | |
|       }
 | |
|       self2.root = options.root || path.resolve(self2.cwd, "/");
 | |
|       self2.root = path.resolve(self2.root);
 | |
|       if (process.platform === "win32")
 | |
|         self2.root = self2.root.replace(/\\/g, "/");
 | |
|       self2.cwdAbs = isAbsolute(self2.cwd) ? self2.cwd : makeAbs(self2, self2.cwd);
 | |
|       if (process.platform === "win32")
 | |
|         self2.cwdAbs = self2.cwdAbs.replace(/\\/g, "/");
 | |
|       self2.nomount = !!options.nomount;
 | |
|       options.nonegate = true;
 | |
|       options.nocomment = true;
 | |
|       options.allowWindowsEscape = false;
 | |
|       self2.minimatch = new Minimatch(pattern, options);
 | |
|       self2.options = self2.minimatch.options;
 | |
|     }
 | |
|     function finish(self2) {
 | |
|       var nou = self2.nounique;
 | |
|       var all = nou ? [] : /* @__PURE__ */ Object.create(null);
 | |
|       for (var i = 0, l = self2.matches.length; i < l; i++) {
 | |
|         var matches = self2.matches[i];
 | |
|         if (!matches || Object.keys(matches).length === 0) {
 | |
|           if (self2.nonull) {
 | |
|             var literal = self2.minimatch.globSet[i];
 | |
|             if (nou)
 | |
|               all.push(literal);
 | |
|             else
 | |
|               all[literal] = true;
 | |
|           }
 | |
|         } else {
 | |
|           var m = Object.keys(matches);
 | |
|           if (nou)
 | |
|             all.push.apply(all, m);
 | |
|           else
 | |
|             m.forEach(function(m2) {
 | |
|               all[m2] = true;
 | |
|             });
 | |
|         }
 | |
|       }
 | |
|       if (!nou)
 | |
|         all = Object.keys(all);
 | |
|       if (!self2.nosort)
 | |
|         all = all.sort(alphasort);
 | |
|       if (self2.mark) {
 | |
|         for (var i = 0; i < all.length; i++) {
 | |
|           all[i] = self2._mark(all[i]);
 | |
|         }
 | |
|         if (self2.nodir) {
 | |
|           all = all.filter(function(e) {
 | |
|             var notDir = !/\/$/.test(e);
 | |
|             var c = self2.cache[e] || self2.cache[makeAbs(self2, e)];
 | |
|             if (notDir && c)
 | |
|               notDir = c !== "DIR" && !Array.isArray(c);
 | |
|             return notDir;
 | |
|           });
 | |
|         }
 | |
|       }
 | |
|       if (self2.ignore.length)
 | |
|         all = all.filter(function(m2) {
 | |
|           return !isIgnored(self2, m2);
 | |
|         });
 | |
|       self2.found = all;
 | |
|     }
 | |
|     function mark(self2, p) {
 | |
|       var abs = makeAbs(self2, p);
 | |
|       var c = self2.cache[abs];
 | |
|       var m = p;
 | |
|       if (c) {
 | |
|         var isDir = c === "DIR" || Array.isArray(c);
 | |
|         var slash = p.slice(-1) === "/";
 | |
|         if (isDir && !slash)
 | |
|           m += "/";
 | |
|         else if (!isDir && slash)
 | |
|           m = m.slice(0, -1);
 | |
|         if (m !== p) {
 | |
|           var mabs = makeAbs(self2, m);
 | |
|           self2.statCache[mabs] = self2.statCache[abs];
 | |
|           self2.cache[mabs] = self2.cache[abs];
 | |
|         }
 | |
|       }
 | |
|       return m;
 | |
|     }
 | |
|     function makeAbs(self2, f) {
 | |
|       var abs = f;
 | |
|       if (f.charAt(0) === "/") {
 | |
|         abs = path.join(self2.root, f);
 | |
|       } else if (isAbsolute(f) || f === "") {
 | |
|         abs = f;
 | |
|       } else if (self2.changedCwd) {
 | |
|         abs = path.resolve(self2.cwd, f);
 | |
|       } else {
 | |
|         abs = path.resolve(f);
 | |
|       }
 | |
|       if (process.platform === "win32")
 | |
|         abs = abs.replace(/\\/g, "/");
 | |
|       return abs;
 | |
|     }
 | |
|     function isIgnored(self2, path2) {
 | |
|       if (!self2.ignore.length)
 | |
|         return false;
 | |
|       return self2.ignore.some(function(item) {
 | |
|         return item.matcher.match(path2) || !!(item.gmatcher && item.gmatcher.match(path2));
 | |
|       });
 | |
|     }
 | |
|     function childrenIgnored(self2, path2) {
 | |
|       if (!self2.ignore.length)
 | |
|         return false;
 | |
|       return self2.ignore.some(function(item) {
 | |
|         return !!(item.gmatcher && item.gmatcher.match(path2));
 | |
|       });
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/glob@7.2.3/node_modules/glob/sync.js
 | |
| var require_sync = __commonJS({
 | |
|   "../node_modules/.pnpm/glob@7.2.3/node_modules/glob/sync.js"(exports2, module2) {
 | |
|     module2.exports = globSync;
 | |
|     globSync.GlobSync = GlobSync;
 | |
|     var rp = require_fs();
 | |
|     var minimatch = require_minimatch();
 | |
|     var Minimatch = minimatch.Minimatch;
 | |
|     var Glob = require_glob().Glob;
 | |
|     var util = require("util");
 | |
|     var path = require("path");
 | |
|     var assert = require("assert");
 | |
|     var isAbsolute = require_path_is_absolute();
 | |
|     var common = require_common();
 | |
|     var setopts = common.setopts;
 | |
|     var ownProp = common.ownProp;
 | |
|     var childrenIgnored = common.childrenIgnored;
 | |
|     var isIgnored = common.isIgnored;
 | |
|     function globSync(pattern, options) {
 | |
|       if (typeof options === "function" || arguments.length === 3)
 | |
|         throw new TypeError("callback provided to sync glob\nSee: https://github.com/isaacs/node-glob/issues/167");
 | |
|       return new GlobSync(pattern, options).found;
 | |
|     }
 | |
|     function GlobSync(pattern, options) {
 | |
|       if (!pattern)
 | |
|         throw new Error("must provide pattern");
 | |
|       if (typeof options === "function" || arguments.length === 3)
 | |
|         throw new TypeError("callback provided to sync glob\nSee: https://github.com/isaacs/node-glob/issues/167");
 | |
|       if (!(this instanceof GlobSync))
 | |
|         return new GlobSync(pattern, options);
 | |
|       setopts(this, pattern, options);
 | |
|       if (this.noprocess)
 | |
|         return this;
 | |
|       var n = this.minimatch.set.length;
 | |
|       this.matches = new Array(n);
 | |
|       for (var i = 0; i < n; i++) {
 | |
|         this._process(this.minimatch.set[i], i, false);
 | |
|       }
 | |
|       this._finish();
 | |
|     }
 | |
|     GlobSync.prototype._finish = function() {
 | |
|       assert.ok(this instanceof GlobSync);
 | |
|       if (this.realpath) {
 | |
|         var self2 = this;
 | |
|         this.matches.forEach(function(matchset, index) {
 | |
|           var set = self2.matches[index] = /* @__PURE__ */ Object.create(null);
 | |
|           for (var p in matchset) {
 | |
|             try {
 | |
|               p = self2._makeAbs(p);
 | |
|               var real = rp.realpathSync(p, self2.realpathCache);
 | |
|               set[real] = true;
 | |
|             } catch (er) {
 | |
|               if (er.syscall === "stat")
 | |
|                 set[self2._makeAbs(p)] = true;
 | |
|               else
 | |
|                 throw er;
 | |
|             }
 | |
|           }
 | |
|         });
 | |
|       }
 | |
|       common.finish(this);
 | |
|     };
 | |
|     GlobSync.prototype._process = function(pattern, index, inGlobStar) {
 | |
|       assert.ok(this instanceof GlobSync);
 | |
|       var n = 0;
 | |
|       while (typeof pattern[n] === "string") {
 | |
|         n++;
 | |
|       }
 | |
|       var prefix;
 | |
|       switch (n) {
 | |
|         case pattern.length:
 | |
|           this._processSimple(pattern.join("/"), index);
 | |
|           return;
 | |
|         case 0:
 | |
|           prefix = null;
 | |
|           break;
 | |
|         default:
 | |
|           prefix = pattern.slice(0, n).join("/");
 | |
|           break;
 | |
|       }
 | |
|       var remain = pattern.slice(n);
 | |
|       var read;
 | |
|       if (prefix === null)
 | |
|         read = ".";
 | |
|       else if (isAbsolute(prefix) || isAbsolute(pattern.map(function(p) {
 | |
|         return typeof p === "string" ? p : "[*]";
 | |
|       }).join("/"))) {
 | |
|         if (!prefix || !isAbsolute(prefix))
 | |
|           prefix = "/" + prefix;
 | |
|         read = prefix;
 | |
|       } else
 | |
|         read = prefix;
 | |
|       var abs = this._makeAbs(read);
 | |
|       if (childrenIgnored(this, read))
 | |
|         return;
 | |
|       var isGlobStar = remain[0] === minimatch.GLOBSTAR;
 | |
|       if (isGlobStar)
 | |
|         this._processGlobStar(prefix, read, abs, remain, index, inGlobStar);
 | |
|       else
 | |
|         this._processReaddir(prefix, read, abs, remain, index, inGlobStar);
 | |
|     };
 | |
|     GlobSync.prototype._processReaddir = function(prefix, read, abs, remain, index, inGlobStar) {
 | |
|       var entries = this._readdir(abs, inGlobStar);
 | |
|       if (!entries)
 | |
|         return;
 | |
|       var pn = remain[0];
 | |
|       var negate = !!this.minimatch.negate;
 | |
|       var rawGlob = pn._glob;
 | |
|       var dotOk = this.dot || rawGlob.charAt(0) === ".";
 | |
|       var matchedEntries = [];
 | |
|       for (var i = 0; i < entries.length; i++) {
 | |
|         var e = entries[i];
 | |
|         if (e.charAt(0) !== "." || dotOk) {
 | |
|           var m;
 | |
|           if (negate && !prefix) {
 | |
|             m = !e.match(pn);
 | |
|           } else {
 | |
|             m = e.match(pn);
 | |
|           }
 | |
|           if (m)
 | |
|             matchedEntries.push(e);
 | |
|         }
 | |
|       }
 | |
|       var len = matchedEntries.length;
 | |
|       if (len === 0)
 | |
|         return;
 | |
|       if (remain.length === 1 && !this.mark && !this.stat) {
 | |
|         if (!this.matches[index])
 | |
|           this.matches[index] = /* @__PURE__ */ Object.create(null);
 | |
|         for (var i = 0; i < len; i++) {
 | |
|           var e = matchedEntries[i];
 | |
|           if (prefix) {
 | |
|             if (prefix.slice(-1) !== "/")
 | |
|               e = prefix + "/" + e;
 | |
|             else
 | |
|               e = prefix + e;
 | |
|           }
 | |
|           if (e.charAt(0) === "/" && !this.nomount) {
 | |
|             e = path.join(this.root, e);
 | |
|           }
 | |
|           this._emitMatch(index, e);
 | |
|         }
 | |
|         return;
 | |
|       }
 | |
|       remain.shift();
 | |
|       for (var i = 0; i < len; i++) {
 | |
|         var e = matchedEntries[i];
 | |
|         var newPattern;
 | |
|         if (prefix)
 | |
|           newPattern = [prefix, e];
 | |
|         else
 | |
|           newPattern = [e];
 | |
|         this._process(newPattern.concat(remain), index, inGlobStar);
 | |
|       }
 | |
|     };
 | |
|     GlobSync.prototype._emitMatch = function(index, e) {
 | |
|       if (isIgnored(this, e))
 | |
|         return;
 | |
|       var abs = this._makeAbs(e);
 | |
|       if (this.mark)
 | |
|         e = this._mark(e);
 | |
|       if (this.absolute) {
 | |
|         e = abs;
 | |
|       }
 | |
|       if (this.matches[index][e])
 | |
|         return;
 | |
|       if (this.nodir) {
 | |
|         var c = this.cache[abs];
 | |
|         if (c === "DIR" || Array.isArray(c))
 | |
|           return;
 | |
|       }
 | |
|       this.matches[index][e] = true;
 | |
|       if (this.stat)
 | |
|         this._stat(e);
 | |
|     };
 | |
|     GlobSync.prototype._readdirInGlobStar = function(abs) {
 | |
|       if (this.follow)
 | |
|         return this._readdir(abs, false);
 | |
|       var entries;
 | |
|       var lstat;
 | |
|       var stat;
 | |
|       try {
 | |
|         lstat = this.fs.lstatSync(abs);
 | |
|       } catch (er) {
 | |
|         if (er.code === "ENOENT") {
 | |
|           return null;
 | |
|         }
 | |
|       }
 | |
|       var isSym = lstat && lstat.isSymbolicLink();
 | |
|       this.symlinks[abs] = isSym;
 | |
|       if (!isSym && lstat && !lstat.isDirectory())
 | |
|         this.cache[abs] = "FILE";
 | |
|       else
 | |
|         entries = this._readdir(abs, false);
 | |
|       return entries;
 | |
|     };
 | |
|     GlobSync.prototype._readdir = function(abs, inGlobStar) {
 | |
|       var entries;
 | |
|       if (inGlobStar && !ownProp(this.symlinks, abs))
 | |
|         return this._readdirInGlobStar(abs);
 | |
|       if (ownProp(this.cache, abs)) {
 | |
|         var c = this.cache[abs];
 | |
|         if (!c || c === "FILE")
 | |
|           return null;
 | |
|         if (Array.isArray(c))
 | |
|           return c;
 | |
|       }
 | |
|       try {
 | |
|         return this._readdirEntries(abs, this.fs.readdirSync(abs));
 | |
|       } catch (er) {
 | |
|         this._readdirError(abs, er);
 | |
|         return null;
 | |
|       }
 | |
|     };
 | |
|     GlobSync.prototype._readdirEntries = function(abs, entries) {
 | |
|       if (!this.mark && !this.stat) {
 | |
|         for (var i = 0; i < entries.length; i++) {
 | |
|           var e = entries[i];
 | |
|           if (abs === "/")
 | |
|             e = abs + e;
 | |
|           else
 | |
|             e = abs + "/" + e;
 | |
|           this.cache[e] = true;
 | |
|         }
 | |
|       }
 | |
|       this.cache[abs] = entries;
 | |
|       return entries;
 | |
|     };
 | |
|     GlobSync.prototype._readdirError = function(f, er) {
 | |
|       switch (er.code) {
 | |
|         case "ENOTSUP":
 | |
|         case "ENOTDIR":
 | |
|           var abs = this._makeAbs(f);
 | |
|           this.cache[abs] = "FILE";
 | |
|           if (abs === this.cwdAbs) {
 | |
|             var error = new Error(er.code + " invalid cwd " + this.cwd);
 | |
|             error.path = this.cwd;
 | |
|             error.code = er.code;
 | |
|             throw error;
 | |
|           }
 | |
|           break;
 | |
|         case "ENOENT":
 | |
|         case "ELOOP":
 | |
|         case "ENAMETOOLONG":
 | |
|         case "UNKNOWN":
 | |
|           this.cache[this._makeAbs(f)] = false;
 | |
|           break;
 | |
|         default:
 | |
|           this.cache[this._makeAbs(f)] = false;
 | |
|           if (this.strict)
 | |
|             throw er;
 | |
|           if (!this.silent)
 | |
|             console.error("glob error", er);
 | |
|           break;
 | |
|       }
 | |
|     };
 | |
|     GlobSync.prototype._processGlobStar = function(prefix, read, abs, remain, index, inGlobStar) {
 | |
|       var entries = this._readdir(abs, inGlobStar);
 | |
|       if (!entries)
 | |
|         return;
 | |
|       var remainWithoutGlobStar = remain.slice(1);
 | |
|       var gspref = prefix ? [prefix] : [];
 | |
|       var noGlobStar = gspref.concat(remainWithoutGlobStar);
 | |
|       this._process(noGlobStar, index, false);
 | |
|       var len = entries.length;
 | |
|       var isSym = this.symlinks[abs];
 | |
|       if (isSym && inGlobStar)
 | |
|         return;
 | |
|       for (var i = 0; i < len; i++) {
 | |
|         var e = entries[i];
 | |
|         if (e.charAt(0) === "." && !this.dot)
 | |
|           continue;
 | |
|         var instead = gspref.concat(entries[i], remainWithoutGlobStar);
 | |
|         this._process(instead, index, true);
 | |
|         var below = gspref.concat(entries[i], remain);
 | |
|         this._process(below, index, true);
 | |
|       }
 | |
|     };
 | |
|     GlobSync.prototype._processSimple = function(prefix, index) {
 | |
|       var exists = this._stat(prefix);
 | |
|       if (!this.matches[index])
 | |
|         this.matches[index] = /* @__PURE__ */ Object.create(null);
 | |
|       if (!exists)
 | |
|         return;
 | |
|       if (prefix && isAbsolute(prefix) && !this.nomount) {
 | |
|         var trail = /[\/\\]$/.test(prefix);
 | |
|         if (prefix.charAt(0) === "/") {
 | |
|           prefix = path.join(this.root, prefix);
 | |
|         } else {
 | |
|           prefix = path.resolve(this.root, prefix);
 | |
|           if (trail)
 | |
|             prefix += "/";
 | |
|         }
 | |
|       }
 | |
|       if (process.platform === "win32")
 | |
|         prefix = prefix.replace(/\\/g, "/");
 | |
|       this._emitMatch(index, prefix);
 | |
|     };
 | |
|     GlobSync.prototype._stat = function(f) {
 | |
|       var abs = this._makeAbs(f);
 | |
|       var needDir = f.slice(-1) === "/";
 | |
|       if (f.length > this.maxLength)
 | |
|         return false;
 | |
|       if (!this.stat && ownProp(this.cache, abs)) {
 | |
|         var c = this.cache[abs];
 | |
|         if (Array.isArray(c))
 | |
|           c = "DIR";
 | |
|         if (!needDir || c === "DIR")
 | |
|           return c;
 | |
|         if (needDir && c === "FILE")
 | |
|           return false;
 | |
|       }
 | |
|       var exists;
 | |
|       var stat = this.statCache[abs];
 | |
|       if (!stat) {
 | |
|         var lstat;
 | |
|         try {
 | |
|           lstat = this.fs.lstatSync(abs);
 | |
|         } catch (er) {
 | |
|           if (er && (er.code === "ENOENT" || er.code === "ENOTDIR")) {
 | |
|             this.statCache[abs] = false;
 | |
|             return false;
 | |
|           }
 | |
|         }
 | |
|         if (lstat && lstat.isSymbolicLink()) {
 | |
|           try {
 | |
|             stat = this.fs.statSync(abs);
 | |
|           } catch (er) {
 | |
|             stat = lstat;
 | |
|           }
 | |
|         } else {
 | |
|           stat = lstat;
 | |
|         }
 | |
|       }
 | |
|       this.statCache[abs] = stat;
 | |
|       var c = true;
 | |
|       if (stat)
 | |
|         c = stat.isDirectory() ? "DIR" : "FILE";
 | |
|       this.cache[abs] = this.cache[abs] || c;
 | |
|       if (needDir && c === "FILE")
 | |
|         return false;
 | |
|       return c;
 | |
|     };
 | |
|     GlobSync.prototype._mark = function(p) {
 | |
|       return common.mark(this, p);
 | |
|     };
 | |
|     GlobSync.prototype._makeAbs = function(f) {
 | |
|       return common.makeAbs(this, f);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/wrappy@1.0.2/node_modules/wrappy/wrappy.js
 | |
| var require_wrappy = __commonJS({
 | |
|   "../node_modules/.pnpm/wrappy@1.0.2/node_modules/wrappy/wrappy.js"(exports2, module2) {
 | |
|     module2.exports = wrappy;
 | |
|     function wrappy(fn, cb) {
 | |
|       if (fn && cb)
 | |
|         return wrappy(fn)(cb);
 | |
|       if (typeof fn !== "function")
 | |
|         throw new TypeError("need wrapper function");
 | |
|       Object.keys(fn).forEach(function(k) {
 | |
|         wrapper[k] = fn[k];
 | |
|       });
 | |
|       return wrapper;
 | |
|       function wrapper() {
 | |
|         var args = new Array(arguments.length);
 | |
|         for (var i = 0; i < args.length; i++) {
 | |
|           args[i] = arguments[i];
 | |
|         }
 | |
|         var ret = fn.apply(this, args);
 | |
|         var cb2 = args[args.length - 1];
 | |
|         if (typeof ret === "function" && ret !== cb2) {
 | |
|           Object.keys(cb2).forEach(function(k) {
 | |
|             ret[k] = cb2[k];
 | |
|           });
 | |
|         }
 | |
|         return ret;
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/once@1.4.0/node_modules/once/once.js
 | |
| var require_once = __commonJS({
 | |
|   "../node_modules/.pnpm/once@1.4.0/node_modules/once/once.js"(exports2, module2) {
 | |
|     var wrappy = require_wrappy();
 | |
|     module2.exports = wrappy(once);
 | |
|     module2.exports.strict = wrappy(onceStrict);
 | |
|     once.proto = once(function() {
 | |
|       Object.defineProperty(Function.prototype, "once", {
 | |
|         value: function() {
 | |
|           return once(this);
 | |
|         },
 | |
|         configurable: true
 | |
|       });
 | |
|       Object.defineProperty(Function.prototype, "onceStrict", {
 | |
|         value: function() {
 | |
|           return onceStrict(this);
 | |
|         },
 | |
|         configurable: true
 | |
|       });
 | |
|     });
 | |
|     function once(fn) {
 | |
|       var f = function() {
 | |
|         if (f.called)
 | |
|           return f.value;
 | |
|         f.called = true;
 | |
|         return f.value = fn.apply(this, arguments);
 | |
|       };
 | |
|       f.called = false;
 | |
|       return f;
 | |
|     }
 | |
|     function onceStrict(fn) {
 | |
|       var f = function() {
 | |
|         if (f.called)
 | |
|           throw new Error(f.onceError);
 | |
|         f.called = true;
 | |
|         return f.value = fn.apply(this, arguments);
 | |
|       };
 | |
|       var name = fn.name || "Function wrapped with `once`";
 | |
|       f.onceError = name + " shouldn't be called more than once";
 | |
|       f.called = false;
 | |
|       return f;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/inflight@1.0.6/node_modules/inflight/inflight.js
 | |
| var require_inflight = __commonJS({
 | |
|   "../node_modules/.pnpm/inflight@1.0.6/node_modules/inflight/inflight.js"(exports2, module2) {
 | |
|     var wrappy = require_wrappy();
 | |
|     var reqs = /* @__PURE__ */ Object.create(null);
 | |
|     var once = require_once();
 | |
|     module2.exports = wrappy(inflight);
 | |
|     function inflight(key, cb) {
 | |
|       if (reqs[key]) {
 | |
|         reqs[key].push(cb);
 | |
|         return null;
 | |
|       } else {
 | |
|         reqs[key] = [cb];
 | |
|         return makeres(key);
 | |
|       }
 | |
|     }
 | |
|     function makeres(key) {
 | |
|       return once(function RES() {
 | |
|         var cbs = reqs[key];
 | |
|         var len = cbs.length;
 | |
|         var args = slice(arguments);
 | |
|         try {
 | |
|           for (var i = 0; i < len; i++) {
 | |
|             cbs[i].apply(null, args);
 | |
|           }
 | |
|         } finally {
 | |
|           if (cbs.length > len) {
 | |
|             cbs.splice(0, len);
 | |
|             process.nextTick(function() {
 | |
|               RES.apply(null, args);
 | |
|             });
 | |
|           } else {
 | |
|             delete reqs[key];
 | |
|           }
 | |
|         }
 | |
|       });
 | |
|     }
 | |
|     function slice(args) {
 | |
|       var length = args.length;
 | |
|       var array = [];
 | |
|       for (var i = 0; i < length; i++)
 | |
|         array[i] = args[i];
 | |
|       return array;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/glob@7.2.3/node_modules/glob/glob.js
 | |
| var require_glob = __commonJS({
 | |
|   "../node_modules/.pnpm/glob@7.2.3/node_modules/glob/glob.js"(exports2, module2) {
 | |
|     module2.exports = glob;
 | |
|     var rp = require_fs();
 | |
|     var minimatch = require_minimatch();
 | |
|     var Minimatch = minimatch.Minimatch;
 | |
|     var inherits = require_inherits();
 | |
|     var EE = require("events").EventEmitter;
 | |
|     var path = require("path");
 | |
|     var assert = require("assert");
 | |
|     var isAbsolute = require_path_is_absolute();
 | |
|     var globSync = require_sync();
 | |
|     var common = require_common();
 | |
|     var setopts = common.setopts;
 | |
|     var ownProp = common.ownProp;
 | |
|     var inflight = require_inflight();
 | |
|     var util = require("util");
 | |
|     var childrenIgnored = common.childrenIgnored;
 | |
|     var isIgnored = common.isIgnored;
 | |
|     var once = require_once();
 | |
|     function glob(pattern, options, cb) {
 | |
|       if (typeof options === "function")
 | |
|         cb = options, options = {};
 | |
|       if (!options)
 | |
|         options = {};
 | |
|       if (options.sync) {
 | |
|         if (cb)
 | |
|           throw new TypeError("callback provided to sync glob");
 | |
|         return globSync(pattern, options);
 | |
|       }
 | |
|       return new Glob(pattern, options, cb);
 | |
|     }
 | |
|     glob.sync = globSync;
 | |
|     var GlobSync = glob.GlobSync = globSync.GlobSync;
 | |
|     glob.glob = glob;
 | |
|     function extend(origin, add) {
 | |
|       if (add === null || typeof add !== "object") {
 | |
|         return origin;
 | |
|       }
 | |
|       var keys = Object.keys(add);
 | |
|       var i = keys.length;
 | |
|       while (i--) {
 | |
|         origin[keys[i]] = add[keys[i]];
 | |
|       }
 | |
|       return origin;
 | |
|     }
 | |
|     glob.hasMagic = function(pattern, options_) {
 | |
|       var options = extend({}, options_);
 | |
|       options.noprocess = true;
 | |
|       var g = new Glob(pattern, options);
 | |
|       var set = g.minimatch.set;
 | |
|       if (!pattern)
 | |
|         return false;
 | |
|       if (set.length > 1)
 | |
|         return true;
 | |
|       for (var j = 0; j < set[0].length; j++) {
 | |
|         if (typeof set[0][j] !== "string")
 | |
|           return true;
 | |
|       }
 | |
|       return false;
 | |
|     };
 | |
|     glob.Glob = Glob;
 | |
|     inherits(Glob, EE);
 | |
|     function Glob(pattern, options, cb) {
 | |
|       if (typeof options === "function") {
 | |
|         cb = options;
 | |
|         options = null;
 | |
|       }
 | |
|       if (options && options.sync) {
 | |
|         if (cb)
 | |
|           throw new TypeError("callback provided to sync glob");
 | |
|         return new GlobSync(pattern, options);
 | |
|       }
 | |
|       if (!(this instanceof Glob))
 | |
|         return new Glob(pattern, options, cb);
 | |
|       setopts(this, pattern, options);
 | |
|       this._didRealPath = false;
 | |
|       var n = this.minimatch.set.length;
 | |
|       this.matches = new Array(n);
 | |
|       if (typeof cb === "function") {
 | |
|         cb = once(cb);
 | |
|         this.on("error", cb);
 | |
|         this.on("end", function(matches) {
 | |
|           cb(null, matches);
 | |
|         });
 | |
|       }
 | |
|       var self2 = this;
 | |
|       this._processing = 0;
 | |
|       this._emitQueue = [];
 | |
|       this._processQueue = [];
 | |
|       this.paused = false;
 | |
|       if (this.noprocess)
 | |
|         return this;
 | |
|       if (n === 0)
 | |
|         return done();
 | |
|       var sync = true;
 | |
|       for (var i = 0; i < n; i++) {
 | |
|         this._process(this.minimatch.set[i], i, false, done);
 | |
|       }
 | |
|       sync = false;
 | |
|       function done() {
 | |
|         --self2._processing;
 | |
|         if (self2._processing <= 0) {
 | |
|           if (sync) {
 | |
|             process.nextTick(function() {
 | |
|               self2._finish();
 | |
|             });
 | |
|           } else {
 | |
|             self2._finish();
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     Glob.prototype._finish = function() {
 | |
|       assert(this instanceof Glob);
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       if (this.realpath && !this._didRealpath)
 | |
|         return this._realpath();
 | |
|       common.finish(this);
 | |
|       this.emit("end", this.found);
 | |
|     };
 | |
|     Glob.prototype._realpath = function() {
 | |
|       if (this._didRealpath)
 | |
|         return;
 | |
|       this._didRealpath = true;
 | |
|       var n = this.matches.length;
 | |
|       if (n === 0)
 | |
|         return this._finish();
 | |
|       var self2 = this;
 | |
|       for (var i = 0; i < this.matches.length; i++)
 | |
|         this._realpathSet(i, next);
 | |
|       function next() {
 | |
|         if (--n === 0)
 | |
|           self2._finish();
 | |
|       }
 | |
|     };
 | |
|     Glob.prototype._realpathSet = function(index, cb) {
 | |
|       var matchset = this.matches[index];
 | |
|       if (!matchset)
 | |
|         return cb();
 | |
|       var found = Object.keys(matchset);
 | |
|       var self2 = this;
 | |
|       var n = found.length;
 | |
|       if (n === 0)
 | |
|         return cb();
 | |
|       var set = this.matches[index] = /* @__PURE__ */ Object.create(null);
 | |
|       found.forEach(function(p, i) {
 | |
|         p = self2._makeAbs(p);
 | |
|         rp.realpath(p, self2.realpathCache, function(er, real) {
 | |
|           if (!er)
 | |
|             set[real] = true;
 | |
|           else if (er.syscall === "stat")
 | |
|             set[p] = true;
 | |
|           else
 | |
|             self2.emit("error", er);
 | |
|           if (--n === 0) {
 | |
|             self2.matches[index] = set;
 | |
|             cb();
 | |
|           }
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     Glob.prototype._mark = function(p) {
 | |
|       return common.mark(this, p);
 | |
|     };
 | |
|     Glob.prototype._makeAbs = function(f) {
 | |
|       return common.makeAbs(this, f);
 | |
|     };
 | |
|     Glob.prototype.abort = function() {
 | |
|       this.aborted = true;
 | |
|       this.emit("abort");
 | |
|     };
 | |
|     Glob.prototype.pause = function() {
 | |
|       if (!this.paused) {
 | |
|         this.paused = true;
 | |
|         this.emit("pause");
 | |
|       }
 | |
|     };
 | |
|     Glob.prototype.resume = function() {
 | |
|       if (this.paused) {
 | |
|         this.emit("resume");
 | |
|         this.paused = false;
 | |
|         if (this._emitQueue.length) {
 | |
|           var eq = this._emitQueue.slice(0);
 | |
|           this._emitQueue.length = 0;
 | |
|           for (var i = 0; i < eq.length; i++) {
 | |
|             var e = eq[i];
 | |
|             this._emitMatch(e[0], e[1]);
 | |
|           }
 | |
|         }
 | |
|         if (this._processQueue.length) {
 | |
|           var pq = this._processQueue.slice(0);
 | |
|           this._processQueue.length = 0;
 | |
|           for (var i = 0; i < pq.length; i++) {
 | |
|             var p = pq[i];
 | |
|             this._processing--;
 | |
|             this._process(p[0], p[1], p[2], p[3]);
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|     Glob.prototype._process = function(pattern, index, inGlobStar, cb) {
 | |
|       assert(this instanceof Glob);
 | |
|       assert(typeof cb === "function");
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       this._processing++;
 | |
|       if (this.paused) {
 | |
|         this._processQueue.push([pattern, index, inGlobStar, cb]);
 | |
|         return;
 | |
|       }
 | |
|       var n = 0;
 | |
|       while (typeof pattern[n] === "string") {
 | |
|         n++;
 | |
|       }
 | |
|       var prefix;
 | |
|       switch (n) {
 | |
|         case pattern.length:
 | |
|           this._processSimple(pattern.join("/"), index, cb);
 | |
|           return;
 | |
|         case 0:
 | |
|           prefix = null;
 | |
|           break;
 | |
|         default:
 | |
|           prefix = pattern.slice(0, n).join("/");
 | |
|           break;
 | |
|       }
 | |
|       var remain = pattern.slice(n);
 | |
|       var read;
 | |
|       if (prefix === null)
 | |
|         read = ".";
 | |
|       else if (isAbsolute(prefix) || isAbsolute(pattern.map(function(p) {
 | |
|         return typeof p === "string" ? p : "[*]";
 | |
|       }).join("/"))) {
 | |
|         if (!prefix || !isAbsolute(prefix))
 | |
|           prefix = "/" + prefix;
 | |
|         read = prefix;
 | |
|       } else
 | |
|         read = prefix;
 | |
|       var abs = this._makeAbs(read);
 | |
|       if (childrenIgnored(this, read))
 | |
|         return cb();
 | |
|       var isGlobStar = remain[0] === minimatch.GLOBSTAR;
 | |
|       if (isGlobStar)
 | |
|         this._processGlobStar(prefix, read, abs, remain, index, inGlobStar, cb);
 | |
|       else
 | |
|         this._processReaddir(prefix, read, abs, remain, index, inGlobStar, cb);
 | |
|     };
 | |
|     Glob.prototype._processReaddir = function(prefix, read, abs, remain, index, inGlobStar, cb) {
 | |
|       var self2 = this;
 | |
|       this._readdir(abs, inGlobStar, function(er, entries) {
 | |
|         return self2._processReaddir2(prefix, read, abs, remain, index, inGlobStar, entries, cb);
 | |
|       });
 | |
|     };
 | |
|     Glob.prototype._processReaddir2 = function(prefix, read, abs, remain, index, inGlobStar, entries, cb) {
 | |
|       if (!entries)
 | |
|         return cb();
 | |
|       var pn = remain[0];
 | |
|       var negate = !!this.minimatch.negate;
 | |
|       var rawGlob = pn._glob;
 | |
|       var dotOk = this.dot || rawGlob.charAt(0) === ".";
 | |
|       var matchedEntries = [];
 | |
|       for (var i = 0; i < entries.length; i++) {
 | |
|         var e = entries[i];
 | |
|         if (e.charAt(0) !== "." || dotOk) {
 | |
|           var m;
 | |
|           if (negate && !prefix) {
 | |
|             m = !e.match(pn);
 | |
|           } else {
 | |
|             m = e.match(pn);
 | |
|           }
 | |
|           if (m)
 | |
|             matchedEntries.push(e);
 | |
|         }
 | |
|       }
 | |
|       var len = matchedEntries.length;
 | |
|       if (len === 0)
 | |
|         return cb();
 | |
|       if (remain.length === 1 && !this.mark && !this.stat) {
 | |
|         if (!this.matches[index])
 | |
|           this.matches[index] = /* @__PURE__ */ Object.create(null);
 | |
|         for (var i = 0; i < len; i++) {
 | |
|           var e = matchedEntries[i];
 | |
|           if (prefix) {
 | |
|             if (prefix !== "/")
 | |
|               e = prefix + "/" + e;
 | |
|             else
 | |
|               e = prefix + e;
 | |
|           }
 | |
|           if (e.charAt(0) === "/" && !this.nomount) {
 | |
|             e = path.join(this.root, e);
 | |
|           }
 | |
|           this._emitMatch(index, e);
 | |
|         }
 | |
|         return cb();
 | |
|       }
 | |
|       remain.shift();
 | |
|       for (var i = 0; i < len; i++) {
 | |
|         var e = matchedEntries[i];
 | |
|         var newPattern;
 | |
|         if (prefix) {
 | |
|           if (prefix !== "/")
 | |
|             e = prefix + "/" + e;
 | |
|           else
 | |
|             e = prefix + e;
 | |
|         }
 | |
|         this._process([e].concat(remain), index, inGlobStar, cb);
 | |
|       }
 | |
|       cb();
 | |
|     };
 | |
|     Glob.prototype._emitMatch = function(index, e) {
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       if (isIgnored(this, e))
 | |
|         return;
 | |
|       if (this.paused) {
 | |
|         this._emitQueue.push([index, e]);
 | |
|         return;
 | |
|       }
 | |
|       var abs = isAbsolute(e) ? e : this._makeAbs(e);
 | |
|       if (this.mark)
 | |
|         e = this._mark(e);
 | |
|       if (this.absolute)
 | |
|         e = abs;
 | |
|       if (this.matches[index][e])
 | |
|         return;
 | |
|       if (this.nodir) {
 | |
|         var c = this.cache[abs];
 | |
|         if (c === "DIR" || Array.isArray(c))
 | |
|           return;
 | |
|       }
 | |
|       this.matches[index][e] = true;
 | |
|       var st = this.statCache[abs];
 | |
|       if (st)
 | |
|         this.emit("stat", e, st);
 | |
|       this.emit("match", e);
 | |
|     };
 | |
|     Glob.prototype._readdirInGlobStar = function(abs, cb) {
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       if (this.follow)
 | |
|         return this._readdir(abs, false, cb);
 | |
|       var lstatkey = "lstat\0" + abs;
 | |
|       var self2 = this;
 | |
|       var lstatcb = inflight(lstatkey, lstatcb_);
 | |
|       if (lstatcb)
 | |
|         self2.fs.lstat(abs, lstatcb);
 | |
|       function lstatcb_(er, lstat) {
 | |
|         if (er && er.code === "ENOENT")
 | |
|           return cb();
 | |
|         var isSym = lstat && lstat.isSymbolicLink();
 | |
|         self2.symlinks[abs] = isSym;
 | |
|         if (!isSym && lstat && !lstat.isDirectory()) {
 | |
|           self2.cache[abs] = "FILE";
 | |
|           cb();
 | |
|         } else
 | |
|           self2._readdir(abs, false, cb);
 | |
|       }
 | |
|     };
 | |
|     Glob.prototype._readdir = function(abs, inGlobStar, cb) {
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       cb = inflight("readdir\0" + abs + "\0" + inGlobStar, cb);
 | |
|       if (!cb)
 | |
|         return;
 | |
|       if (inGlobStar && !ownProp(this.symlinks, abs))
 | |
|         return this._readdirInGlobStar(abs, cb);
 | |
|       if (ownProp(this.cache, abs)) {
 | |
|         var c = this.cache[abs];
 | |
|         if (!c || c === "FILE")
 | |
|           return cb();
 | |
|         if (Array.isArray(c))
 | |
|           return cb(null, c);
 | |
|       }
 | |
|       var self2 = this;
 | |
|       self2.fs.readdir(abs, readdirCb(this, abs, cb));
 | |
|     };
 | |
|     function readdirCb(self2, abs, cb) {
 | |
|       return function(er, entries) {
 | |
|         if (er)
 | |
|           self2._readdirError(abs, er, cb);
 | |
|         else
 | |
|           self2._readdirEntries(abs, entries, cb);
 | |
|       };
 | |
|     }
 | |
|     Glob.prototype._readdirEntries = function(abs, entries, cb) {
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       if (!this.mark && !this.stat) {
 | |
|         for (var i = 0; i < entries.length; i++) {
 | |
|           var e = entries[i];
 | |
|           if (abs === "/")
 | |
|             e = abs + e;
 | |
|           else
 | |
|             e = abs + "/" + e;
 | |
|           this.cache[e] = true;
 | |
|         }
 | |
|       }
 | |
|       this.cache[abs] = entries;
 | |
|       return cb(null, entries);
 | |
|     };
 | |
|     Glob.prototype._readdirError = function(f, er, cb) {
 | |
|       if (this.aborted)
 | |
|         return;
 | |
|       switch (er.code) {
 | |
|         case "ENOTSUP":
 | |
|         case "ENOTDIR":
 | |
|           var abs = this._makeAbs(f);
 | |
|           this.cache[abs] = "FILE";
 | |
|           if (abs === this.cwdAbs) {
 | |
|             var error = new Error(er.code + " invalid cwd " + this.cwd);
 | |
|             error.path = this.cwd;
 | |
|             error.code = er.code;
 | |
|             this.emit("error", error);
 | |
|             this.abort();
 | |
|           }
 | |
|           break;
 | |
|         case "ENOENT":
 | |
|         case "ELOOP":
 | |
|         case "ENAMETOOLONG":
 | |
|         case "UNKNOWN":
 | |
|           this.cache[this._makeAbs(f)] = false;
 | |
|           break;
 | |
|         default:
 | |
|           this.cache[this._makeAbs(f)] = false;
 | |
|           if (this.strict) {
 | |
|             this.emit("error", er);
 | |
|             this.abort();
 | |
|           }
 | |
|           if (!this.silent)
 | |
|             console.error("glob error", er);
 | |
|           break;
 | |
|       }
 | |
|       return cb();
 | |
|     };
 | |
|     Glob.prototype._processGlobStar = function(prefix, read, abs, remain, index, inGlobStar, cb) {
 | |
|       var self2 = this;
 | |
|       this._readdir(abs, inGlobStar, function(er, entries) {
 | |
|         self2._processGlobStar2(prefix, read, abs, remain, index, inGlobStar, entries, cb);
 | |
|       });
 | |
|     };
 | |
|     Glob.prototype._processGlobStar2 = function(prefix, read, abs, remain, index, inGlobStar, entries, cb) {
 | |
|       if (!entries)
 | |
|         return cb();
 | |
|       var remainWithoutGlobStar = remain.slice(1);
 | |
|       var gspref = prefix ? [prefix] : [];
 | |
|       var noGlobStar = gspref.concat(remainWithoutGlobStar);
 | |
|       this._process(noGlobStar, index, false, cb);
 | |
|       var isSym = this.symlinks[abs];
 | |
|       var len = entries.length;
 | |
|       if (isSym && inGlobStar)
 | |
|         return cb();
 | |
|       for (var i = 0; i < len; i++) {
 | |
|         var e = entries[i];
 | |
|         if (e.charAt(0) === "." && !this.dot)
 | |
|           continue;
 | |
|         var instead = gspref.concat(entries[i], remainWithoutGlobStar);
 | |
|         this._process(instead, index, true, cb);
 | |
|         var below = gspref.concat(entries[i], remain);
 | |
|         this._process(below, index, true, cb);
 | |
|       }
 | |
|       cb();
 | |
|     };
 | |
|     Glob.prototype._processSimple = function(prefix, index, cb) {
 | |
|       var self2 = this;
 | |
|       this._stat(prefix, function(er, exists) {
 | |
|         self2._processSimple2(prefix, index, er, exists, cb);
 | |
|       });
 | |
|     };
 | |
|     Glob.prototype._processSimple2 = function(prefix, index, er, exists, cb) {
 | |
|       if (!this.matches[index])
 | |
|         this.matches[index] = /* @__PURE__ */ Object.create(null);
 | |
|       if (!exists)
 | |
|         return cb();
 | |
|       if (prefix && isAbsolute(prefix) && !this.nomount) {
 | |
|         var trail = /[\/\\]$/.test(prefix);
 | |
|         if (prefix.charAt(0) === "/") {
 | |
|           prefix = path.join(this.root, prefix);
 | |
|         } else {
 | |
|           prefix = path.resolve(this.root, prefix);
 | |
|           if (trail)
 | |
|             prefix += "/";
 | |
|         }
 | |
|       }
 | |
|       if (process.platform === "win32")
 | |
|         prefix = prefix.replace(/\\/g, "/");
 | |
|       this._emitMatch(index, prefix);
 | |
|       cb();
 | |
|     };
 | |
|     Glob.prototype._stat = function(f, cb) {
 | |
|       var abs = this._makeAbs(f);
 | |
|       var needDir = f.slice(-1) === "/";
 | |
|       if (f.length > this.maxLength)
 | |
|         return cb();
 | |
|       if (!this.stat && ownProp(this.cache, abs)) {
 | |
|         var c = this.cache[abs];
 | |
|         if (Array.isArray(c))
 | |
|           c = "DIR";
 | |
|         if (!needDir || c === "DIR")
 | |
|           return cb(null, c);
 | |
|         if (needDir && c === "FILE")
 | |
|           return cb();
 | |
|       }
 | |
|       var exists;
 | |
|       var stat = this.statCache[abs];
 | |
|       if (stat !== void 0) {
 | |
|         if (stat === false)
 | |
|           return cb(null, stat);
 | |
|         else {
 | |
|           var type = stat.isDirectory() ? "DIR" : "FILE";
 | |
|           if (needDir && type === "FILE")
 | |
|             return cb();
 | |
|           else
 | |
|             return cb(null, type, stat);
 | |
|         }
 | |
|       }
 | |
|       var self2 = this;
 | |
|       var statcb = inflight("stat\0" + abs, lstatcb_);
 | |
|       if (statcb)
 | |
|         self2.fs.lstat(abs, statcb);
 | |
|       function lstatcb_(er, lstat) {
 | |
|         if (lstat && lstat.isSymbolicLink()) {
 | |
|           return self2.fs.stat(abs, function(er2, stat2) {
 | |
|             if (er2)
 | |
|               self2._stat2(f, abs, null, lstat, cb);
 | |
|             else
 | |
|               self2._stat2(f, abs, er2, stat2, cb);
 | |
|           });
 | |
|         } else {
 | |
|           self2._stat2(f, abs, er, lstat, cb);
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|     Glob.prototype._stat2 = function(f, abs, er, stat, cb) {
 | |
|       if (er && (er.code === "ENOENT" || er.code === "ENOTDIR")) {
 | |
|         this.statCache[abs] = false;
 | |
|         return cb();
 | |
|       }
 | |
|       var needDir = f.slice(-1) === "/";
 | |
|       this.statCache[abs] = stat;
 | |
|       if (abs.slice(-1) === "/" && stat && !stat.isDirectory())
 | |
|         return cb(null, false, stat);
 | |
|       var c = true;
 | |
|       if (stat)
 | |
|         c = stat.isDirectory() ? "DIR" : "FILE";
 | |
|       this.cache[abs] = this.cache[abs] || c;
 | |
|       if (needDir && c === "FILE")
 | |
|         return cb();
 | |
|       return cb(null, c, stat);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/rimraf@3.0.2/node_modules/rimraf/rimraf.js
 | |
| var require_rimraf = __commonJS({
 | |
|   "../node_modules/.pnpm/rimraf@3.0.2/node_modules/rimraf/rimraf.js"(exports2, module2) {
 | |
|     var assert = require("assert");
 | |
|     var path = require("path");
 | |
|     var fs = require("fs");
 | |
|     var glob = void 0;
 | |
|     try {
 | |
|       glob = require_glob();
 | |
|     } catch (_err) {
 | |
|     }
 | |
|     var defaultGlobOpts = {
 | |
|       nosort: true,
 | |
|       silent: true
 | |
|     };
 | |
|     var timeout = 0;
 | |
|     var isWindows = process.platform === "win32";
 | |
|     var defaults = (options) => {
 | |
|       const methods = [
 | |
|         "unlink",
 | |
|         "chmod",
 | |
|         "stat",
 | |
|         "lstat",
 | |
|         "rmdir",
 | |
|         "readdir"
 | |
|       ];
 | |
|       methods.forEach((m) => {
 | |
|         options[m] = options[m] || fs[m];
 | |
|         m = m + "Sync";
 | |
|         options[m] = options[m] || fs[m];
 | |
|       });
 | |
|       options.maxBusyTries = options.maxBusyTries || 3;
 | |
|       options.emfileWait = options.emfileWait || 1e3;
 | |
|       if (options.glob === false) {
 | |
|         options.disableGlob = true;
 | |
|       }
 | |
|       if (options.disableGlob !== true && glob === void 0) {
 | |
|         throw Error("glob dependency not found, set `options.disableGlob = true` if intentional");
 | |
|       }
 | |
|       options.disableGlob = options.disableGlob || false;
 | |
|       options.glob = options.glob || defaultGlobOpts;
 | |
|     };
 | |
|     var rimraf = (p, options, cb) => {
 | |
|       if (typeof options === "function") {
 | |
|         cb = options;
 | |
|         options = {};
 | |
|       }
 | |
|       assert(p, "rimraf: missing path");
 | |
|       assert.equal(typeof p, "string", "rimraf: path should be a string");
 | |
|       assert.equal(typeof cb, "function", "rimraf: callback function required");
 | |
|       assert(options, "rimraf: invalid options argument provided");
 | |
|       assert.equal(typeof options, "object", "rimraf: options should be object");
 | |
|       defaults(options);
 | |
|       let busyTries = 0;
 | |
|       let errState = null;
 | |
|       let n = 0;
 | |
|       const next = (er) => {
 | |
|         errState = errState || er;
 | |
|         if (--n === 0)
 | |
|           cb(errState);
 | |
|       };
 | |
|       const afterGlob = (er, results) => {
 | |
|         if (er)
 | |
|           return cb(er);
 | |
|         n = results.length;
 | |
|         if (n === 0)
 | |
|           return cb();
 | |
|         results.forEach((p2) => {
 | |
|           const CB = (er2) => {
 | |
|             if (er2) {
 | |
|               if ((er2.code === "EBUSY" || er2.code === "ENOTEMPTY" || er2.code === "EPERM") && busyTries < options.maxBusyTries) {
 | |
|                 busyTries++;
 | |
|                 return setTimeout(() => rimraf_(p2, options, CB), busyTries * 100);
 | |
|               }
 | |
|               if (er2.code === "EMFILE" && timeout < options.emfileWait) {
 | |
|                 return setTimeout(() => rimraf_(p2, options, CB), timeout++);
 | |
|               }
 | |
|               if (er2.code === "ENOENT")
 | |
|                 er2 = null;
 | |
|             }
 | |
|             timeout = 0;
 | |
|             next(er2);
 | |
|           };
 | |
|           rimraf_(p2, options, CB);
 | |
|         });
 | |
|       };
 | |
|       if (options.disableGlob || !glob.hasMagic(p))
 | |
|         return afterGlob(null, [p]);
 | |
|       options.lstat(p, (er, stat) => {
 | |
|         if (!er)
 | |
|           return afterGlob(null, [p]);
 | |
|         glob(p, options.glob, afterGlob);
 | |
|       });
 | |
|     };
 | |
|     var rimraf_ = (p, options, cb) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       assert(typeof cb === "function");
 | |
|       options.lstat(p, (er, st) => {
 | |
|         if (er && er.code === "ENOENT")
 | |
|           return cb(null);
 | |
|         if (er && er.code === "EPERM" && isWindows)
 | |
|           fixWinEPERM(p, options, er, cb);
 | |
|         if (st && st.isDirectory())
 | |
|           return rmdir(p, options, er, cb);
 | |
|         options.unlink(p, (er2) => {
 | |
|           if (er2) {
 | |
|             if (er2.code === "ENOENT")
 | |
|               return cb(null);
 | |
|             if (er2.code === "EPERM")
 | |
|               return isWindows ? fixWinEPERM(p, options, er2, cb) : rmdir(p, options, er2, cb);
 | |
|             if (er2.code === "EISDIR")
 | |
|               return rmdir(p, options, er2, cb);
 | |
|           }
 | |
|           return cb(er2);
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     var fixWinEPERM = (p, options, er, cb) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       assert(typeof cb === "function");
 | |
|       options.chmod(p, 438, (er2) => {
 | |
|         if (er2)
 | |
|           cb(er2.code === "ENOENT" ? null : er);
 | |
|         else
 | |
|           options.stat(p, (er3, stats) => {
 | |
|             if (er3)
 | |
|               cb(er3.code === "ENOENT" ? null : er);
 | |
|             else if (stats.isDirectory())
 | |
|               rmdir(p, options, er, cb);
 | |
|             else
 | |
|               options.unlink(p, cb);
 | |
|           });
 | |
|       });
 | |
|     };
 | |
|     var fixWinEPERMSync = (p, options, er) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       try {
 | |
|         options.chmodSync(p, 438);
 | |
|       } catch (er2) {
 | |
|         if (er2.code === "ENOENT")
 | |
|           return;
 | |
|         else
 | |
|           throw er;
 | |
|       }
 | |
|       let stats;
 | |
|       try {
 | |
|         stats = options.statSync(p);
 | |
|       } catch (er3) {
 | |
|         if (er3.code === "ENOENT")
 | |
|           return;
 | |
|         else
 | |
|           throw er;
 | |
|       }
 | |
|       if (stats.isDirectory())
 | |
|         rmdirSync(p, options, er);
 | |
|       else
 | |
|         options.unlinkSync(p);
 | |
|     };
 | |
|     var rmdir = (p, options, originalEr, cb) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       assert(typeof cb === "function");
 | |
|       options.rmdir(p, (er) => {
 | |
|         if (er && (er.code === "ENOTEMPTY" || er.code === "EEXIST" || er.code === "EPERM"))
 | |
|           rmkids(p, options, cb);
 | |
|         else if (er && er.code === "ENOTDIR")
 | |
|           cb(originalEr);
 | |
|         else
 | |
|           cb(er);
 | |
|       });
 | |
|     };
 | |
|     var rmkids = (p, options, cb) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       assert(typeof cb === "function");
 | |
|       options.readdir(p, (er, files) => {
 | |
|         if (er)
 | |
|           return cb(er);
 | |
|         let n = files.length;
 | |
|         if (n === 0)
 | |
|           return options.rmdir(p, cb);
 | |
|         let errState;
 | |
|         files.forEach((f) => {
 | |
|           rimraf(path.join(p, f), options, (er2) => {
 | |
|             if (errState)
 | |
|               return;
 | |
|             if (er2)
 | |
|               return cb(errState = er2);
 | |
|             if (--n === 0)
 | |
|               options.rmdir(p, cb);
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     var rimrafSync = (p, options) => {
 | |
|       options = options || {};
 | |
|       defaults(options);
 | |
|       assert(p, "rimraf: missing path");
 | |
|       assert.equal(typeof p, "string", "rimraf: path should be a string");
 | |
|       assert(options, "rimraf: missing options");
 | |
|       assert.equal(typeof options, "object", "rimraf: options should be object");
 | |
|       let results;
 | |
|       if (options.disableGlob || !glob.hasMagic(p)) {
 | |
|         results = [p];
 | |
|       } else {
 | |
|         try {
 | |
|           options.lstatSync(p);
 | |
|           results = [p];
 | |
|         } catch (er) {
 | |
|           results = glob.sync(p, options.glob);
 | |
|         }
 | |
|       }
 | |
|       if (!results.length)
 | |
|         return;
 | |
|       for (let i = 0; i < results.length; i++) {
 | |
|         const p2 = results[i];
 | |
|         let st;
 | |
|         try {
 | |
|           st = options.lstatSync(p2);
 | |
|         } catch (er) {
 | |
|           if (er.code === "ENOENT")
 | |
|             return;
 | |
|           if (er.code === "EPERM" && isWindows)
 | |
|             fixWinEPERMSync(p2, options, er);
 | |
|         }
 | |
|         try {
 | |
|           if (st && st.isDirectory())
 | |
|             rmdirSync(p2, options, null);
 | |
|           else
 | |
|             options.unlinkSync(p2);
 | |
|         } catch (er) {
 | |
|           if (er.code === "ENOENT")
 | |
|             return;
 | |
|           if (er.code === "EPERM")
 | |
|             return isWindows ? fixWinEPERMSync(p2, options, er) : rmdirSync(p2, options, er);
 | |
|           if (er.code !== "EISDIR")
 | |
|             throw er;
 | |
|           rmdirSync(p2, options, er);
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|     var rmdirSync = (p, options, originalEr) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       try {
 | |
|         options.rmdirSync(p);
 | |
|       } catch (er) {
 | |
|         if (er.code === "ENOENT")
 | |
|           return;
 | |
|         if (er.code === "ENOTDIR")
 | |
|           throw originalEr;
 | |
|         if (er.code === "ENOTEMPTY" || er.code === "EEXIST" || er.code === "EPERM")
 | |
|           rmkidsSync(p, options);
 | |
|       }
 | |
|     };
 | |
|     var rmkidsSync = (p, options) => {
 | |
|       assert(p);
 | |
|       assert(options);
 | |
|       options.readdirSync(p).forEach((f) => rimrafSync(path.join(p, f), options));
 | |
|       const retries = isWindows ? 100 : 1;
 | |
|       let i = 0;
 | |
|       do {
 | |
|         let threw = true;
 | |
|         try {
 | |
|           const ret = options.rmdirSync(p, options);
 | |
|           threw = false;
 | |
|           return ret;
 | |
|         } finally {
 | |
|           if (++i < retries && threw)
 | |
|             continue;
 | |
|         }
 | |
|       } while (true);
 | |
|     };
 | |
|     module2.exports = rimraf;
 | |
|     rimraf.sync = rimrafSync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@zkochan+rimraf@2.1.3/node_modules/@zkochan/rimraf/index.js
 | |
| var require_rimraf2 = __commonJS({
 | |
|   "../node_modules/.pnpm/@zkochan+rimraf@2.1.3/node_modules/@zkochan/rimraf/index.js"(exports2, module2) {
 | |
|     var rimraf = require_rimraf();
 | |
|     var { promisify } = require("util");
 | |
|     var rimrafP = promisify(rimraf);
 | |
|     module2.exports = async (p) => {
 | |
|       try {
 | |
|         await rimrafP(p);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOTDIR" || err.code === "ENOENT")
 | |
|           return;
 | |
|         throw err;
 | |
|       }
 | |
|     };
 | |
|     module2.exports.sync = (p) => {
 | |
|       try {
 | |
|         rimraf.sync(p);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOTDIR" || err.code === "ENOENT")
 | |
|           return;
 | |
|         throw err;
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/getFilePathInCafs.js
 | |
| var require_getFilePathInCafs = __commonJS({
 | |
|   "../store/cafs/lib/getFilePathInCafs.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.contentPathFromHex = exports2.getFilePathInCafs = exports2.getFilePathByModeInCafs = exports2.modeIsExecutable = void 0;
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var ssri_1 = __importDefault2(require_lib3());
 | |
|     var modeIsExecutable = (mode) => (mode & 73) === 73;
 | |
|     exports2.modeIsExecutable = modeIsExecutable;
 | |
|     function getFilePathByModeInCafs(cafsDir, integrity, mode) {
 | |
|       const fileType = (0, exports2.modeIsExecutable)(mode) ? "exec" : "nonexec";
 | |
|       return path_12.default.join(cafsDir, contentPathFromIntegrity(integrity, fileType));
 | |
|     }
 | |
|     exports2.getFilePathByModeInCafs = getFilePathByModeInCafs;
 | |
|     function getFilePathInCafs(cafsDir, integrity, fileType) {
 | |
|       return path_12.default.join(cafsDir, contentPathFromIntegrity(integrity, fileType));
 | |
|     }
 | |
|     exports2.getFilePathInCafs = getFilePathInCafs;
 | |
|     function contentPathFromIntegrity(integrity, fileType) {
 | |
|       const sri = ssri_1.default.parse(integrity, { single: true });
 | |
|       return contentPathFromHex(fileType, sri.hexDigest());
 | |
|     }
 | |
|     function contentPathFromHex(fileType, hex) {
 | |
|       const p = path_12.default.join(hex.slice(0, 2), hex.slice(2));
 | |
|       switch (fileType) {
 | |
|         case "exec":
 | |
|           return `${p}-exec`;
 | |
|         case "nonexec":
 | |
|           return p;
 | |
|         case "index":
 | |
|           return `${p}-index.json`;
 | |
|       }
 | |
|     }
 | |
|     exports2.contentPathFromHex = contentPathFromHex;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/checkPkgFilesIntegrity.js
 | |
| var require_checkPkgFilesIntegrity = __commonJS({
 | |
|   "../store/cafs/lib/checkPkgFilesIntegrity.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.verifyFileIntegrity = exports2.checkPkgFilesIntegrity = void 0;
 | |
|     var fs_12 = __importDefault2(require("fs"));
 | |
|     var graceful_fs_12 = __importDefault2(require_lib());
 | |
|     var rimraf_1 = __importDefault2(require_rimraf2());
 | |
|     var ssri_1 = __importDefault2(require_lib3());
 | |
|     var getFilePathInCafs_1 = require_getFilePathInCafs();
 | |
|     var parseJson_1 = require_parseJson();
 | |
|     global["verifiedFileIntegrity"] = 0;
 | |
|     function checkPkgFilesIntegrity(cafsDir, pkgIndex, readManifest) {
 | |
|       const verifiedFilesCache = /* @__PURE__ */ new Set();
 | |
|       const _checkFilesIntegrity = checkFilesIntegrity.bind(null, verifiedFilesCache, cafsDir);
 | |
|       const verified = _checkFilesIntegrity(pkgIndex.files, readManifest);
 | |
|       if (!verified)
 | |
|         return { passed: false };
 | |
|       if (pkgIndex.sideEffects) {
 | |
|         for (const [sideEffectName, files] of Object.entries(pkgIndex.sideEffects)) {
 | |
|           const { passed } = _checkFilesIntegrity(files);
 | |
|           if (!passed) {
 | |
|             delete pkgIndex.sideEffects[sideEffectName];
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return verified;
 | |
|     }
 | |
|     exports2.checkPkgFilesIntegrity = checkPkgFilesIntegrity;
 | |
|     function checkFilesIntegrity(verifiedFilesCache, cafsDir, files, readManifest) {
 | |
|       let allVerified = true;
 | |
|       let manifest;
 | |
|       for (const [f, fstat] of Object.entries(files)) {
 | |
|         if (!fstat.integrity) {
 | |
|           throw new Error(`Integrity checksum is missing for ${f}`);
 | |
|         }
 | |
|         const filename = (0, getFilePathInCafs_1.getFilePathByModeInCafs)(cafsDir, fstat.integrity, fstat.mode);
 | |
|         const readFile = readManifest && f === "package.json";
 | |
|         if (!readFile && verifiedFilesCache.has(filename))
 | |
|           continue;
 | |
|         const verifyResult = verifyFile(filename, fstat, readFile);
 | |
|         if (readFile) {
 | |
|           manifest = verifyResult.manifest;
 | |
|         }
 | |
|         if (verifyResult.passed) {
 | |
|           verifiedFilesCache.add(filename);
 | |
|         } else {
 | |
|           allVerified = false;
 | |
|         }
 | |
|       }
 | |
|       return {
 | |
|         passed: allVerified,
 | |
|         manifest
 | |
|       };
 | |
|     }
 | |
|     function verifyFile(filename, fstat, readManifest) {
 | |
|       const currentFile = checkFile(filename, fstat.checkedAt);
 | |
|       if (currentFile == null)
 | |
|         return { passed: false };
 | |
|       if (currentFile.isModified) {
 | |
|         if (currentFile.size !== fstat.size) {
 | |
|           rimraf_1.default.sync(filename);
 | |
|           return { passed: false };
 | |
|         }
 | |
|         return verifyFileIntegrity(filename, fstat, readManifest);
 | |
|       }
 | |
|       if (readManifest) {
 | |
|         return {
 | |
|           passed: true,
 | |
|           manifest: (0, parseJson_1.parseJsonBufferSync)(graceful_fs_12.default.readFileSync(filename))
 | |
|         };
 | |
|       }
 | |
|       return { passed: true };
 | |
|     }
 | |
|     function verifyFileIntegrity(filename, expectedFile, readManifest) {
 | |
|       global["verifiedFileIntegrity"]++;
 | |
|       try {
 | |
|         const data = graceful_fs_12.default.readFileSync(filename);
 | |
|         const passed = Boolean(ssri_1.default.checkData(data, expectedFile.integrity));
 | |
|         if (!passed) {
 | |
|           graceful_fs_12.default.unlinkSync(filename);
 | |
|           return { passed };
 | |
|         } else if (readManifest) {
 | |
|           return {
 | |
|             passed,
 | |
|             manifest: (0, parseJson_1.parseJsonBufferSync)(data)
 | |
|           };
 | |
|         }
 | |
|         return { passed };
 | |
|       } catch (err) {
 | |
|         switch (err.code) {
 | |
|           case "ENOENT":
 | |
|             return { passed: false };
 | |
|           case "EINTEGRITY": {
 | |
|             graceful_fs_12.default.unlinkSync(filename);
 | |
|             return { passed: false };
 | |
|           }
 | |
|         }
 | |
|         throw err;
 | |
|       }
 | |
|     }
 | |
|     exports2.verifyFileIntegrity = verifyFileIntegrity;
 | |
|     function checkFile(filename, checkedAt) {
 | |
|       try {
 | |
|         const { mtimeMs, size } = fs_12.default.statSync(filename);
 | |
|         return {
 | |
|           isModified: mtimeMs - (checkedAt ?? 0) > 100,
 | |
|           size
 | |
|         };
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT")
 | |
|           return null;
 | |
|         throw err;
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/readManifestFromStore.js
 | |
| var require_readManifestFromStore = __commonJS({
 | |
|   "../store/cafs/lib/readManifestFromStore.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.readManifestFromStore = void 0;
 | |
|     var graceful_fs_12 = __importDefault2(require_lib());
 | |
|     var getFilePathInCafs_1 = require_getFilePathInCafs();
 | |
|     var parseJson_1 = require_parseJson();
 | |
|     function readManifestFromStore(cafsDir, pkgIndex) {
 | |
|       const pkg = pkgIndex.files["package.json"];
 | |
|       if (pkg) {
 | |
|         const fileName = (0, getFilePathInCafs_1.getFilePathByModeInCafs)(cafsDir, pkg.integrity, pkg.mode);
 | |
|         return (0, parseJson_1.parseJsonBufferSync)(graceful_fs_12.default.readFileSync(fileName));
 | |
|       }
 | |
|       return void 0;
 | |
|     }
 | |
|     exports2.readManifestFromStore = readManifestFromStore;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/universalify@2.0.1/node_modules/universalify/index.js
 | |
| var require_universalify = __commonJS({
 | |
|   "../node_modules/.pnpm/universalify@2.0.1/node_modules/universalify/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     exports2.fromCallback = function(fn) {
 | |
|       return Object.defineProperty(function(...args) {
 | |
|         if (typeof args[args.length - 1] === "function")
 | |
|           fn.apply(this, args);
 | |
|         else {
 | |
|           return new Promise((resolve, reject) => {
 | |
|             args.push((err, res) => err != null ? reject(err) : resolve(res));
 | |
|             fn.apply(this, args);
 | |
|           });
 | |
|         }
 | |
|       }, "name", { value: fn.name });
 | |
|     };
 | |
|     exports2.fromPromise = function(fn) {
 | |
|       return Object.defineProperty(function(...args) {
 | |
|         const cb = args[args.length - 1];
 | |
|         if (typeof cb !== "function")
 | |
|           return fn.apply(this, args);
 | |
|         else {
 | |
|           args.pop();
 | |
|           fn.apply(this, args).then((r) => cb(null, r), cb);
 | |
|         }
 | |
|       }, "name", { value: fn.name });
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/fs/index.js
 | |
| var require_fs2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/fs/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     var fs = require_graceful_fs();
 | |
|     var api = [
 | |
|       "access",
 | |
|       "appendFile",
 | |
|       "chmod",
 | |
|       "chown",
 | |
|       "close",
 | |
|       "copyFile",
 | |
|       "fchmod",
 | |
|       "fchown",
 | |
|       "fdatasync",
 | |
|       "fstat",
 | |
|       "fsync",
 | |
|       "ftruncate",
 | |
|       "futimes",
 | |
|       "lchmod",
 | |
|       "lchown",
 | |
|       "link",
 | |
|       "lstat",
 | |
|       "mkdir",
 | |
|       "mkdtemp",
 | |
|       "open",
 | |
|       "opendir",
 | |
|       "readdir",
 | |
|       "readFile",
 | |
|       "readlink",
 | |
|       "realpath",
 | |
|       "rename",
 | |
|       "rm",
 | |
|       "rmdir",
 | |
|       "stat",
 | |
|       "symlink",
 | |
|       "truncate",
 | |
|       "unlink",
 | |
|       "utimes",
 | |
|       "writeFile"
 | |
|     ].filter((key) => {
 | |
|       return typeof fs[key] === "function";
 | |
|     });
 | |
|     Object.assign(exports2, fs);
 | |
|     api.forEach((method) => {
 | |
|       exports2[method] = u(fs[method]);
 | |
|     });
 | |
|     exports2.exists = function(filename, callback) {
 | |
|       if (typeof callback === "function") {
 | |
|         return fs.exists(filename, callback);
 | |
|       }
 | |
|       return new Promise((resolve) => {
 | |
|         return fs.exists(filename, resolve);
 | |
|       });
 | |
|     };
 | |
|     exports2.read = function(fd, buffer, offset, length, position, callback) {
 | |
|       if (typeof callback === "function") {
 | |
|         return fs.read(fd, buffer, offset, length, position, callback);
 | |
|       }
 | |
|       return new Promise((resolve, reject) => {
 | |
|         fs.read(fd, buffer, offset, length, position, (err, bytesRead, buffer2) => {
 | |
|           if (err)
 | |
|             return reject(err);
 | |
|           resolve({ bytesRead, buffer: buffer2 });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     exports2.write = function(fd, buffer, ...args) {
 | |
|       if (typeof args[args.length - 1] === "function") {
 | |
|         return fs.write(fd, buffer, ...args);
 | |
|       }
 | |
|       return new Promise((resolve, reject) => {
 | |
|         fs.write(fd, buffer, ...args, (err, bytesWritten, buffer2) => {
 | |
|           if (err)
 | |
|             return reject(err);
 | |
|           resolve({ bytesWritten, buffer: buffer2 });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     if (typeof fs.writev === "function") {
 | |
|       exports2.writev = function(fd, buffers, ...args) {
 | |
|         if (typeof args[args.length - 1] === "function") {
 | |
|           return fs.writev(fd, buffers, ...args);
 | |
|         }
 | |
|         return new Promise((resolve, reject) => {
 | |
|           fs.writev(fd, buffers, ...args, (err, bytesWritten, buffers2) => {
 | |
|             if (err)
 | |
|               return reject(err);
 | |
|             resolve({ bytesWritten, buffers: buffers2 });
 | |
|           });
 | |
|         });
 | |
|       };
 | |
|     }
 | |
|     if (typeof fs.realpath.native === "function") {
 | |
|       exports2.realpath.native = u(fs.realpath.native);
 | |
|     } else {
 | |
|       process.emitWarning(
 | |
|         "fs.realpath.native is not a function. Is fs being monkey-patched?",
 | |
|         "Warning",
 | |
|         "fs-extra-WARN0003"
 | |
|       );
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/mkdirs/utils.js
 | |
| var require_utils = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/mkdirs/utils.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var path = require("path");
 | |
|     module2.exports.checkPath = function checkPath(pth) {
 | |
|       if (process.platform === "win32") {
 | |
|         const pathHasInvalidWinCharacters = /[<>:"|?*]/.test(pth.replace(path.parse(pth).root, ""));
 | |
|         if (pathHasInvalidWinCharacters) {
 | |
|           const error = new Error(`Path contains invalid characters: ${pth}`);
 | |
|           error.code = "EINVAL";
 | |
|           throw error;
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/mkdirs/make-dir.js
 | |
| var require_make_dir = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/mkdirs/make-dir.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_fs2();
 | |
|     var { checkPath } = require_utils();
 | |
|     var getMode = (options) => {
 | |
|       const defaults = { mode: 511 };
 | |
|       if (typeof options === "number")
 | |
|         return options;
 | |
|       return { ...defaults, ...options }.mode;
 | |
|     };
 | |
|     module2.exports.makeDir = async (dir, options) => {
 | |
|       checkPath(dir);
 | |
|       return fs.mkdir(dir, {
 | |
|         mode: getMode(options),
 | |
|         recursive: true
 | |
|       });
 | |
|     };
 | |
|     module2.exports.makeDirSync = (dir, options) => {
 | |
|       checkPath(dir);
 | |
|       return fs.mkdirSync(dir, {
 | |
|         mode: getMode(options),
 | |
|         recursive: true
 | |
|       });
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/mkdirs/index.js
 | |
| var require_mkdirs = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/mkdirs/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromPromise;
 | |
|     var { makeDir: _makeDir, makeDirSync } = require_make_dir();
 | |
|     var makeDir = u(_makeDir);
 | |
|     module2.exports = {
 | |
|       mkdirs: makeDir,
 | |
|       mkdirsSync: makeDirSync,
 | |
|       // alias
 | |
|       mkdirp: makeDir,
 | |
|       mkdirpSync: makeDirSync,
 | |
|       ensureDir: makeDir,
 | |
|       ensureDirSync: makeDirSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/util/utimes.js
 | |
| var require_utimes = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/util/utimes.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     function utimesMillis(path, atime, mtime, callback) {
 | |
|       fs.open(path, "r+", (err, fd) => {
 | |
|         if (err)
 | |
|           return callback(err);
 | |
|         fs.futimes(fd, atime, mtime, (futimesErr) => {
 | |
|           fs.close(fd, (closeErr) => {
 | |
|             if (callback)
 | |
|               callback(futimesErr || closeErr);
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function utimesMillisSync(path, atime, mtime) {
 | |
|       const fd = fs.openSync(path, "r+");
 | |
|       fs.futimesSync(fd, atime, mtime);
 | |
|       return fs.closeSync(fd);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       utimesMillis,
 | |
|       utimesMillisSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/util/stat.js
 | |
| var require_stat = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/util/stat.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_fs2();
 | |
|     var path = require("path");
 | |
|     var util = require("util");
 | |
|     function getStats(src, dest, opts) {
 | |
|       const statFunc = opts.dereference ? (file) => fs.stat(file, { bigint: true }) : (file) => fs.lstat(file, { bigint: true });
 | |
|       return Promise.all([
 | |
|         statFunc(src),
 | |
|         statFunc(dest).catch((err) => {
 | |
|           if (err.code === "ENOENT")
 | |
|             return null;
 | |
|           throw err;
 | |
|         })
 | |
|       ]).then(([srcStat, destStat]) => ({ srcStat, destStat }));
 | |
|     }
 | |
|     function getStatsSync(src, dest, opts) {
 | |
|       let destStat;
 | |
|       const statFunc = opts.dereference ? (file) => fs.statSync(file, { bigint: true }) : (file) => fs.lstatSync(file, { bigint: true });
 | |
|       const srcStat = statFunc(src);
 | |
|       try {
 | |
|         destStat = statFunc(dest);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT")
 | |
|           return { srcStat, destStat: null };
 | |
|         throw err;
 | |
|       }
 | |
|       return { srcStat, destStat };
 | |
|     }
 | |
|     function checkPaths(src, dest, funcName, opts, cb) {
 | |
|       util.callbackify(getStats)(src, dest, opts, (err, stats) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         const { srcStat, destStat } = stats;
 | |
|         if (destStat) {
 | |
|           if (areIdentical(srcStat, destStat)) {
 | |
|             const srcBaseName = path.basename(src);
 | |
|             const destBaseName = path.basename(dest);
 | |
|             if (funcName === "move" && srcBaseName !== destBaseName && srcBaseName.toLowerCase() === destBaseName.toLowerCase()) {
 | |
|               return cb(null, { srcStat, destStat, isChangingCase: true });
 | |
|             }
 | |
|             return cb(new Error("Source and destination must not be the same."));
 | |
|           }
 | |
|           if (srcStat.isDirectory() && !destStat.isDirectory()) {
 | |
|             return cb(new Error(`Cannot overwrite non-directory '${dest}' with directory '${src}'.`));
 | |
|           }
 | |
|           if (!srcStat.isDirectory() && destStat.isDirectory()) {
 | |
|             return cb(new Error(`Cannot overwrite directory '${dest}' with non-directory '${src}'.`));
 | |
|           }
 | |
|         }
 | |
|         if (srcStat.isDirectory() && isSrcSubdir(src, dest)) {
 | |
|           return cb(new Error(errMsg(src, dest, funcName)));
 | |
|         }
 | |
|         return cb(null, { srcStat, destStat });
 | |
|       });
 | |
|     }
 | |
|     function checkPathsSync(src, dest, funcName, opts) {
 | |
|       const { srcStat, destStat } = getStatsSync(src, dest, opts);
 | |
|       if (destStat) {
 | |
|         if (areIdentical(srcStat, destStat)) {
 | |
|           const srcBaseName = path.basename(src);
 | |
|           const destBaseName = path.basename(dest);
 | |
|           if (funcName === "move" && srcBaseName !== destBaseName && srcBaseName.toLowerCase() === destBaseName.toLowerCase()) {
 | |
|             return { srcStat, destStat, isChangingCase: true };
 | |
|           }
 | |
|           throw new Error("Source and destination must not be the same.");
 | |
|         }
 | |
|         if (srcStat.isDirectory() && !destStat.isDirectory()) {
 | |
|           throw new Error(`Cannot overwrite non-directory '${dest}' with directory '${src}'.`);
 | |
|         }
 | |
|         if (!srcStat.isDirectory() && destStat.isDirectory()) {
 | |
|           throw new Error(`Cannot overwrite directory '${dest}' with non-directory '${src}'.`);
 | |
|         }
 | |
|       }
 | |
|       if (srcStat.isDirectory() && isSrcSubdir(src, dest)) {
 | |
|         throw new Error(errMsg(src, dest, funcName));
 | |
|       }
 | |
|       return { srcStat, destStat };
 | |
|     }
 | |
|     function checkParentPaths(src, srcStat, dest, funcName, cb) {
 | |
|       const srcParent = path.resolve(path.dirname(src));
 | |
|       const destParent = path.resolve(path.dirname(dest));
 | |
|       if (destParent === srcParent || destParent === path.parse(destParent).root)
 | |
|         return cb();
 | |
|       fs.stat(destParent, { bigint: true }, (err, destStat) => {
 | |
|         if (err) {
 | |
|           if (err.code === "ENOENT")
 | |
|             return cb();
 | |
|           return cb(err);
 | |
|         }
 | |
|         if (areIdentical(srcStat, destStat)) {
 | |
|           return cb(new Error(errMsg(src, dest, funcName)));
 | |
|         }
 | |
|         return checkParentPaths(src, srcStat, destParent, funcName, cb);
 | |
|       });
 | |
|     }
 | |
|     function checkParentPathsSync(src, srcStat, dest, funcName) {
 | |
|       const srcParent = path.resolve(path.dirname(src));
 | |
|       const destParent = path.resolve(path.dirname(dest));
 | |
|       if (destParent === srcParent || destParent === path.parse(destParent).root)
 | |
|         return;
 | |
|       let destStat;
 | |
|       try {
 | |
|         destStat = fs.statSync(destParent, { bigint: true });
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT")
 | |
|           return;
 | |
|         throw err;
 | |
|       }
 | |
|       if (areIdentical(srcStat, destStat)) {
 | |
|         throw new Error(errMsg(src, dest, funcName));
 | |
|       }
 | |
|       return checkParentPathsSync(src, srcStat, destParent, funcName);
 | |
|     }
 | |
|     function areIdentical(srcStat, destStat) {
 | |
|       return destStat.ino && destStat.dev && destStat.ino === srcStat.ino && destStat.dev === srcStat.dev;
 | |
|     }
 | |
|     function isSrcSubdir(src, dest) {
 | |
|       const srcArr = path.resolve(src).split(path.sep).filter((i) => i);
 | |
|       const destArr = path.resolve(dest).split(path.sep).filter((i) => i);
 | |
|       return srcArr.reduce((acc, cur, i) => acc && destArr[i] === cur, true);
 | |
|     }
 | |
|     function errMsg(src, dest, funcName) {
 | |
|       return `Cannot ${funcName} '${src}' to a subdirectory of itself, '${dest}'.`;
 | |
|     }
 | |
|     module2.exports = {
 | |
|       checkPaths,
 | |
|       checkPathsSync,
 | |
|       checkParentPaths,
 | |
|       checkParentPathsSync,
 | |
|       isSrcSubdir,
 | |
|       areIdentical
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/copy/copy-sync.js
 | |
| var require_copy_sync = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/copy/copy-sync.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var mkdirsSync = require_mkdirs().mkdirsSync;
 | |
|     var utimesMillisSync = require_utimes().utimesMillisSync;
 | |
|     var stat = require_stat();
 | |
|     function copySync(src, dest, opts) {
 | |
|       if (typeof opts === "function") {
 | |
|         opts = { filter: opts };
 | |
|       }
 | |
|       opts = opts || {};
 | |
|       opts.clobber = "clobber" in opts ? !!opts.clobber : true;
 | |
|       opts.overwrite = "overwrite" in opts ? !!opts.overwrite : opts.clobber;
 | |
|       if (opts.preserveTimestamps && process.arch === "ia32") {
 | |
|         process.emitWarning(
 | |
|           "Using the preserveTimestamps option in 32-bit node is not recommended;\n\n	see https://github.com/jprichardson/node-fs-extra/issues/269",
 | |
|           "Warning",
 | |
|           "fs-extra-WARN0002"
 | |
|         );
 | |
|       }
 | |
|       const { srcStat, destStat } = stat.checkPathsSync(src, dest, "copy", opts);
 | |
|       stat.checkParentPathsSync(src, srcStat, dest, "copy");
 | |
|       return handleFilterAndCopy(destStat, src, dest, opts);
 | |
|     }
 | |
|     function handleFilterAndCopy(destStat, src, dest, opts) {
 | |
|       if (opts.filter && !opts.filter(src, dest))
 | |
|         return;
 | |
|       const destParent = path.dirname(dest);
 | |
|       if (!fs.existsSync(destParent))
 | |
|         mkdirsSync(destParent);
 | |
|       return getStats(destStat, src, dest, opts);
 | |
|     }
 | |
|     function startCopy(destStat, src, dest, opts) {
 | |
|       if (opts.filter && !opts.filter(src, dest))
 | |
|         return;
 | |
|       return getStats(destStat, src, dest, opts);
 | |
|     }
 | |
|     function getStats(destStat, src, dest, opts) {
 | |
|       const statSync = opts.dereference ? fs.statSync : fs.lstatSync;
 | |
|       const srcStat = statSync(src);
 | |
|       if (srcStat.isDirectory())
 | |
|         return onDir(srcStat, destStat, src, dest, opts);
 | |
|       else if (srcStat.isFile() || srcStat.isCharacterDevice() || srcStat.isBlockDevice())
 | |
|         return onFile(srcStat, destStat, src, dest, opts);
 | |
|       else if (srcStat.isSymbolicLink())
 | |
|         return onLink(destStat, src, dest, opts);
 | |
|       else if (srcStat.isSocket())
 | |
|         throw new Error(`Cannot copy a socket file: ${src}`);
 | |
|       else if (srcStat.isFIFO())
 | |
|         throw new Error(`Cannot copy a FIFO pipe: ${src}`);
 | |
|       throw new Error(`Unknown file: ${src}`);
 | |
|     }
 | |
|     function onFile(srcStat, destStat, src, dest, opts) {
 | |
|       if (!destStat)
 | |
|         return copyFile(srcStat, src, dest, opts);
 | |
|       return mayCopyFile(srcStat, src, dest, opts);
 | |
|     }
 | |
|     function mayCopyFile(srcStat, src, dest, opts) {
 | |
|       if (opts.overwrite) {
 | |
|         fs.unlinkSync(dest);
 | |
|         return copyFile(srcStat, src, dest, opts);
 | |
|       } else if (opts.errorOnExist) {
 | |
|         throw new Error(`'${dest}' already exists`);
 | |
|       }
 | |
|     }
 | |
|     function copyFile(srcStat, src, dest, opts) {
 | |
|       fs.copyFileSync(src, dest);
 | |
|       if (opts.preserveTimestamps)
 | |
|         handleTimestamps(srcStat.mode, src, dest);
 | |
|       return setDestMode(dest, srcStat.mode);
 | |
|     }
 | |
|     function handleTimestamps(srcMode, src, dest) {
 | |
|       if (fileIsNotWritable(srcMode))
 | |
|         makeFileWritable(dest, srcMode);
 | |
|       return setDestTimestamps(src, dest);
 | |
|     }
 | |
|     function fileIsNotWritable(srcMode) {
 | |
|       return (srcMode & 128) === 0;
 | |
|     }
 | |
|     function makeFileWritable(dest, srcMode) {
 | |
|       return setDestMode(dest, srcMode | 128);
 | |
|     }
 | |
|     function setDestMode(dest, srcMode) {
 | |
|       return fs.chmodSync(dest, srcMode);
 | |
|     }
 | |
|     function setDestTimestamps(src, dest) {
 | |
|       const updatedSrcStat = fs.statSync(src);
 | |
|       return utimesMillisSync(dest, updatedSrcStat.atime, updatedSrcStat.mtime);
 | |
|     }
 | |
|     function onDir(srcStat, destStat, src, dest, opts) {
 | |
|       if (!destStat)
 | |
|         return mkDirAndCopy(srcStat.mode, src, dest, opts);
 | |
|       return copyDir(src, dest, opts);
 | |
|     }
 | |
|     function mkDirAndCopy(srcMode, src, dest, opts) {
 | |
|       fs.mkdirSync(dest);
 | |
|       copyDir(src, dest, opts);
 | |
|       return setDestMode(dest, srcMode);
 | |
|     }
 | |
|     function copyDir(src, dest, opts) {
 | |
|       fs.readdirSync(src).forEach((item) => copyDirItem(item, src, dest, opts));
 | |
|     }
 | |
|     function copyDirItem(item, src, dest, opts) {
 | |
|       const srcItem = path.join(src, item);
 | |
|       const destItem = path.join(dest, item);
 | |
|       const { destStat } = stat.checkPathsSync(srcItem, destItem, "copy", opts);
 | |
|       return startCopy(destStat, srcItem, destItem, opts);
 | |
|     }
 | |
|     function onLink(destStat, src, dest, opts) {
 | |
|       let resolvedSrc = fs.readlinkSync(src);
 | |
|       if (opts.dereference) {
 | |
|         resolvedSrc = path.resolve(process.cwd(), resolvedSrc);
 | |
|       }
 | |
|       if (!destStat) {
 | |
|         return fs.symlinkSync(resolvedSrc, dest);
 | |
|       } else {
 | |
|         let resolvedDest;
 | |
|         try {
 | |
|           resolvedDest = fs.readlinkSync(dest);
 | |
|         } catch (err) {
 | |
|           if (err.code === "EINVAL" || err.code === "UNKNOWN")
 | |
|             return fs.symlinkSync(resolvedSrc, dest);
 | |
|           throw err;
 | |
|         }
 | |
|         if (opts.dereference) {
 | |
|           resolvedDest = path.resolve(process.cwd(), resolvedDest);
 | |
|         }
 | |
|         if (stat.isSrcSubdir(resolvedSrc, resolvedDest)) {
 | |
|           throw new Error(`Cannot copy '${resolvedSrc}' to a subdirectory of itself, '${resolvedDest}'.`);
 | |
|         }
 | |
|         if (fs.statSync(dest).isDirectory() && stat.isSrcSubdir(resolvedDest, resolvedSrc)) {
 | |
|           throw new Error(`Cannot overwrite '${resolvedDest}' with '${resolvedSrc}'.`);
 | |
|         }
 | |
|         return copyLink(resolvedSrc, dest);
 | |
|       }
 | |
|     }
 | |
|     function copyLink(resolvedSrc, dest) {
 | |
|       fs.unlinkSync(dest);
 | |
|       return fs.symlinkSync(resolvedSrc, dest);
 | |
|     }
 | |
|     module2.exports = copySync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/path-exists/index.js
 | |
| var require_path_exists = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/path-exists/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromPromise;
 | |
|     var fs = require_fs2();
 | |
|     function pathExists(path) {
 | |
|       return fs.access(path).then(() => true).catch(() => false);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       pathExists: u(pathExists),
 | |
|       pathExistsSync: fs.existsSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/copy/copy.js
 | |
| var require_copy = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@10.1.0/node_modules/fs-extra/lib/copy/copy.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var mkdirs = require_mkdirs().mkdirs;
 | |
|     var pathExists = require_path_exists().pathExists;
 | |
|     var utimesMillis = require_utimes().utimesMillis;
 | |
|     var stat = require_stat();
 | |
|     function copy(src, dest, opts, cb) {
 | |
|       if (typeof opts === "function" && !cb) {
 | |
|         cb = opts;
 | |
|         opts = {};
 | |
|       } else if (typeof opts === "function") {
 | |
|         opts = { filter: opts };
 | |
|       }
 | |
|       cb = cb || function() {
 | |
|       };
 | |
|       opts = opts || {};
 | |
|       opts.clobber = "clobber" in opts ? !!opts.clobber : true;
 | |
|       opts.overwrite = "overwrite" in opts ? !!opts.overwrite : opts.clobber;
 | |
|       if (opts.preserveTimestamps && process.arch === "ia32") {
 | |
|         process.emitWarning(
 | |
|           "Using the preserveTimestamps option in 32-bit node is not recommended;\n\n	see https://github.com/jprichardson/node-fs-extra/issues/269",
 | |
|           "Warning",
 | |
|           "fs-extra-WARN0001"
 | |
|         );
 | |
|       }
 | |
|       stat.checkPaths(src, dest, "copy", opts, (err, stats) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         const { srcStat, destStat } = stats;
 | |
|         stat.checkParentPaths(src, srcStat, dest, "copy", (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           if (opts.filter)
 | |
|             return handleFilter(checkParentDir, destStat, src, dest, opts, cb);
 | |
|           return checkParentDir(destStat, src, dest, opts, cb);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function checkParentDir(destStat, src, dest, opts, cb) {
 | |
|       const destParent = path.dirname(dest);
 | |
|       pathExists(destParent, (err, dirExists) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (dirExists)
 | |
|           return getStats(destStat, src, dest, opts, cb);
 | |
|         mkdirs(destParent, (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           return getStats(destStat, src, dest, opts, cb);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function handleFilter(onInclude, destStat, src, dest, opts, cb) {
 | |
|       Promise.resolve(opts.filter(src, dest)).then((include) => {
 | |
|         if (include)
 | |
|           return onInclude(destStat, src, dest, opts, cb);
 | |
|         return cb();
 | |
|       }, (error) => cb(error));
 | |
|     }
 | |
|     function startCopy(destStat, src, dest, opts, cb) {
 | |
|       if (opts.filter)
 | |
|         return handleFilter(getStats, destStat, src, dest, opts, cb);
 | |
|       return getStats(destStat, src, dest, opts, cb);
 | |
|     }
 | |
|     function getStats(destStat, src, dest, opts, cb) {
 | |
|       const stat2 = opts.dereference ? fs.stat : fs.lstat;
 | |
|       stat2(src, (err, srcStat) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (srcStat.isDirectory())
 | |
|           return onDir(srcStat, destStat, src, dest, opts, cb);
 | |
|         else if (srcStat.isFile() || srcStat.isCharacterDevice() || srcStat.isBlockDevice())
 | |
|           return onFile(srcStat, destStat, src, dest, opts, cb);
 | |
|         else if (srcStat.isSymbolicLink())
 | |
|           return onLink(destStat, src, dest, opts, cb);
 | |
|         else if (srcStat.isSocket())
 | |
|           return cb(new Error(`Cannot copy a socket file: ${src}`));
 | |
|         else if (srcStat.isFIFO())
 | |
|           return cb(new Error(`Cannot copy a FIFO pipe: ${src}`));
 | |
|         return cb(new Error(`Unknown file: ${src}`));
 | |
|       });
 | |
|     }
 | |
|     function onFile(srcStat, destStat, src, dest, opts, cb) {
 | |
|       if (!destStat)
 | |
|         return copyFile(srcStat, src, dest, opts, cb);
 | |
|       return mayCopyFile(srcStat, src, dest, opts, cb);
 | |
|     }
 | |
|     function mayCopyFile(srcStat, src, dest, opts, cb) {
 | |
|       if (opts.overwrite) {
 | |
|         fs.unlink(dest, (err) => {
 | |
|           if (err)
 | |
|             return cb(err);
 | |
|           return copyFile(srcStat, src, dest, opts, cb);
 | |
|         });
 | |
|       } else if (opts.errorOnExist) {
 | |
|         return cb(new Error(`'${dest}' already exists`));
 | |
|       } else
 | |
|         return cb();
 | |
|     }
 | |
|     function copyFile(srcStat, src, dest, opts, cb) {
 | |
|       fs.copyFile(src, dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (opts.preserveTimestamps)
 | |
|           return handleTimestampsAndMode(srcStat.mode, src, dest, cb);
 | |
|         return setDestMode(dest, srcStat.mode, cb);
 | |
|       });
 | |
|     }
 | |
|     function handleTimestampsAndMode(srcMode, src, dest, cb) {
 | |
|       if (fileIsNotWritable(srcMode)) {
 | |
|         return makeFileWritable(dest, srcMode, (err) => {
 | |
|           if (err)
 | |
|             return cb(err);
 | |
|           return setDestTimestampsAndMode(srcMode, src, dest, cb);
 | |
|         });
 | |
|       }
 | |
|       return setDestTimestampsAndMode(srcMode, src, dest, cb);
 | |
|     }
 | |
|     function fileIsNotWritable(srcMode) {
 | |
|       return (srcMode & 128) === 0;
 | |
|     }
 | |
|     function makeFileWritable(dest, srcMode, cb) {
 | |
|       return setDestMode(dest, srcMode | 128, cb);
 | |
|     }
 | |
|     function setDestTimestampsAndMode(srcMode, src, dest, cb) {
 | |
|       setDestTimestamps(src, dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return setDestMode(dest, srcMode, cb);
 | |
|       });
 | |
|     }
 | |
|     function setDestMode(dest, srcMode, cb) {
 | |
|       return fs.chmod(dest, srcMode, cb);
 | |
|     }
 | |
|     function setDestTimestamps(src, dest, cb) {
 | |
|       fs.stat(src, (err, updatedSrcStat) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return utimesMillis(dest, updatedSrcStat.atime, updatedSrcStat.mtime, cb);
 | |
|       });
 | |
|     }
 | |
|     function onDir(srcStat, destStat, src, dest, opts, cb) {
 | |
|       if (!destStat)
 | |
|         return mkDirAndCopy(srcStat.mode, src, dest, opts, cb);
 | |
|       return copyDir(src, dest, opts, cb);
 | |
|     }
 | |
|     function mkDirAndCopy(srcMode, src, dest, opts, cb) {
 | |
|       fs.mkdir(dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         copyDir(src, dest, opts, (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           return setDestMode(dest, srcMode, cb);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function copyDir(src, dest, opts, cb) {
 | |
|       fs.readdir(src, (err, items) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return copyDirItems(items, src, dest, opts, cb);
 | |
|       });
 | |
|     }
 | |
|     function copyDirItems(items, src, dest, opts, cb) {
 | |
|       const item = items.pop();
 | |
|       if (!item)
 | |
|         return cb();
 | |
|       return copyDirItem(items, item, src, dest, opts, cb);
 | |
|     }
 | |
|     function copyDirItem(items, item, src, dest, opts, cb) {
 | |
|       const srcItem = path.join(src, item);
 | |
|       const destItem = path.join(dest, item);
 | |
|       stat.checkPaths(srcItem, destItem, "copy", opts, (err, stats) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         const { destStat } = stats;
 | |
|         startCopy(destStat, srcItem, destItem, opts, (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           return copyDirItems(items, src, dest, opts, cb);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function onLink(destStat, src, dest, opts, cb) {
 | |
|       fs.readlink(src, (err, resolvedSrc) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (opts.dereference) {
 | |
|           resolvedSrc = path.resolve(process.cwd(), resolvedSrc);
 | |
|         }
 | |
|         if (!destStat) {
 | |
|           return fs.symlink(resolvedSrc, dest, cb);
 | |
|         } else {
 | |
|           fs.readlink(dest, (err2, resolvedDest) => {
 | |
|             if (err2) {
 | |
|               if (err2.code === "EINVAL" || err2.code === "UNKNOWN")
 | |
|                 return fs.symlink(resolvedSrc, dest, cb);
 | |
|               return cb(err2);
 | |
|             }
 | |
|             if (opts.dereference) {
 | |
|               resolvedDest = path.resolve(process.cwd(), resolvedDest);
 | |
|             }
 | |
|             if (stat.isSrcSubdir(resolvedSrc, resolvedDest)) {
 | |
|               return cb(new Error(`Cannot copy '${resolvedSrc}' to a subdirectory of itself, '${resolvedDest}'.`));
 | |
|             }
 | |
|             if (destStat.isDirectory() && stat.isSrcSubdir(resolvedDest, resolvedSrc)) {
 | |
|               return cb(new Error(`Cannot overwrite '${resolvedDest}' with '${resolvedSrc}'.`));
 | |
|             }
 | |
|             return copyLink(resolvedSrc, dest, cb);
 | |
|           });
 | |
|         }
 | |
|       });
 | |
|     }
 | |
|     function copyLink(resolvedSrc, dest, cb) {
 | |
|       fs.unlink(dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return fs.symlink(resolvedSrc, dest, cb);
 | |
|       });
 | |
|     }
 | |
|     module2.exports = copy;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/rename-overwrite@5.0.0/node_modules/rename-overwrite/index.js
 | |
| var require_rename_overwrite = __commonJS({
 | |
|   "../node_modules/.pnpm/rename-overwrite@5.0.0/node_modules/rename-overwrite/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require("fs");
 | |
|     var { promisify } = require("util");
 | |
|     var copySync = require_copy_sync();
 | |
|     var copy = promisify(require_copy());
 | |
|     var path = require("path");
 | |
|     var rimraf = require_rimraf2();
 | |
|     module2.exports = async function renameOverwrite(oldPath, newPath, retry = 0) {
 | |
|       try {
 | |
|         await fs.promises.rename(oldPath, newPath);
 | |
|       } catch (err) {
 | |
|         retry++;
 | |
|         if (retry > 3)
 | |
|           throw err;
 | |
|         switch (err.code) {
 | |
|           case "ENOTEMPTY":
 | |
|           case "EEXIST":
 | |
|           case "ENOTDIR":
 | |
|             await rimraf(newPath);
 | |
|             await renameOverwrite(oldPath, newPath, retry);
 | |
|             break;
 | |
|           case "EPERM":
 | |
|           case "EACCESS": {
 | |
|             await rimraf(newPath);
 | |
|             const start = Date.now();
 | |
|             let backoff = 0;
 | |
|             let lastError = err;
 | |
|             while (Date.now() - start < 6e4 && (lastError.code === "EPERM" || lastError.code === "EACCESS")) {
 | |
|               await new Promise((resolve) => setTimeout(resolve, backoff));
 | |
|               try {
 | |
|                 await fs.promises.rename(oldPath, newPath);
 | |
|                 return;
 | |
|               } catch (err2) {
 | |
|                 lastError = err2;
 | |
|               }
 | |
|               if (backoff < 100) {
 | |
|                 backoff += 10;
 | |
|               }
 | |
|             }
 | |
|             throw lastError;
 | |
|           }
 | |
|           case "ENOENT":
 | |
|             try {
 | |
|               await fs.promises.stat(oldPath);
 | |
|             } catch (statErr) {
 | |
|               if (statErr.code === "ENOENT") {
 | |
|                 throw statErr;
 | |
|               }
 | |
|             }
 | |
|             await fs.promises.mkdir(path.dirname(newPath), { recursive: true });
 | |
|             await renameOverwrite(oldPath, newPath, retry);
 | |
|             break;
 | |
|           case "EXDEV":
 | |
|             try {
 | |
|               await rimraf(newPath);
 | |
|             } catch (rimrafErr) {
 | |
|               if (rimrafErr.code !== "ENOENT") {
 | |
|                 throw rimrafErr;
 | |
|               }
 | |
|             }
 | |
|             await copy(oldPath, newPath);
 | |
|             await rimraf(oldPath);
 | |
|             break;
 | |
|           default:
 | |
|             throw err;
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|     module2.exports.sync = function renameOverwriteSync(oldPath, newPath, retry = 0) {
 | |
|       try {
 | |
|         fs.renameSync(oldPath, newPath);
 | |
|       } catch (err) {
 | |
|         retry++;
 | |
|         if (retry > 3)
 | |
|           throw err;
 | |
|         switch (err.code) {
 | |
|           case "EPERM":
 | |
|           case "EACCESS": {
 | |
|             rimraf.sync(newPath);
 | |
|             const start = Date.now();
 | |
|             let backoff = 0;
 | |
|             let lastError = err;
 | |
|             while (Date.now() - start < 6e4 && (lastError.code === "EPERM" || lastError.code === "EACCESS")) {
 | |
|               const waitUntil = Date.now() + backoff;
 | |
|               while (waitUntil > Date.now()) {
 | |
|               }
 | |
|               try {
 | |
|                 fs.renameSync(oldPath, newPath);
 | |
|                 return;
 | |
|               } catch (err2) {
 | |
|                 lastError = err2;
 | |
|               }
 | |
|               if (backoff < 100) {
 | |
|                 backoff += 10;
 | |
|               }
 | |
|             }
 | |
|             throw lastError;
 | |
|           }
 | |
|           case "ENOTEMPTY":
 | |
|           case "EEXIST":
 | |
|           case "ENOTDIR":
 | |
|             rimraf.sync(newPath);
 | |
|             fs.renameSync(oldPath, newPath);
 | |
|             return;
 | |
|           case "ENOENT":
 | |
|             fs.mkdirSync(path.dirname(newPath), { recursive: true });
 | |
|             renameOverwriteSync(oldPath, newPath, retry);
 | |
|             return;
 | |
|           case "EXDEV":
 | |
|             try {
 | |
|               rimraf.sync(newPath);
 | |
|             } catch (rimrafErr) {
 | |
|               if (rimrafErr.code !== "ENOENT") {
 | |
|                 throw rimrafErr;
 | |
|               }
 | |
|             }
 | |
|             copySync(oldPath, newPath);
 | |
|             rimraf.sync(oldPath);
 | |
|             break;
 | |
|           default:
 | |
|             throw err;
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/writeFile.js
 | |
| var require_writeFile = __commonJS({
 | |
|   "../store/cafs/lib/writeFile.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.writeFile = void 0;
 | |
|     var fs_12 = __importDefault2(require("fs"));
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var dirs = /* @__PURE__ */ new Set();
 | |
|     function writeFile(fileDest, buffer, mode) {
 | |
|       makeDirForFile(fileDest);
 | |
|       fs_12.default.writeFileSync(fileDest, buffer, { mode });
 | |
|     }
 | |
|     exports2.writeFile = writeFile;
 | |
|     function makeDirForFile(fileDest) {
 | |
|       const dir = path_12.default.dirname(fileDest);
 | |
|       if (!dirs.has(dir)) {
 | |
|         fs_12.default.mkdirSync(dir, { recursive: true });
 | |
|         dirs.add(dir);
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/writeBufferToCafs.js
 | |
| var require_writeBufferToCafs = __commonJS({
 | |
|   "../store/cafs/lib/writeBufferToCafs.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.pathTemp = exports2.optimisticRenameOverwrite = exports2.writeBufferToCafs = void 0;
 | |
|     var fs_12 = __importDefault2(require("fs"));
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var rename_overwrite_1 = __importDefault2(require_rename_overwrite());
 | |
|     var checkPkgFilesIntegrity_1 = require_checkPkgFilesIntegrity();
 | |
|     var writeFile_1 = require_writeFile();
 | |
|     function writeBufferToCafs(locker, cafsDir, buffer, fileDest, mode, integrity) {
 | |
|       fileDest = path_12.default.join(cafsDir, fileDest);
 | |
|       if (locker.has(fileDest)) {
 | |
|         return {
 | |
|           checkedAt: locker.get(fileDest),
 | |
|           filePath: fileDest
 | |
|         };
 | |
|       }
 | |
|       if (existsSame(fileDest, integrity)) {
 | |
|         return {
 | |
|           checkedAt: Date.now(),
 | |
|           filePath: fileDest
 | |
|         };
 | |
|       }
 | |
|       const temp = pathTemp(fileDest);
 | |
|       (0, writeFile_1.writeFile)(temp, buffer, mode);
 | |
|       const birthtimeMs = Date.now();
 | |
|       optimisticRenameOverwrite(temp, fileDest);
 | |
|       locker.set(fileDest, birthtimeMs);
 | |
|       return {
 | |
|         checkedAt: birthtimeMs,
 | |
|         filePath: fileDest
 | |
|       };
 | |
|     }
 | |
|     exports2.writeBufferToCafs = writeBufferToCafs;
 | |
|     function optimisticRenameOverwrite(temp, fileDest) {
 | |
|       try {
 | |
|         rename_overwrite_1.default.sync(temp, fileDest);
 | |
|       } catch (err) {
 | |
|         if (err.code !== "ENOENT" || !fs_12.default.existsSync(fileDest))
 | |
|           throw err;
 | |
|       }
 | |
|     }
 | |
|     exports2.optimisticRenameOverwrite = optimisticRenameOverwrite;
 | |
|     function pathTemp(file) {
 | |
|       const basename = removeSuffix(path_12.default.basename(file));
 | |
|       return path_12.default.join(path_12.default.dirname(file), `${basename}${process.pid}`);
 | |
|     }
 | |
|     exports2.pathTemp = pathTemp;
 | |
|     function removeSuffix(filePath) {
 | |
|       const dashPosition = filePath.indexOf("-");
 | |
|       if (dashPosition === -1)
 | |
|         return filePath;
 | |
|       const withoutSuffix = filePath.substring(0, dashPosition);
 | |
|       if (filePath.substring(dashPosition) === "-exec") {
 | |
|         return `${withoutSuffix}x`;
 | |
|       }
 | |
|       return withoutSuffix;
 | |
|     }
 | |
|     function existsSame(filename, integrity) {
 | |
|       const existingFile = fs_12.default.statSync(filename, { throwIfNoEntry: false });
 | |
|       if (!existingFile)
 | |
|         return false;
 | |
|       return (0, checkPkgFilesIntegrity_1.verifyFileIntegrity)(filename, {
 | |
|         size: existingFile.size,
 | |
|         integrity
 | |
|       }).passed;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/cafs/lib/index.js
 | |
| var require_lib4 = __commonJS({
 | |
|   "../store/cafs/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.createCafs = exports2.optimisticRenameOverwrite = exports2.getFilePathInCafs = exports2.getFilePathByModeInCafs = exports2.readManifestFromStore = exports2.checkPkgFilesIntegrity = void 0;
 | |
|     var ssri_1 = __importDefault2(require_lib3());
 | |
|     var addFilesFromDir_1 = require_addFilesFromDir();
 | |
|     var addFilesFromTarball_1 = require_addFilesFromTarball();
 | |
|     var checkPkgFilesIntegrity_1 = require_checkPkgFilesIntegrity();
 | |
|     Object.defineProperty(exports2, "checkPkgFilesIntegrity", { enumerable: true, get: function() {
 | |
|       return checkPkgFilesIntegrity_1.checkPkgFilesIntegrity;
 | |
|     } });
 | |
|     var readManifestFromStore_1 = require_readManifestFromStore();
 | |
|     Object.defineProperty(exports2, "readManifestFromStore", { enumerable: true, get: function() {
 | |
|       return readManifestFromStore_1.readManifestFromStore;
 | |
|     } });
 | |
|     var getFilePathInCafs_1 = require_getFilePathInCafs();
 | |
|     Object.defineProperty(exports2, "getFilePathInCafs", { enumerable: true, get: function() {
 | |
|       return getFilePathInCafs_1.getFilePathInCafs;
 | |
|     } });
 | |
|     Object.defineProperty(exports2, "getFilePathByModeInCafs", { enumerable: true, get: function() {
 | |
|       return getFilePathInCafs_1.getFilePathByModeInCafs;
 | |
|     } });
 | |
|     var writeBufferToCafs_1 = require_writeBufferToCafs();
 | |
|     Object.defineProperty(exports2, "optimisticRenameOverwrite", { enumerable: true, get: function() {
 | |
|       return writeBufferToCafs_1.optimisticRenameOverwrite;
 | |
|     } });
 | |
|     function createCafs(cafsDir, { ignoreFile, cafsLocker: cafsLocker2 } = {}) {
 | |
|       const _writeBufferToCafs = writeBufferToCafs_1.writeBufferToCafs.bind(null, cafsLocker2 ?? /* @__PURE__ */ new Map(), cafsDir);
 | |
|       const addBuffer = addBufferToCafs.bind(null, _writeBufferToCafs);
 | |
|       return {
 | |
|         addFilesFromDir: addFilesFromDir_1.addFilesFromDir.bind(null, addBuffer),
 | |
|         addFilesFromTarball: addFilesFromTarball_1.addFilesFromTarball.bind(null, addBuffer, ignoreFile ?? null),
 | |
|         getFilePathInCafs: getFilePathInCafs_1.getFilePathInCafs.bind(null, cafsDir),
 | |
|         getFilePathByModeInCafs: getFilePathInCafs_1.getFilePathByModeInCafs.bind(null, cafsDir)
 | |
|       };
 | |
|     }
 | |
|     exports2.createCafs = createCafs;
 | |
|     function addBufferToCafs(writeBufferToCafs, buffer, mode) {
 | |
|       const integrity = ssri_1.default.fromData(buffer);
 | |
|       const isExecutable = (0, getFilePathInCafs_1.modeIsExecutable)(mode);
 | |
|       const fileDest = (0, getFilePathInCafs_1.contentPathFromHex)(isExecutable ? "exec" : "nonexec", integrity.hexDigest());
 | |
|       const { checkedAt, filePath } = writeBufferToCafs(buffer, fileDest, isExecutable ? 493 : void 0, integrity);
 | |
|       return { checkedAt, integrity, filePath };
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fast-safe-stringify@2.1.1/node_modules/fast-safe-stringify/index.js
 | |
| var require_fast_safe_stringify = __commonJS({
 | |
|   "../node_modules/.pnpm/fast-safe-stringify@2.1.1/node_modules/fast-safe-stringify/index.js"(exports2, module2) {
 | |
|     module2.exports = stringify;
 | |
|     stringify.default = stringify;
 | |
|     stringify.stable = deterministicStringify;
 | |
|     stringify.stableStringify = deterministicStringify;
 | |
|     var LIMIT_REPLACE_NODE = "[...]";
 | |
|     var CIRCULAR_REPLACE_NODE = "[Circular]";
 | |
|     var arr = [];
 | |
|     var replacerStack = [];
 | |
|     function defaultOptions() {
 | |
|       return {
 | |
|         depthLimit: Number.MAX_SAFE_INTEGER,
 | |
|         edgesLimit: Number.MAX_SAFE_INTEGER
 | |
|       };
 | |
|     }
 | |
|     function stringify(obj, replacer, spacer, options) {
 | |
|       if (typeof options === "undefined") {
 | |
|         options = defaultOptions();
 | |
|       }
 | |
|       decirc(obj, "", 0, [], void 0, 0, options);
 | |
|       var res;
 | |
|       try {
 | |
|         if (replacerStack.length === 0) {
 | |
|           res = JSON.stringify(obj, replacer, spacer);
 | |
|         } else {
 | |
|           res = JSON.stringify(obj, replaceGetterValues(replacer), spacer);
 | |
|         }
 | |
|       } catch (_) {
 | |
|         return JSON.stringify("[unable to serialize, circular reference is too complex to analyze]");
 | |
|       } finally {
 | |
|         while (arr.length !== 0) {
 | |
|           var part = arr.pop();
 | |
|           if (part.length === 4) {
 | |
|             Object.defineProperty(part[0], part[1], part[3]);
 | |
|           } else {
 | |
|             part[0][part[1]] = part[2];
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return res;
 | |
|     }
 | |
|     function setReplace(replace, val, k, parent) {
 | |
|       var propertyDescriptor = Object.getOwnPropertyDescriptor(parent, k);
 | |
|       if (propertyDescriptor.get !== void 0) {
 | |
|         if (propertyDescriptor.configurable) {
 | |
|           Object.defineProperty(parent, k, { value: replace });
 | |
|           arr.push([parent, k, val, propertyDescriptor]);
 | |
|         } else {
 | |
|           replacerStack.push([val, k, replace]);
 | |
|         }
 | |
|       } else {
 | |
|         parent[k] = replace;
 | |
|         arr.push([parent, k, val]);
 | |
|       }
 | |
|     }
 | |
|     function decirc(val, k, edgeIndex, stack, parent, depth, options) {
 | |
|       depth += 1;
 | |
|       var i;
 | |
|       if (typeof val === "object" && val !== null) {
 | |
|         for (i = 0; i < stack.length; i++) {
 | |
|           if (stack[i] === val) {
 | |
|             setReplace(CIRCULAR_REPLACE_NODE, val, k, parent);
 | |
|             return;
 | |
|           }
 | |
|         }
 | |
|         if (typeof options.depthLimit !== "undefined" && depth > options.depthLimit) {
 | |
|           setReplace(LIMIT_REPLACE_NODE, val, k, parent);
 | |
|           return;
 | |
|         }
 | |
|         if (typeof options.edgesLimit !== "undefined" && edgeIndex + 1 > options.edgesLimit) {
 | |
|           setReplace(LIMIT_REPLACE_NODE, val, k, parent);
 | |
|           return;
 | |
|         }
 | |
|         stack.push(val);
 | |
|         if (Array.isArray(val)) {
 | |
|           for (i = 0; i < val.length; i++) {
 | |
|             decirc(val[i], i, i, stack, val, depth, options);
 | |
|           }
 | |
|         } else {
 | |
|           var keys = Object.keys(val);
 | |
|           for (i = 0; i < keys.length; i++) {
 | |
|             var key = keys[i];
 | |
|             decirc(val[key], key, i, stack, val, depth, options);
 | |
|           }
 | |
|         }
 | |
|         stack.pop();
 | |
|       }
 | |
|     }
 | |
|     function compareFunction(a, b) {
 | |
|       if (a < b) {
 | |
|         return -1;
 | |
|       }
 | |
|       if (a > b) {
 | |
|         return 1;
 | |
|       }
 | |
|       return 0;
 | |
|     }
 | |
|     function deterministicStringify(obj, replacer, spacer, options) {
 | |
|       if (typeof options === "undefined") {
 | |
|         options = defaultOptions();
 | |
|       }
 | |
|       var tmp = deterministicDecirc(obj, "", 0, [], void 0, 0, options) || obj;
 | |
|       var res;
 | |
|       try {
 | |
|         if (replacerStack.length === 0) {
 | |
|           res = JSON.stringify(tmp, replacer, spacer);
 | |
|         } else {
 | |
|           res = JSON.stringify(tmp, replaceGetterValues(replacer), spacer);
 | |
|         }
 | |
|       } catch (_) {
 | |
|         return JSON.stringify("[unable to serialize, circular reference is too complex to analyze]");
 | |
|       } finally {
 | |
|         while (arr.length !== 0) {
 | |
|           var part = arr.pop();
 | |
|           if (part.length === 4) {
 | |
|             Object.defineProperty(part[0], part[1], part[3]);
 | |
|           } else {
 | |
|             part[0][part[1]] = part[2];
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return res;
 | |
|     }
 | |
|     function deterministicDecirc(val, k, edgeIndex, stack, parent, depth, options) {
 | |
|       depth += 1;
 | |
|       var i;
 | |
|       if (typeof val === "object" && val !== null) {
 | |
|         for (i = 0; i < stack.length; i++) {
 | |
|           if (stack[i] === val) {
 | |
|             setReplace(CIRCULAR_REPLACE_NODE, val, k, parent);
 | |
|             return;
 | |
|           }
 | |
|         }
 | |
|         try {
 | |
|           if (typeof val.toJSON === "function") {
 | |
|             return;
 | |
|           }
 | |
|         } catch (_) {
 | |
|           return;
 | |
|         }
 | |
|         if (typeof options.depthLimit !== "undefined" && depth > options.depthLimit) {
 | |
|           setReplace(LIMIT_REPLACE_NODE, val, k, parent);
 | |
|           return;
 | |
|         }
 | |
|         if (typeof options.edgesLimit !== "undefined" && edgeIndex + 1 > options.edgesLimit) {
 | |
|           setReplace(LIMIT_REPLACE_NODE, val, k, parent);
 | |
|           return;
 | |
|         }
 | |
|         stack.push(val);
 | |
|         if (Array.isArray(val)) {
 | |
|           for (i = 0; i < val.length; i++) {
 | |
|             deterministicDecirc(val[i], i, i, stack, val, depth, options);
 | |
|           }
 | |
|         } else {
 | |
|           var tmp = {};
 | |
|           var keys = Object.keys(val).sort(compareFunction);
 | |
|           for (i = 0; i < keys.length; i++) {
 | |
|             var key = keys[i];
 | |
|             deterministicDecirc(val[key], key, i, stack, val, depth, options);
 | |
|             tmp[key] = val[key];
 | |
|           }
 | |
|           if (typeof parent !== "undefined") {
 | |
|             arr.push([parent, k, val]);
 | |
|             parent[k] = tmp;
 | |
|           } else {
 | |
|             return tmp;
 | |
|           }
 | |
|         }
 | |
|         stack.pop();
 | |
|       }
 | |
|     }
 | |
|     function replaceGetterValues(replacer) {
 | |
|       replacer = typeof replacer !== "undefined" ? replacer : function(k, v) {
 | |
|         return v;
 | |
|       };
 | |
|       return function(key, val) {
 | |
|         if (replacerStack.length > 0) {
 | |
|           for (var i = 0; i < replacerStack.length; i++) {
 | |
|             var part = replacerStack[i];
 | |
|             if (part[1] === key && part[0] === val) {
 | |
|               val = part[2];
 | |
|               replacerStack.splice(i, 1);
 | |
|               break;
 | |
|             }
 | |
|           }
 | |
|         }
 | |
|         return replacer.call(this, key, val);
 | |
|       };
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/individual@3.0.0/node_modules/individual/index.js
 | |
| var require_individual = __commonJS({
 | |
|   "../node_modules/.pnpm/individual@3.0.0/node_modules/individual/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var root = typeof window !== "undefined" ? window : typeof global !== "undefined" ? global : {};
 | |
|     module2.exports = Individual;
 | |
|     function Individual(key, value) {
 | |
|       if (key in root) {
 | |
|         return root[key];
 | |
|       }
 | |
|       root[key] = value;
 | |
|       return value;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/bole@5.0.9/node_modules/bole/format.js
 | |
| var require_format = __commonJS({
 | |
|   "../node_modules/.pnpm/bole@5.0.9/node_modules/bole/format.js"(exports2, module2) {
 | |
|     var utilformat = require("util").format;
 | |
|     function format(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16) {
 | |
|       if (a16 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16);
 | |
|       }
 | |
|       if (a15 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15);
 | |
|       }
 | |
|       if (a14 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14);
 | |
|       }
 | |
|       if (a13 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13);
 | |
|       }
 | |
|       if (a12 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12);
 | |
|       }
 | |
|       if (a11 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11);
 | |
|       }
 | |
|       if (a10 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9, a10);
 | |
|       }
 | |
|       if (a9 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8, a9);
 | |
|       }
 | |
|       if (a8 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7, a8);
 | |
|       }
 | |
|       if (a7 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6, a7);
 | |
|       }
 | |
|       if (a6 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5, a6);
 | |
|       }
 | |
|       if (a5 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4, a5);
 | |
|       }
 | |
|       if (a4 !== void 0) {
 | |
|         return utilformat(a1, a2, a3, a4);
 | |
|       }
 | |
|       if (a3 !== void 0) {
 | |
|         return utilformat(a1, a2, a3);
 | |
|       }
 | |
|       if (a2 !== void 0) {
 | |
|         return utilformat(a1, a2);
 | |
|       }
 | |
|       return a1;
 | |
|     }
 | |
|     module2.exports = format;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/bole@5.0.9/node_modules/bole/bole.js
 | |
| var require_bole = __commonJS({
 | |
|   "../node_modules/.pnpm/bole@5.0.9/node_modules/bole/bole.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var _stringify = require_fast_safe_stringify();
 | |
|     var individual = require_individual()("$$bole", { fastTime: false });
 | |
|     var format = require_format();
 | |
|     var levels = "debug info warn error".split(" ");
 | |
|     var os = require("os");
 | |
|     var pid = process.pid;
 | |
|     var hasObjMode = false;
 | |
|     var scache = [];
 | |
|     var hostname;
 | |
|     try {
 | |
|       hostname = os.hostname();
 | |
|     } catch (e) {
 | |
|       hostname = os.version().indexOf("Windows 7 ") === 0 ? "windows7" : "hostname-unknown";
 | |
|     }
 | |
|     var hostnameSt = _stringify(hostname);
 | |
|     for (const level of levels) {
 | |
|       scache[level] = ',"hostname":' + hostnameSt + ',"pid":' + pid + ',"level":"' + level;
 | |
|       Number(scache[level]);
 | |
|       if (!Array.isArray(individual[level])) {
 | |
|         individual[level] = [];
 | |
|       }
 | |
|     }
 | |
|     function stackToString(e) {
 | |
|       let s = e.stack;
 | |
|       let ce;
 | |
|       if (typeof e.cause === "function" && (ce = e.cause())) {
 | |
|         s += "\nCaused by: " + stackToString(ce);
 | |
|       }
 | |
|       return s;
 | |
|     }
 | |
|     function errorToOut(err, out) {
 | |
|       out.err = {
 | |
|         name: err.name,
 | |
|         message: err.message,
 | |
|         code: err.code,
 | |
|         // perhaps
 | |
|         stack: stackToString(err)
 | |
|       };
 | |
|     }
 | |
|     function requestToOut(req, out) {
 | |
|       out.req = {
 | |
|         method: req.method,
 | |
|         url: req.url,
 | |
|         headers: req.headers,
 | |
|         remoteAddress: req.connection.remoteAddress,
 | |
|         remotePort: req.connection.remotePort
 | |
|       };
 | |
|     }
 | |
|     function objectToOut(obj, out) {
 | |
|       for (const k in obj) {
 | |
|         if (Object.prototype.hasOwnProperty.call(obj, k) && obj[k] !== void 0) {
 | |
|           out[k] = obj[k];
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function objectMode(stream) {
 | |
|       return stream._writableState && stream._writableState.objectMode === true;
 | |
|     }
 | |
|     function stringify(level, name, message, obj) {
 | |
|       let s = '{"time":' + (individual.fastTime ? Date.now() : '"' + (/* @__PURE__ */ new Date()).toISOString() + '"') + scache[level] + '","name":' + name + (message !== void 0 ? ',"message":' + _stringify(message) : "");
 | |
|       for (const k in obj) {
 | |
|         s += "," + _stringify(k) + ":" + _stringify(obj[k]);
 | |
|       }
 | |
|       s += "}";
 | |
|       Number(s);
 | |
|       return s;
 | |
|     }
 | |
|     function extend(level, name, message, obj) {
 | |
|       const newObj = {
 | |
|         time: individual.fastTime ? Date.now() : (/* @__PURE__ */ new Date()).toISOString(),
 | |
|         hostname,
 | |
|         pid,
 | |
|         level,
 | |
|         name
 | |
|       };
 | |
|       if (message !== void 0) {
 | |
|         obj.message = message;
 | |
|       }
 | |
|       for (const k in obj) {
 | |
|         newObj[k] = obj[k];
 | |
|       }
 | |
|       return newObj;
 | |
|     }
 | |
|     function levelLogger(level, name) {
 | |
|       const outputs = individual[level];
 | |
|       const nameSt = _stringify(name);
 | |
|       return function namedLevelLogger(inp, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16) {
 | |
|         if (outputs.length === 0) {
 | |
|           return;
 | |
|         }
 | |
|         const out = {};
 | |
|         let objectOut;
 | |
|         let i = 0;
 | |
|         const l = outputs.length;
 | |
|         let stringified;
 | |
|         let message;
 | |
|         if (typeof inp === "string" || inp == null) {
 | |
|           if (!(message = format(inp, a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16))) {
 | |
|             message = void 0;
 | |
|           }
 | |
|         } else {
 | |
|           if (inp instanceof Error) {
 | |
|             if (typeof a2 === "object") {
 | |
|               objectToOut(a2, out);
 | |
|               errorToOut(inp, out);
 | |
|               if (!(message = format(a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16))) {
 | |
|                 message = void 0;
 | |
|               }
 | |
|             } else {
 | |
|               errorToOut(inp, out);
 | |
|               if (!(message = format(a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16))) {
 | |
|                 message = void 0;
 | |
|               }
 | |
|             }
 | |
|           } else {
 | |
|             if (!(message = format(a2, a3, a4, a5, a6, a7, a8, a9, a10, a11, a12, a13, a14, a15, a16))) {
 | |
|               message = void 0;
 | |
|             }
 | |
|           }
 | |
|           if (typeof inp === "boolean") {
 | |
|             message = String(inp);
 | |
|           } else if (typeof inp === "object" && !(inp instanceof Error)) {
 | |
|             if (inp.method && inp.url && inp.headers && inp.socket) {
 | |
|               requestToOut(inp, out);
 | |
|             } else {
 | |
|               objectToOut(inp, out);
 | |
|             }
 | |
|           }
 | |
|         }
 | |
|         if (l === 1 && !hasObjMode) {
 | |
|           outputs[0].write(Buffer.from(stringify(level, nameSt, message, out) + "\n"));
 | |
|           return;
 | |
|         }
 | |
|         for (; i < l; i++) {
 | |
|           if (objectMode(outputs[i])) {
 | |
|             if (objectOut === void 0) {
 | |
|               objectOut = extend(level, name, message, out);
 | |
|             }
 | |
|             outputs[i].write(objectOut);
 | |
|           } else {
 | |
|             if (stringified === void 0) {
 | |
|               stringified = Buffer.from(stringify(level, nameSt, message, out) + "\n");
 | |
|             }
 | |
|             outputs[i].write(stringified);
 | |
|           }
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     function bole(name) {
 | |
|       function boleLogger(subname) {
 | |
|         return bole(name + ":" + subname);
 | |
|       }
 | |
|       function makeLogger(p, level) {
 | |
|         p[level] = levelLogger(level, name);
 | |
|         return p;
 | |
|       }
 | |
|       return levels.reduce(makeLogger, boleLogger);
 | |
|     }
 | |
|     bole.output = function output(opt) {
 | |
|       let b = false;
 | |
|       if (Array.isArray(opt)) {
 | |
|         opt.forEach(bole.output);
 | |
|         return bole;
 | |
|       }
 | |
|       if (typeof opt.level !== "string") {
 | |
|         throw new TypeError('Must provide a "level" option');
 | |
|       }
 | |
|       for (const level of levels) {
 | |
|         if (!b && level === opt.level) {
 | |
|           b = true;
 | |
|         }
 | |
|         if (b) {
 | |
|           if (opt.stream && objectMode(opt.stream)) {
 | |
|             hasObjMode = true;
 | |
|           }
 | |
|           individual[level].push(opt.stream);
 | |
|         }
 | |
|       }
 | |
|       return bole;
 | |
|     };
 | |
|     bole.reset = function reset() {
 | |
|       for (const level of levels) {
 | |
|         individual[level].splice(0, individual[level].length);
 | |
|       }
 | |
|       individual.fastTime = false;
 | |
|       return bole;
 | |
|     };
 | |
|     bole.setFastTime = function setFastTime(b) {
 | |
|       if (!arguments.length) {
 | |
|         individual.fastTime = true;
 | |
|       } else {
 | |
|         individual.fastTime = b;
 | |
|       }
 | |
|       return bole;
 | |
|     };
 | |
|     module2.exports = bole;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/logger.js
 | |
| var require_logger = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/logger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.globalInfo = exports2.globalWarn = exports2.logger = void 0;
 | |
|     var bole = require_bole();
 | |
|     bole.setFastTime();
 | |
|     exports2.logger = bole("pnpm");
 | |
|     var globalLogger = bole("pnpm:global");
 | |
|     function globalWarn(message) {
 | |
|       globalLogger.warn(message);
 | |
|     }
 | |
|     exports2.globalWarn = globalWarn;
 | |
|     function globalInfo(message) {
 | |
|       globalLogger.info(message);
 | |
|     }
 | |
|     exports2.globalInfo = globalInfo;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/stream.js
 | |
| var require_stream = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/stream.js"(exports2, module2) {
 | |
|     module2.exports = require("stream");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/buffer_list.js
 | |
| var require_buffer_list = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/buffer_list.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     function ownKeys(object, enumerableOnly) {
 | |
|       var keys = Object.keys(object);
 | |
|       if (Object.getOwnPropertySymbols) {
 | |
|         var symbols = Object.getOwnPropertySymbols(object);
 | |
|         enumerableOnly && (symbols = symbols.filter(function(sym) {
 | |
|           return Object.getOwnPropertyDescriptor(object, sym).enumerable;
 | |
|         })), keys.push.apply(keys, symbols);
 | |
|       }
 | |
|       return keys;
 | |
|     }
 | |
|     function _objectSpread(target) {
 | |
|       for (var i = 1; i < arguments.length; i++) {
 | |
|         var source = null != arguments[i] ? arguments[i] : {};
 | |
|         i % 2 ? ownKeys(Object(source), true).forEach(function(key) {
 | |
|           _defineProperty(target, key, source[key]);
 | |
|         }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function(key) {
 | |
|           Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key));
 | |
|         });
 | |
|       }
 | |
|       return target;
 | |
|     }
 | |
|     function _defineProperty(obj, key, value) {
 | |
|       key = _toPropertyKey(key);
 | |
|       if (key in obj) {
 | |
|         Object.defineProperty(obj, key, { value, enumerable: true, configurable: true, writable: true });
 | |
|       } else {
 | |
|         obj[key] = value;
 | |
|       }
 | |
|       return obj;
 | |
|     }
 | |
|     function _classCallCheck(instance, Constructor) {
 | |
|       if (!(instance instanceof Constructor)) {
 | |
|         throw new TypeError("Cannot call a class as a function");
 | |
|       }
 | |
|     }
 | |
|     function _defineProperties(target, props) {
 | |
|       for (var i = 0; i < props.length; i++) {
 | |
|         var descriptor = props[i];
 | |
|         descriptor.enumerable = descriptor.enumerable || false;
 | |
|         descriptor.configurable = true;
 | |
|         if ("value" in descriptor)
 | |
|           descriptor.writable = true;
 | |
|         Object.defineProperty(target, _toPropertyKey(descriptor.key), descriptor);
 | |
|       }
 | |
|     }
 | |
|     function _createClass(Constructor, protoProps, staticProps) {
 | |
|       if (protoProps)
 | |
|         _defineProperties(Constructor.prototype, protoProps);
 | |
|       if (staticProps)
 | |
|         _defineProperties(Constructor, staticProps);
 | |
|       Object.defineProperty(Constructor, "prototype", { writable: false });
 | |
|       return Constructor;
 | |
|     }
 | |
|     function _toPropertyKey(arg) {
 | |
|       var key = _toPrimitive(arg, "string");
 | |
|       return typeof key === "symbol" ? key : String(key);
 | |
|     }
 | |
|     function _toPrimitive(input, hint) {
 | |
|       if (typeof input !== "object" || input === null)
 | |
|         return input;
 | |
|       var prim = input[Symbol.toPrimitive];
 | |
|       if (prim !== void 0) {
 | |
|         var res = prim.call(input, hint || "default");
 | |
|         if (typeof res !== "object")
 | |
|           return res;
 | |
|         throw new TypeError("@@toPrimitive must return a primitive value.");
 | |
|       }
 | |
|       return (hint === "string" ? String : Number)(input);
 | |
|     }
 | |
|     var _require = require("buffer");
 | |
|     var Buffer2 = _require.Buffer;
 | |
|     var _require2 = require("util");
 | |
|     var inspect = _require2.inspect;
 | |
|     var custom = inspect && inspect.custom || "inspect";
 | |
|     function copyBuffer(src, target, offset) {
 | |
|       Buffer2.prototype.copy.call(src, target, offset);
 | |
|     }
 | |
|     module2.exports = /* @__PURE__ */ function() {
 | |
|       function BufferList() {
 | |
|         _classCallCheck(this, BufferList);
 | |
|         this.head = null;
 | |
|         this.tail = null;
 | |
|         this.length = 0;
 | |
|       }
 | |
|       _createClass(BufferList, [{
 | |
|         key: "push",
 | |
|         value: function push(v) {
 | |
|           var entry = {
 | |
|             data: v,
 | |
|             next: null
 | |
|           };
 | |
|           if (this.length > 0)
 | |
|             this.tail.next = entry;
 | |
|           else
 | |
|             this.head = entry;
 | |
|           this.tail = entry;
 | |
|           ++this.length;
 | |
|         }
 | |
|       }, {
 | |
|         key: "unshift",
 | |
|         value: function unshift(v) {
 | |
|           var entry = {
 | |
|             data: v,
 | |
|             next: this.head
 | |
|           };
 | |
|           if (this.length === 0)
 | |
|             this.tail = entry;
 | |
|           this.head = entry;
 | |
|           ++this.length;
 | |
|         }
 | |
|       }, {
 | |
|         key: "shift",
 | |
|         value: function shift() {
 | |
|           if (this.length === 0)
 | |
|             return;
 | |
|           var ret = this.head.data;
 | |
|           if (this.length === 1)
 | |
|             this.head = this.tail = null;
 | |
|           else
 | |
|             this.head = this.head.next;
 | |
|           --this.length;
 | |
|           return ret;
 | |
|         }
 | |
|       }, {
 | |
|         key: "clear",
 | |
|         value: function clear() {
 | |
|           this.head = this.tail = null;
 | |
|           this.length = 0;
 | |
|         }
 | |
|       }, {
 | |
|         key: "join",
 | |
|         value: function join(s) {
 | |
|           if (this.length === 0)
 | |
|             return "";
 | |
|           var p = this.head;
 | |
|           var ret = "" + p.data;
 | |
|           while (p = p.next)
 | |
|             ret += s + p.data;
 | |
|           return ret;
 | |
|         }
 | |
|       }, {
 | |
|         key: "concat",
 | |
|         value: function concat(n) {
 | |
|           if (this.length === 0)
 | |
|             return Buffer2.alloc(0);
 | |
|           var ret = Buffer2.allocUnsafe(n >>> 0);
 | |
|           var p = this.head;
 | |
|           var i = 0;
 | |
|           while (p) {
 | |
|             copyBuffer(p.data, ret, i);
 | |
|             i += p.data.length;
 | |
|             p = p.next;
 | |
|           }
 | |
|           return ret;
 | |
|         }
 | |
|         // Consumes a specified amount of bytes or characters from the buffered data.
 | |
|       }, {
 | |
|         key: "consume",
 | |
|         value: function consume(n, hasStrings) {
 | |
|           var ret;
 | |
|           if (n < this.head.data.length) {
 | |
|             ret = this.head.data.slice(0, n);
 | |
|             this.head.data = this.head.data.slice(n);
 | |
|           } else if (n === this.head.data.length) {
 | |
|             ret = this.shift();
 | |
|           } else {
 | |
|             ret = hasStrings ? this._getString(n) : this._getBuffer(n);
 | |
|           }
 | |
|           return ret;
 | |
|         }
 | |
|       }, {
 | |
|         key: "first",
 | |
|         value: function first() {
 | |
|           return this.head.data;
 | |
|         }
 | |
|         // Consumes a specified amount of characters from the buffered data.
 | |
|       }, {
 | |
|         key: "_getString",
 | |
|         value: function _getString(n) {
 | |
|           var p = this.head;
 | |
|           var c = 1;
 | |
|           var ret = p.data;
 | |
|           n -= ret.length;
 | |
|           while (p = p.next) {
 | |
|             var str = p.data;
 | |
|             var nb = n > str.length ? str.length : n;
 | |
|             if (nb === str.length)
 | |
|               ret += str;
 | |
|             else
 | |
|               ret += str.slice(0, n);
 | |
|             n -= nb;
 | |
|             if (n === 0) {
 | |
|               if (nb === str.length) {
 | |
|                 ++c;
 | |
|                 if (p.next)
 | |
|                   this.head = p.next;
 | |
|                 else
 | |
|                   this.head = this.tail = null;
 | |
|               } else {
 | |
|                 this.head = p;
 | |
|                 p.data = str.slice(nb);
 | |
|               }
 | |
|               break;
 | |
|             }
 | |
|             ++c;
 | |
|           }
 | |
|           this.length -= c;
 | |
|           return ret;
 | |
|         }
 | |
|         // Consumes a specified amount of bytes from the buffered data.
 | |
|       }, {
 | |
|         key: "_getBuffer",
 | |
|         value: function _getBuffer(n) {
 | |
|           var ret = Buffer2.allocUnsafe(n);
 | |
|           var p = this.head;
 | |
|           var c = 1;
 | |
|           p.data.copy(ret);
 | |
|           n -= p.data.length;
 | |
|           while (p = p.next) {
 | |
|             var buf = p.data;
 | |
|             var nb = n > buf.length ? buf.length : n;
 | |
|             buf.copy(ret, ret.length - n, 0, nb);
 | |
|             n -= nb;
 | |
|             if (n === 0) {
 | |
|               if (nb === buf.length) {
 | |
|                 ++c;
 | |
|                 if (p.next)
 | |
|                   this.head = p.next;
 | |
|                 else
 | |
|                   this.head = this.tail = null;
 | |
|               } else {
 | |
|                 this.head = p;
 | |
|                 p.data = buf.slice(nb);
 | |
|               }
 | |
|               break;
 | |
|             }
 | |
|             ++c;
 | |
|           }
 | |
|           this.length -= c;
 | |
|           return ret;
 | |
|         }
 | |
|         // Make sure the linked list only shows the minimal necessary information.
 | |
|       }, {
 | |
|         key: custom,
 | |
|         value: function value(_, options) {
 | |
|           return inspect(this, _objectSpread(_objectSpread({}, options), {}, {
 | |
|             // Only inspect one level.
 | |
|             depth: 0,
 | |
|             // It should not recurse.
 | |
|             customInspect: false
 | |
|           }));
 | |
|         }
 | |
|       }]);
 | |
|       return BufferList;
 | |
|     }();
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/destroy.js
 | |
| var require_destroy = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/destroy.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     function destroy(err, cb) {
 | |
|       var _this = this;
 | |
|       var readableDestroyed = this._readableState && this._readableState.destroyed;
 | |
|       var writableDestroyed = this._writableState && this._writableState.destroyed;
 | |
|       if (readableDestroyed || writableDestroyed) {
 | |
|         if (cb) {
 | |
|           cb(err);
 | |
|         } else if (err) {
 | |
|           if (!this._writableState) {
 | |
|             process.nextTick(emitErrorNT, this, err);
 | |
|           } else if (!this._writableState.errorEmitted) {
 | |
|             this._writableState.errorEmitted = true;
 | |
|             process.nextTick(emitErrorNT, this, err);
 | |
|           }
 | |
|         }
 | |
|         return this;
 | |
|       }
 | |
|       if (this._readableState) {
 | |
|         this._readableState.destroyed = true;
 | |
|       }
 | |
|       if (this._writableState) {
 | |
|         this._writableState.destroyed = true;
 | |
|       }
 | |
|       this._destroy(err || null, function(err2) {
 | |
|         if (!cb && err2) {
 | |
|           if (!_this._writableState) {
 | |
|             process.nextTick(emitErrorAndCloseNT, _this, err2);
 | |
|           } else if (!_this._writableState.errorEmitted) {
 | |
|             _this._writableState.errorEmitted = true;
 | |
|             process.nextTick(emitErrorAndCloseNT, _this, err2);
 | |
|           } else {
 | |
|             process.nextTick(emitCloseNT, _this);
 | |
|           }
 | |
|         } else if (cb) {
 | |
|           process.nextTick(emitCloseNT, _this);
 | |
|           cb(err2);
 | |
|         } else {
 | |
|           process.nextTick(emitCloseNT, _this);
 | |
|         }
 | |
|       });
 | |
|       return this;
 | |
|     }
 | |
|     function emitErrorAndCloseNT(self2, err) {
 | |
|       emitErrorNT(self2, err);
 | |
|       emitCloseNT(self2);
 | |
|     }
 | |
|     function emitCloseNT(self2) {
 | |
|       if (self2._writableState && !self2._writableState.emitClose)
 | |
|         return;
 | |
|       if (self2._readableState && !self2._readableState.emitClose)
 | |
|         return;
 | |
|       self2.emit("close");
 | |
|     }
 | |
|     function undestroy() {
 | |
|       if (this._readableState) {
 | |
|         this._readableState.destroyed = false;
 | |
|         this._readableState.reading = false;
 | |
|         this._readableState.ended = false;
 | |
|         this._readableState.endEmitted = false;
 | |
|       }
 | |
|       if (this._writableState) {
 | |
|         this._writableState.destroyed = false;
 | |
|         this._writableState.ended = false;
 | |
|         this._writableState.ending = false;
 | |
|         this._writableState.finalCalled = false;
 | |
|         this._writableState.prefinished = false;
 | |
|         this._writableState.finished = false;
 | |
|         this._writableState.errorEmitted = false;
 | |
|       }
 | |
|     }
 | |
|     function emitErrorNT(self2, err) {
 | |
|       self2.emit("error", err);
 | |
|     }
 | |
|     function errorOrDestroy(stream, err) {
 | |
|       var rState = stream._readableState;
 | |
|       var wState = stream._writableState;
 | |
|       if (rState && rState.autoDestroy || wState && wState.autoDestroy)
 | |
|         stream.destroy(err);
 | |
|       else
 | |
|         stream.emit("error", err);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       destroy,
 | |
|       undestroy,
 | |
|       errorOrDestroy
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/errors.js
 | |
| var require_errors = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/errors.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var codes = {};
 | |
|     function createErrorType(code, message, Base) {
 | |
|       if (!Base) {
 | |
|         Base = Error;
 | |
|       }
 | |
|       function getMessage(arg1, arg2, arg3) {
 | |
|         if (typeof message === "string") {
 | |
|           return message;
 | |
|         } else {
 | |
|           return message(arg1, arg2, arg3);
 | |
|         }
 | |
|       }
 | |
|       class NodeError extends Base {
 | |
|         constructor(arg1, arg2, arg3) {
 | |
|           super(getMessage(arg1, arg2, arg3));
 | |
|         }
 | |
|       }
 | |
|       NodeError.prototype.name = Base.name;
 | |
|       NodeError.prototype.code = code;
 | |
|       codes[code] = NodeError;
 | |
|     }
 | |
|     function oneOf(expected, thing) {
 | |
|       if (Array.isArray(expected)) {
 | |
|         const len = expected.length;
 | |
|         expected = expected.map((i) => String(i));
 | |
|         if (len > 2) {
 | |
|           return `one of ${thing} ${expected.slice(0, len - 1).join(", ")}, or ` + expected[len - 1];
 | |
|         } else if (len === 2) {
 | |
|           return `one of ${thing} ${expected[0]} or ${expected[1]}`;
 | |
|         } else {
 | |
|           return `of ${thing} ${expected[0]}`;
 | |
|         }
 | |
|       } else {
 | |
|         return `of ${thing} ${String(expected)}`;
 | |
|       }
 | |
|     }
 | |
|     function startsWith(str, search, pos) {
 | |
|       return str.substr(!pos || pos < 0 ? 0 : +pos, search.length) === search;
 | |
|     }
 | |
|     function endsWith(str, search, this_len) {
 | |
|       if (this_len === void 0 || this_len > str.length) {
 | |
|         this_len = str.length;
 | |
|       }
 | |
|       return str.substring(this_len - search.length, this_len) === search;
 | |
|     }
 | |
|     function includes(str, search, start) {
 | |
|       if (typeof start !== "number") {
 | |
|         start = 0;
 | |
|       }
 | |
|       if (start + search.length > str.length) {
 | |
|         return false;
 | |
|       } else {
 | |
|         return str.indexOf(search, start) !== -1;
 | |
|       }
 | |
|     }
 | |
|     createErrorType("ERR_INVALID_OPT_VALUE", function(name, value) {
 | |
|       return 'The value "' + value + '" is invalid for option "' + name + '"';
 | |
|     }, TypeError);
 | |
|     createErrorType("ERR_INVALID_ARG_TYPE", function(name, expected, actual) {
 | |
|       let determiner;
 | |
|       if (typeof expected === "string" && startsWith(expected, "not ")) {
 | |
|         determiner = "must not be";
 | |
|         expected = expected.replace(/^not /, "");
 | |
|       } else {
 | |
|         determiner = "must be";
 | |
|       }
 | |
|       let msg;
 | |
|       if (endsWith(name, " argument")) {
 | |
|         msg = `The ${name} ${determiner} ${oneOf(expected, "type")}`;
 | |
|       } else {
 | |
|         const type = includes(name, ".") ? "property" : "argument";
 | |
|         msg = `The "${name}" ${type} ${determiner} ${oneOf(expected, "type")}`;
 | |
|       }
 | |
|       msg += `. Received type ${typeof actual}`;
 | |
|       return msg;
 | |
|     }, TypeError);
 | |
|     createErrorType("ERR_STREAM_PUSH_AFTER_EOF", "stream.push() after EOF");
 | |
|     createErrorType("ERR_METHOD_NOT_IMPLEMENTED", function(name) {
 | |
|       return "The " + name + " method is not implemented";
 | |
|     });
 | |
|     createErrorType("ERR_STREAM_PREMATURE_CLOSE", "Premature close");
 | |
|     createErrorType("ERR_STREAM_DESTROYED", function(name) {
 | |
|       return "Cannot call " + name + " after a stream was destroyed";
 | |
|     });
 | |
|     createErrorType("ERR_MULTIPLE_CALLBACK", "Callback called multiple times");
 | |
|     createErrorType("ERR_STREAM_CANNOT_PIPE", "Cannot pipe, not readable");
 | |
|     createErrorType("ERR_STREAM_WRITE_AFTER_END", "write after end");
 | |
|     createErrorType("ERR_STREAM_NULL_VALUES", "May not write null values to stream", TypeError);
 | |
|     createErrorType("ERR_UNKNOWN_ENCODING", function(arg) {
 | |
|       return "Unknown encoding: " + arg;
 | |
|     }, TypeError);
 | |
|     createErrorType("ERR_STREAM_UNSHIFT_AFTER_END_EVENT", "stream.unshift() after end event");
 | |
|     module2.exports.codes = codes;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/state.js
 | |
| var require_state = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/state.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var ERR_INVALID_OPT_VALUE = require_errors().codes.ERR_INVALID_OPT_VALUE;
 | |
|     function highWaterMarkFrom(options, isDuplex, duplexKey) {
 | |
|       return options.highWaterMark != null ? options.highWaterMark : isDuplex ? options[duplexKey] : null;
 | |
|     }
 | |
|     function getHighWaterMark(state, options, duplexKey, isDuplex) {
 | |
|       var hwm = highWaterMarkFrom(options, isDuplex, duplexKey);
 | |
|       if (hwm != null) {
 | |
|         if (!(isFinite(hwm) && Math.floor(hwm) === hwm) || hwm < 0) {
 | |
|           var name = isDuplex ? duplexKey : "highWaterMark";
 | |
|           throw new ERR_INVALID_OPT_VALUE(name, hwm);
 | |
|         }
 | |
|         return Math.floor(hwm);
 | |
|       }
 | |
|       return state.objectMode ? 16 : 16 * 1024;
 | |
|     }
 | |
|     module2.exports = {
 | |
|       getHighWaterMark
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/util-deprecate@1.0.2/node_modules/util-deprecate/node.js
 | |
| var require_node = __commonJS({
 | |
|   "../node_modules/.pnpm/util-deprecate@1.0.2/node_modules/util-deprecate/node.js"(exports2, module2) {
 | |
|     module2.exports = require("util").deprecate;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_writable.js
 | |
| var require_stream_writable = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_writable.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = Writable;
 | |
|     function CorkedRequest(state) {
 | |
|       var _this = this;
 | |
|       this.next = null;
 | |
|       this.entry = null;
 | |
|       this.finish = function() {
 | |
|         onCorkedFinish(_this, state);
 | |
|       };
 | |
|     }
 | |
|     var Duplex;
 | |
|     Writable.WritableState = WritableState;
 | |
|     var internalUtil = {
 | |
|       deprecate: require_node()
 | |
|     };
 | |
|     var Stream = require_stream();
 | |
|     var Buffer2 = require("buffer").Buffer;
 | |
|     var OurUint8Array = (typeof global !== "undefined" ? global : typeof window !== "undefined" ? window : typeof self !== "undefined" ? self : {}).Uint8Array || function() {
 | |
|     };
 | |
|     function _uint8ArrayToBuffer(chunk) {
 | |
|       return Buffer2.from(chunk);
 | |
|     }
 | |
|     function _isUint8Array(obj) {
 | |
|       return Buffer2.isBuffer(obj) || obj instanceof OurUint8Array;
 | |
|     }
 | |
|     var destroyImpl = require_destroy();
 | |
|     var _require = require_state();
 | |
|     var getHighWaterMark = _require.getHighWaterMark;
 | |
|     var _require$codes = require_errors().codes;
 | |
|     var ERR_INVALID_ARG_TYPE = _require$codes.ERR_INVALID_ARG_TYPE;
 | |
|     var ERR_METHOD_NOT_IMPLEMENTED = _require$codes.ERR_METHOD_NOT_IMPLEMENTED;
 | |
|     var ERR_MULTIPLE_CALLBACK = _require$codes.ERR_MULTIPLE_CALLBACK;
 | |
|     var ERR_STREAM_CANNOT_PIPE = _require$codes.ERR_STREAM_CANNOT_PIPE;
 | |
|     var ERR_STREAM_DESTROYED = _require$codes.ERR_STREAM_DESTROYED;
 | |
|     var ERR_STREAM_NULL_VALUES = _require$codes.ERR_STREAM_NULL_VALUES;
 | |
|     var ERR_STREAM_WRITE_AFTER_END = _require$codes.ERR_STREAM_WRITE_AFTER_END;
 | |
|     var ERR_UNKNOWN_ENCODING = _require$codes.ERR_UNKNOWN_ENCODING;
 | |
|     var errorOrDestroy = destroyImpl.errorOrDestroy;
 | |
|     require_inherits()(Writable, Stream);
 | |
|     function nop() {
 | |
|     }
 | |
|     function WritableState(options, stream, isDuplex) {
 | |
|       Duplex = Duplex || require_stream_duplex();
 | |
|       options = options || {};
 | |
|       if (typeof isDuplex !== "boolean")
 | |
|         isDuplex = stream instanceof Duplex;
 | |
|       this.objectMode = !!options.objectMode;
 | |
|       if (isDuplex)
 | |
|         this.objectMode = this.objectMode || !!options.writableObjectMode;
 | |
|       this.highWaterMark = getHighWaterMark(this, options, "writableHighWaterMark", isDuplex);
 | |
|       this.finalCalled = false;
 | |
|       this.needDrain = false;
 | |
|       this.ending = false;
 | |
|       this.ended = false;
 | |
|       this.finished = false;
 | |
|       this.destroyed = false;
 | |
|       var noDecode = options.decodeStrings === false;
 | |
|       this.decodeStrings = !noDecode;
 | |
|       this.defaultEncoding = options.defaultEncoding || "utf8";
 | |
|       this.length = 0;
 | |
|       this.writing = false;
 | |
|       this.corked = 0;
 | |
|       this.sync = true;
 | |
|       this.bufferProcessing = false;
 | |
|       this.onwrite = function(er) {
 | |
|         onwrite(stream, er);
 | |
|       };
 | |
|       this.writecb = null;
 | |
|       this.writelen = 0;
 | |
|       this.bufferedRequest = null;
 | |
|       this.lastBufferedRequest = null;
 | |
|       this.pendingcb = 0;
 | |
|       this.prefinished = false;
 | |
|       this.errorEmitted = false;
 | |
|       this.emitClose = options.emitClose !== false;
 | |
|       this.autoDestroy = !!options.autoDestroy;
 | |
|       this.bufferedRequestCount = 0;
 | |
|       this.corkedRequestsFree = new CorkedRequest(this);
 | |
|     }
 | |
|     WritableState.prototype.getBuffer = function getBuffer() {
 | |
|       var current = this.bufferedRequest;
 | |
|       var out = [];
 | |
|       while (current) {
 | |
|         out.push(current);
 | |
|         current = current.next;
 | |
|       }
 | |
|       return out;
 | |
|     };
 | |
|     (function() {
 | |
|       try {
 | |
|         Object.defineProperty(WritableState.prototype, "buffer", {
 | |
|           get: internalUtil.deprecate(function writableStateBufferGetter() {
 | |
|             return this.getBuffer();
 | |
|           }, "_writableState.buffer is deprecated. Use _writableState.getBuffer instead.", "DEP0003")
 | |
|         });
 | |
|       } catch (_) {
 | |
|       }
 | |
|     })();
 | |
|     var realHasInstance;
 | |
|     if (typeof Symbol === "function" && Symbol.hasInstance && typeof Function.prototype[Symbol.hasInstance] === "function") {
 | |
|       realHasInstance = Function.prototype[Symbol.hasInstance];
 | |
|       Object.defineProperty(Writable, Symbol.hasInstance, {
 | |
|         value: function value(object) {
 | |
|           if (realHasInstance.call(this, object))
 | |
|             return true;
 | |
|           if (this !== Writable)
 | |
|             return false;
 | |
|           return object && object._writableState instanceof WritableState;
 | |
|         }
 | |
|       });
 | |
|     } else {
 | |
|       realHasInstance = function realHasInstance2(object) {
 | |
|         return object instanceof this;
 | |
|       };
 | |
|     }
 | |
|     function Writable(options) {
 | |
|       Duplex = Duplex || require_stream_duplex();
 | |
|       var isDuplex = this instanceof Duplex;
 | |
|       if (!isDuplex && !realHasInstance.call(Writable, this))
 | |
|         return new Writable(options);
 | |
|       this._writableState = new WritableState(options, this, isDuplex);
 | |
|       this.writable = true;
 | |
|       if (options) {
 | |
|         if (typeof options.write === "function")
 | |
|           this._write = options.write;
 | |
|         if (typeof options.writev === "function")
 | |
|           this._writev = options.writev;
 | |
|         if (typeof options.destroy === "function")
 | |
|           this._destroy = options.destroy;
 | |
|         if (typeof options.final === "function")
 | |
|           this._final = options.final;
 | |
|       }
 | |
|       Stream.call(this);
 | |
|     }
 | |
|     Writable.prototype.pipe = function() {
 | |
|       errorOrDestroy(this, new ERR_STREAM_CANNOT_PIPE());
 | |
|     };
 | |
|     function writeAfterEnd(stream, cb) {
 | |
|       var er = new ERR_STREAM_WRITE_AFTER_END();
 | |
|       errorOrDestroy(stream, er);
 | |
|       process.nextTick(cb, er);
 | |
|     }
 | |
|     function validChunk(stream, state, chunk, cb) {
 | |
|       var er;
 | |
|       if (chunk === null) {
 | |
|         er = new ERR_STREAM_NULL_VALUES();
 | |
|       } else if (typeof chunk !== "string" && !state.objectMode) {
 | |
|         er = new ERR_INVALID_ARG_TYPE("chunk", ["string", "Buffer"], chunk);
 | |
|       }
 | |
|       if (er) {
 | |
|         errorOrDestroy(stream, er);
 | |
|         process.nextTick(cb, er);
 | |
|         return false;
 | |
|       }
 | |
|       return true;
 | |
|     }
 | |
|     Writable.prototype.write = function(chunk, encoding, cb) {
 | |
|       var state = this._writableState;
 | |
|       var ret = false;
 | |
|       var isBuf = !state.objectMode && _isUint8Array(chunk);
 | |
|       if (isBuf && !Buffer2.isBuffer(chunk)) {
 | |
|         chunk = _uint8ArrayToBuffer(chunk);
 | |
|       }
 | |
|       if (typeof encoding === "function") {
 | |
|         cb = encoding;
 | |
|         encoding = null;
 | |
|       }
 | |
|       if (isBuf)
 | |
|         encoding = "buffer";
 | |
|       else if (!encoding)
 | |
|         encoding = state.defaultEncoding;
 | |
|       if (typeof cb !== "function")
 | |
|         cb = nop;
 | |
|       if (state.ending)
 | |
|         writeAfterEnd(this, cb);
 | |
|       else if (isBuf || validChunk(this, state, chunk, cb)) {
 | |
|         state.pendingcb++;
 | |
|         ret = writeOrBuffer(this, state, isBuf, chunk, encoding, cb);
 | |
|       }
 | |
|       return ret;
 | |
|     };
 | |
|     Writable.prototype.cork = function() {
 | |
|       this._writableState.corked++;
 | |
|     };
 | |
|     Writable.prototype.uncork = function() {
 | |
|       var state = this._writableState;
 | |
|       if (state.corked) {
 | |
|         state.corked--;
 | |
|         if (!state.writing && !state.corked && !state.bufferProcessing && state.bufferedRequest)
 | |
|           clearBuffer(this, state);
 | |
|       }
 | |
|     };
 | |
|     Writable.prototype.setDefaultEncoding = function setDefaultEncoding(encoding) {
 | |
|       if (typeof encoding === "string")
 | |
|         encoding = encoding.toLowerCase();
 | |
|       if (!(["hex", "utf8", "utf-8", "ascii", "binary", "base64", "ucs2", "ucs-2", "utf16le", "utf-16le", "raw"].indexOf((encoding + "").toLowerCase()) > -1))
 | |
|         throw new ERR_UNKNOWN_ENCODING(encoding);
 | |
|       this._writableState.defaultEncoding = encoding;
 | |
|       return this;
 | |
|     };
 | |
|     Object.defineProperty(Writable.prototype, "writableBuffer", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._writableState && this._writableState.getBuffer();
 | |
|       }
 | |
|     });
 | |
|     function decodeChunk(state, chunk, encoding) {
 | |
|       if (!state.objectMode && state.decodeStrings !== false && typeof chunk === "string") {
 | |
|         chunk = Buffer2.from(chunk, encoding);
 | |
|       }
 | |
|       return chunk;
 | |
|     }
 | |
|     Object.defineProperty(Writable.prototype, "writableHighWaterMark", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._writableState.highWaterMark;
 | |
|       }
 | |
|     });
 | |
|     function writeOrBuffer(stream, state, isBuf, chunk, encoding, cb) {
 | |
|       if (!isBuf) {
 | |
|         var newChunk = decodeChunk(state, chunk, encoding);
 | |
|         if (chunk !== newChunk) {
 | |
|           isBuf = true;
 | |
|           encoding = "buffer";
 | |
|           chunk = newChunk;
 | |
|         }
 | |
|       }
 | |
|       var len = state.objectMode ? 1 : chunk.length;
 | |
|       state.length += len;
 | |
|       var ret = state.length < state.highWaterMark;
 | |
|       if (!ret)
 | |
|         state.needDrain = true;
 | |
|       if (state.writing || state.corked) {
 | |
|         var last = state.lastBufferedRequest;
 | |
|         state.lastBufferedRequest = {
 | |
|           chunk,
 | |
|           encoding,
 | |
|           isBuf,
 | |
|           callback: cb,
 | |
|           next: null
 | |
|         };
 | |
|         if (last) {
 | |
|           last.next = state.lastBufferedRequest;
 | |
|         } else {
 | |
|           state.bufferedRequest = state.lastBufferedRequest;
 | |
|         }
 | |
|         state.bufferedRequestCount += 1;
 | |
|       } else {
 | |
|         doWrite(stream, state, false, len, chunk, encoding, cb);
 | |
|       }
 | |
|       return ret;
 | |
|     }
 | |
|     function doWrite(stream, state, writev, len, chunk, encoding, cb) {
 | |
|       state.writelen = len;
 | |
|       state.writecb = cb;
 | |
|       state.writing = true;
 | |
|       state.sync = true;
 | |
|       if (state.destroyed)
 | |
|         state.onwrite(new ERR_STREAM_DESTROYED("write"));
 | |
|       else if (writev)
 | |
|         stream._writev(chunk, state.onwrite);
 | |
|       else
 | |
|         stream._write(chunk, encoding, state.onwrite);
 | |
|       state.sync = false;
 | |
|     }
 | |
|     function onwriteError(stream, state, sync, er, cb) {
 | |
|       --state.pendingcb;
 | |
|       if (sync) {
 | |
|         process.nextTick(cb, er);
 | |
|         process.nextTick(finishMaybe, stream, state);
 | |
|         stream._writableState.errorEmitted = true;
 | |
|         errorOrDestroy(stream, er);
 | |
|       } else {
 | |
|         cb(er);
 | |
|         stream._writableState.errorEmitted = true;
 | |
|         errorOrDestroy(stream, er);
 | |
|         finishMaybe(stream, state);
 | |
|       }
 | |
|     }
 | |
|     function onwriteStateUpdate(state) {
 | |
|       state.writing = false;
 | |
|       state.writecb = null;
 | |
|       state.length -= state.writelen;
 | |
|       state.writelen = 0;
 | |
|     }
 | |
|     function onwrite(stream, er) {
 | |
|       var state = stream._writableState;
 | |
|       var sync = state.sync;
 | |
|       var cb = state.writecb;
 | |
|       if (typeof cb !== "function")
 | |
|         throw new ERR_MULTIPLE_CALLBACK();
 | |
|       onwriteStateUpdate(state);
 | |
|       if (er)
 | |
|         onwriteError(stream, state, sync, er, cb);
 | |
|       else {
 | |
|         var finished = needFinish(state) || stream.destroyed;
 | |
|         if (!finished && !state.corked && !state.bufferProcessing && state.bufferedRequest) {
 | |
|           clearBuffer(stream, state);
 | |
|         }
 | |
|         if (sync) {
 | |
|           process.nextTick(afterWrite, stream, state, finished, cb);
 | |
|         } else {
 | |
|           afterWrite(stream, state, finished, cb);
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function afterWrite(stream, state, finished, cb) {
 | |
|       if (!finished)
 | |
|         onwriteDrain(stream, state);
 | |
|       state.pendingcb--;
 | |
|       cb();
 | |
|       finishMaybe(stream, state);
 | |
|     }
 | |
|     function onwriteDrain(stream, state) {
 | |
|       if (state.length === 0 && state.needDrain) {
 | |
|         state.needDrain = false;
 | |
|         stream.emit("drain");
 | |
|       }
 | |
|     }
 | |
|     function clearBuffer(stream, state) {
 | |
|       state.bufferProcessing = true;
 | |
|       var entry = state.bufferedRequest;
 | |
|       if (stream._writev && entry && entry.next) {
 | |
|         var l = state.bufferedRequestCount;
 | |
|         var buffer = new Array(l);
 | |
|         var holder = state.corkedRequestsFree;
 | |
|         holder.entry = entry;
 | |
|         var count = 0;
 | |
|         var allBuffers = true;
 | |
|         while (entry) {
 | |
|           buffer[count] = entry;
 | |
|           if (!entry.isBuf)
 | |
|             allBuffers = false;
 | |
|           entry = entry.next;
 | |
|           count += 1;
 | |
|         }
 | |
|         buffer.allBuffers = allBuffers;
 | |
|         doWrite(stream, state, true, state.length, buffer, "", holder.finish);
 | |
|         state.pendingcb++;
 | |
|         state.lastBufferedRequest = null;
 | |
|         if (holder.next) {
 | |
|           state.corkedRequestsFree = holder.next;
 | |
|           holder.next = null;
 | |
|         } else {
 | |
|           state.corkedRequestsFree = new CorkedRequest(state);
 | |
|         }
 | |
|         state.bufferedRequestCount = 0;
 | |
|       } else {
 | |
|         while (entry) {
 | |
|           var chunk = entry.chunk;
 | |
|           var encoding = entry.encoding;
 | |
|           var cb = entry.callback;
 | |
|           var len = state.objectMode ? 1 : chunk.length;
 | |
|           doWrite(stream, state, false, len, chunk, encoding, cb);
 | |
|           entry = entry.next;
 | |
|           state.bufferedRequestCount--;
 | |
|           if (state.writing) {
 | |
|             break;
 | |
|           }
 | |
|         }
 | |
|         if (entry === null)
 | |
|           state.lastBufferedRequest = null;
 | |
|       }
 | |
|       state.bufferedRequest = entry;
 | |
|       state.bufferProcessing = false;
 | |
|     }
 | |
|     Writable.prototype._write = function(chunk, encoding, cb) {
 | |
|       cb(new ERR_METHOD_NOT_IMPLEMENTED("_write()"));
 | |
|     };
 | |
|     Writable.prototype._writev = null;
 | |
|     Writable.prototype.end = function(chunk, encoding, cb) {
 | |
|       var state = this._writableState;
 | |
|       if (typeof chunk === "function") {
 | |
|         cb = chunk;
 | |
|         chunk = null;
 | |
|         encoding = null;
 | |
|       } else if (typeof encoding === "function") {
 | |
|         cb = encoding;
 | |
|         encoding = null;
 | |
|       }
 | |
|       if (chunk !== null && chunk !== void 0)
 | |
|         this.write(chunk, encoding);
 | |
|       if (state.corked) {
 | |
|         state.corked = 1;
 | |
|         this.uncork();
 | |
|       }
 | |
|       if (!state.ending)
 | |
|         endWritable(this, state, cb);
 | |
|       return this;
 | |
|     };
 | |
|     Object.defineProperty(Writable.prototype, "writableLength", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._writableState.length;
 | |
|       }
 | |
|     });
 | |
|     function needFinish(state) {
 | |
|       return state.ending && state.length === 0 && state.bufferedRequest === null && !state.finished && !state.writing;
 | |
|     }
 | |
|     function callFinal(stream, state) {
 | |
|       stream._final(function(err) {
 | |
|         state.pendingcb--;
 | |
|         if (err) {
 | |
|           errorOrDestroy(stream, err);
 | |
|         }
 | |
|         state.prefinished = true;
 | |
|         stream.emit("prefinish");
 | |
|         finishMaybe(stream, state);
 | |
|       });
 | |
|     }
 | |
|     function prefinish(stream, state) {
 | |
|       if (!state.prefinished && !state.finalCalled) {
 | |
|         if (typeof stream._final === "function" && !state.destroyed) {
 | |
|           state.pendingcb++;
 | |
|           state.finalCalled = true;
 | |
|           process.nextTick(callFinal, stream, state);
 | |
|         } else {
 | |
|           state.prefinished = true;
 | |
|           stream.emit("prefinish");
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function finishMaybe(stream, state) {
 | |
|       var need = needFinish(state);
 | |
|       if (need) {
 | |
|         prefinish(stream, state);
 | |
|         if (state.pendingcb === 0) {
 | |
|           state.finished = true;
 | |
|           stream.emit("finish");
 | |
|           if (state.autoDestroy) {
 | |
|             var rState = stream._readableState;
 | |
|             if (!rState || rState.autoDestroy && rState.endEmitted) {
 | |
|               stream.destroy();
 | |
|             }
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return need;
 | |
|     }
 | |
|     function endWritable(stream, state, cb) {
 | |
|       state.ending = true;
 | |
|       finishMaybe(stream, state);
 | |
|       if (cb) {
 | |
|         if (state.finished)
 | |
|           process.nextTick(cb);
 | |
|         else
 | |
|           stream.once("finish", cb);
 | |
|       }
 | |
|       state.ended = true;
 | |
|       stream.writable = false;
 | |
|     }
 | |
|     function onCorkedFinish(corkReq, state, err) {
 | |
|       var entry = corkReq.entry;
 | |
|       corkReq.entry = null;
 | |
|       while (entry) {
 | |
|         var cb = entry.callback;
 | |
|         state.pendingcb--;
 | |
|         cb(err);
 | |
|         entry = entry.next;
 | |
|       }
 | |
|       state.corkedRequestsFree.next = corkReq;
 | |
|     }
 | |
|     Object.defineProperty(Writable.prototype, "destroyed", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         if (this._writableState === void 0) {
 | |
|           return false;
 | |
|         }
 | |
|         return this._writableState.destroyed;
 | |
|       },
 | |
|       set: function set(value) {
 | |
|         if (!this._writableState) {
 | |
|           return;
 | |
|         }
 | |
|         this._writableState.destroyed = value;
 | |
|       }
 | |
|     });
 | |
|     Writable.prototype.destroy = destroyImpl.destroy;
 | |
|     Writable.prototype._undestroy = destroyImpl.undestroy;
 | |
|     Writable.prototype._destroy = function(err, cb) {
 | |
|       cb(err);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_duplex.js
 | |
| var require_stream_duplex = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_duplex.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var objectKeys = Object.keys || function(obj) {
 | |
|       var keys2 = [];
 | |
|       for (var key in obj)
 | |
|         keys2.push(key);
 | |
|       return keys2;
 | |
|     };
 | |
|     module2.exports = Duplex;
 | |
|     var Readable = require_stream_readable();
 | |
|     var Writable = require_stream_writable();
 | |
|     require_inherits()(Duplex, Readable);
 | |
|     {
 | |
|       keys = objectKeys(Writable.prototype);
 | |
|       for (v = 0; v < keys.length; v++) {
 | |
|         method = keys[v];
 | |
|         if (!Duplex.prototype[method])
 | |
|           Duplex.prototype[method] = Writable.prototype[method];
 | |
|       }
 | |
|     }
 | |
|     var keys;
 | |
|     var method;
 | |
|     var v;
 | |
|     function Duplex(options) {
 | |
|       if (!(this instanceof Duplex))
 | |
|         return new Duplex(options);
 | |
|       Readable.call(this, options);
 | |
|       Writable.call(this, options);
 | |
|       this.allowHalfOpen = true;
 | |
|       if (options) {
 | |
|         if (options.readable === false)
 | |
|           this.readable = false;
 | |
|         if (options.writable === false)
 | |
|           this.writable = false;
 | |
|         if (options.allowHalfOpen === false) {
 | |
|           this.allowHalfOpen = false;
 | |
|           this.once("end", onend);
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     Object.defineProperty(Duplex.prototype, "writableHighWaterMark", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._writableState.highWaterMark;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(Duplex.prototype, "writableBuffer", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._writableState && this._writableState.getBuffer();
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(Duplex.prototype, "writableLength", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._writableState.length;
 | |
|       }
 | |
|     });
 | |
|     function onend() {
 | |
|       if (this._writableState.ended)
 | |
|         return;
 | |
|       process.nextTick(onEndNT, this);
 | |
|     }
 | |
|     function onEndNT(self2) {
 | |
|       self2.end();
 | |
|     }
 | |
|     Object.defineProperty(Duplex.prototype, "destroyed", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         if (this._readableState === void 0 || this._writableState === void 0) {
 | |
|           return false;
 | |
|         }
 | |
|         return this._readableState.destroyed && this._writableState.destroyed;
 | |
|       },
 | |
|       set: function set(value) {
 | |
|         if (this._readableState === void 0 || this._writableState === void 0) {
 | |
|           return;
 | |
|         }
 | |
|         this._readableState.destroyed = value;
 | |
|         this._writableState.destroyed = value;
 | |
|       }
 | |
|     });
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/safe-buffer@5.2.1/node_modules/safe-buffer/index.js
 | |
| var require_safe_buffer = __commonJS({
 | |
|   "../node_modules/.pnpm/safe-buffer@5.2.1/node_modules/safe-buffer/index.js"(exports2, module2) {
 | |
|     var buffer = require("buffer");
 | |
|     var Buffer2 = buffer.Buffer;
 | |
|     function copyProps(src, dst) {
 | |
|       for (var key in src) {
 | |
|         dst[key] = src[key];
 | |
|       }
 | |
|     }
 | |
|     if (Buffer2.from && Buffer2.alloc && Buffer2.allocUnsafe && Buffer2.allocUnsafeSlow) {
 | |
|       module2.exports = buffer;
 | |
|     } else {
 | |
|       copyProps(buffer, exports2);
 | |
|       exports2.Buffer = SafeBuffer;
 | |
|     }
 | |
|     function SafeBuffer(arg, encodingOrOffset, length) {
 | |
|       return Buffer2(arg, encodingOrOffset, length);
 | |
|     }
 | |
|     SafeBuffer.prototype = Object.create(Buffer2.prototype);
 | |
|     copyProps(Buffer2, SafeBuffer);
 | |
|     SafeBuffer.from = function(arg, encodingOrOffset, length) {
 | |
|       if (typeof arg === "number") {
 | |
|         throw new TypeError("Argument must not be a number");
 | |
|       }
 | |
|       return Buffer2(arg, encodingOrOffset, length);
 | |
|     };
 | |
|     SafeBuffer.alloc = function(size, fill, encoding) {
 | |
|       if (typeof size !== "number") {
 | |
|         throw new TypeError("Argument must be a number");
 | |
|       }
 | |
|       var buf = Buffer2(size);
 | |
|       if (fill !== void 0) {
 | |
|         if (typeof encoding === "string") {
 | |
|           buf.fill(fill, encoding);
 | |
|         } else {
 | |
|           buf.fill(fill);
 | |
|         }
 | |
|       } else {
 | |
|         buf.fill(0);
 | |
|       }
 | |
|       return buf;
 | |
|     };
 | |
|     SafeBuffer.allocUnsafe = function(size) {
 | |
|       if (typeof size !== "number") {
 | |
|         throw new TypeError("Argument must be a number");
 | |
|       }
 | |
|       return Buffer2(size);
 | |
|     };
 | |
|     SafeBuffer.allocUnsafeSlow = function(size) {
 | |
|       if (typeof size !== "number") {
 | |
|         throw new TypeError("Argument must be a number");
 | |
|       }
 | |
|       return buffer.SlowBuffer(size);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/string_decoder@1.3.0/node_modules/string_decoder/lib/string_decoder.js
 | |
| var require_string_decoder = __commonJS({
 | |
|   "../node_modules/.pnpm/string_decoder@1.3.0/node_modules/string_decoder/lib/string_decoder.js"(exports2) {
 | |
|     "use strict";
 | |
|     var Buffer2 = require_safe_buffer().Buffer;
 | |
|     var isEncoding = Buffer2.isEncoding || function(encoding) {
 | |
|       encoding = "" + encoding;
 | |
|       switch (encoding && encoding.toLowerCase()) {
 | |
|         case "hex":
 | |
|         case "utf8":
 | |
|         case "utf-8":
 | |
|         case "ascii":
 | |
|         case "binary":
 | |
|         case "base64":
 | |
|         case "ucs2":
 | |
|         case "ucs-2":
 | |
|         case "utf16le":
 | |
|         case "utf-16le":
 | |
|         case "raw":
 | |
|           return true;
 | |
|         default:
 | |
|           return false;
 | |
|       }
 | |
|     };
 | |
|     function _normalizeEncoding(enc) {
 | |
|       if (!enc)
 | |
|         return "utf8";
 | |
|       var retried;
 | |
|       while (true) {
 | |
|         switch (enc) {
 | |
|           case "utf8":
 | |
|           case "utf-8":
 | |
|             return "utf8";
 | |
|           case "ucs2":
 | |
|           case "ucs-2":
 | |
|           case "utf16le":
 | |
|           case "utf-16le":
 | |
|             return "utf16le";
 | |
|           case "latin1":
 | |
|           case "binary":
 | |
|             return "latin1";
 | |
|           case "base64":
 | |
|           case "ascii":
 | |
|           case "hex":
 | |
|             return enc;
 | |
|           default:
 | |
|             if (retried)
 | |
|               return;
 | |
|             enc = ("" + enc).toLowerCase();
 | |
|             retried = true;
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function normalizeEncoding(enc) {
 | |
|       var nenc = _normalizeEncoding(enc);
 | |
|       if (typeof nenc !== "string" && (Buffer2.isEncoding === isEncoding || !isEncoding(enc)))
 | |
|         throw new Error("Unknown encoding: " + enc);
 | |
|       return nenc || enc;
 | |
|     }
 | |
|     exports2.StringDecoder = StringDecoder;
 | |
|     function StringDecoder(encoding) {
 | |
|       this.encoding = normalizeEncoding(encoding);
 | |
|       var nb;
 | |
|       switch (this.encoding) {
 | |
|         case "utf16le":
 | |
|           this.text = utf16Text;
 | |
|           this.end = utf16End;
 | |
|           nb = 4;
 | |
|           break;
 | |
|         case "utf8":
 | |
|           this.fillLast = utf8FillLast;
 | |
|           nb = 4;
 | |
|           break;
 | |
|         case "base64":
 | |
|           this.text = base64Text;
 | |
|           this.end = base64End;
 | |
|           nb = 3;
 | |
|           break;
 | |
|         default:
 | |
|           this.write = simpleWrite;
 | |
|           this.end = simpleEnd;
 | |
|           return;
 | |
|       }
 | |
|       this.lastNeed = 0;
 | |
|       this.lastTotal = 0;
 | |
|       this.lastChar = Buffer2.allocUnsafe(nb);
 | |
|     }
 | |
|     StringDecoder.prototype.write = function(buf) {
 | |
|       if (buf.length === 0)
 | |
|         return "";
 | |
|       var r;
 | |
|       var i;
 | |
|       if (this.lastNeed) {
 | |
|         r = this.fillLast(buf);
 | |
|         if (r === void 0)
 | |
|           return "";
 | |
|         i = this.lastNeed;
 | |
|         this.lastNeed = 0;
 | |
|       } else {
 | |
|         i = 0;
 | |
|       }
 | |
|       if (i < buf.length)
 | |
|         return r ? r + this.text(buf, i) : this.text(buf, i);
 | |
|       return r || "";
 | |
|     };
 | |
|     StringDecoder.prototype.end = utf8End;
 | |
|     StringDecoder.prototype.text = utf8Text;
 | |
|     StringDecoder.prototype.fillLast = function(buf) {
 | |
|       if (this.lastNeed <= buf.length) {
 | |
|         buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, this.lastNeed);
 | |
|         return this.lastChar.toString(this.encoding, 0, this.lastTotal);
 | |
|       }
 | |
|       buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, buf.length);
 | |
|       this.lastNeed -= buf.length;
 | |
|     };
 | |
|     function utf8CheckByte(byte) {
 | |
|       if (byte <= 127)
 | |
|         return 0;
 | |
|       else if (byte >> 5 === 6)
 | |
|         return 2;
 | |
|       else if (byte >> 4 === 14)
 | |
|         return 3;
 | |
|       else if (byte >> 3 === 30)
 | |
|         return 4;
 | |
|       return byte >> 6 === 2 ? -1 : -2;
 | |
|     }
 | |
|     function utf8CheckIncomplete(self2, buf, i) {
 | |
|       var j = buf.length - 1;
 | |
|       if (j < i)
 | |
|         return 0;
 | |
|       var nb = utf8CheckByte(buf[j]);
 | |
|       if (nb >= 0) {
 | |
|         if (nb > 0)
 | |
|           self2.lastNeed = nb - 1;
 | |
|         return nb;
 | |
|       }
 | |
|       if (--j < i || nb === -2)
 | |
|         return 0;
 | |
|       nb = utf8CheckByte(buf[j]);
 | |
|       if (nb >= 0) {
 | |
|         if (nb > 0)
 | |
|           self2.lastNeed = nb - 2;
 | |
|         return nb;
 | |
|       }
 | |
|       if (--j < i || nb === -2)
 | |
|         return 0;
 | |
|       nb = utf8CheckByte(buf[j]);
 | |
|       if (nb >= 0) {
 | |
|         if (nb > 0) {
 | |
|           if (nb === 2)
 | |
|             nb = 0;
 | |
|           else
 | |
|             self2.lastNeed = nb - 3;
 | |
|         }
 | |
|         return nb;
 | |
|       }
 | |
|       return 0;
 | |
|     }
 | |
|     function utf8CheckExtraBytes(self2, buf, p) {
 | |
|       if ((buf[0] & 192) !== 128) {
 | |
|         self2.lastNeed = 0;
 | |
|         return "\uFFFD";
 | |
|       }
 | |
|       if (self2.lastNeed > 1 && buf.length > 1) {
 | |
|         if ((buf[1] & 192) !== 128) {
 | |
|           self2.lastNeed = 1;
 | |
|           return "\uFFFD";
 | |
|         }
 | |
|         if (self2.lastNeed > 2 && buf.length > 2) {
 | |
|           if ((buf[2] & 192) !== 128) {
 | |
|             self2.lastNeed = 2;
 | |
|             return "\uFFFD";
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function utf8FillLast(buf) {
 | |
|       var p = this.lastTotal - this.lastNeed;
 | |
|       var r = utf8CheckExtraBytes(this, buf, p);
 | |
|       if (r !== void 0)
 | |
|         return r;
 | |
|       if (this.lastNeed <= buf.length) {
 | |
|         buf.copy(this.lastChar, p, 0, this.lastNeed);
 | |
|         return this.lastChar.toString(this.encoding, 0, this.lastTotal);
 | |
|       }
 | |
|       buf.copy(this.lastChar, p, 0, buf.length);
 | |
|       this.lastNeed -= buf.length;
 | |
|     }
 | |
|     function utf8Text(buf, i) {
 | |
|       var total = utf8CheckIncomplete(this, buf, i);
 | |
|       if (!this.lastNeed)
 | |
|         return buf.toString("utf8", i);
 | |
|       this.lastTotal = total;
 | |
|       var end = buf.length - (total - this.lastNeed);
 | |
|       buf.copy(this.lastChar, 0, end);
 | |
|       return buf.toString("utf8", i, end);
 | |
|     }
 | |
|     function utf8End(buf) {
 | |
|       var r = buf && buf.length ? this.write(buf) : "";
 | |
|       if (this.lastNeed)
 | |
|         return r + "\uFFFD";
 | |
|       return r;
 | |
|     }
 | |
|     function utf16Text(buf, i) {
 | |
|       if ((buf.length - i) % 2 === 0) {
 | |
|         var r = buf.toString("utf16le", i);
 | |
|         if (r) {
 | |
|           var c = r.charCodeAt(r.length - 1);
 | |
|           if (c >= 55296 && c <= 56319) {
 | |
|             this.lastNeed = 2;
 | |
|             this.lastTotal = 4;
 | |
|             this.lastChar[0] = buf[buf.length - 2];
 | |
|             this.lastChar[1] = buf[buf.length - 1];
 | |
|             return r.slice(0, -1);
 | |
|           }
 | |
|         }
 | |
|         return r;
 | |
|       }
 | |
|       this.lastNeed = 1;
 | |
|       this.lastTotal = 2;
 | |
|       this.lastChar[0] = buf[buf.length - 1];
 | |
|       return buf.toString("utf16le", i, buf.length - 1);
 | |
|     }
 | |
|     function utf16End(buf) {
 | |
|       var r = buf && buf.length ? this.write(buf) : "";
 | |
|       if (this.lastNeed) {
 | |
|         var end = this.lastTotal - this.lastNeed;
 | |
|         return r + this.lastChar.toString("utf16le", 0, end);
 | |
|       }
 | |
|       return r;
 | |
|     }
 | |
|     function base64Text(buf, i) {
 | |
|       var n = (buf.length - i) % 3;
 | |
|       if (n === 0)
 | |
|         return buf.toString("base64", i);
 | |
|       this.lastNeed = 3 - n;
 | |
|       this.lastTotal = 3;
 | |
|       if (n === 1) {
 | |
|         this.lastChar[0] = buf[buf.length - 1];
 | |
|       } else {
 | |
|         this.lastChar[0] = buf[buf.length - 2];
 | |
|         this.lastChar[1] = buf[buf.length - 1];
 | |
|       }
 | |
|       return buf.toString("base64", i, buf.length - n);
 | |
|     }
 | |
|     function base64End(buf) {
 | |
|       var r = buf && buf.length ? this.write(buf) : "";
 | |
|       if (this.lastNeed)
 | |
|         return r + this.lastChar.toString("base64", 0, 3 - this.lastNeed);
 | |
|       return r;
 | |
|     }
 | |
|     function simpleWrite(buf) {
 | |
|       return buf.toString(this.encoding);
 | |
|     }
 | |
|     function simpleEnd(buf) {
 | |
|       return buf && buf.length ? this.write(buf) : "";
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/end-of-stream.js
 | |
| var require_end_of_stream = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/end-of-stream.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var ERR_STREAM_PREMATURE_CLOSE = require_errors().codes.ERR_STREAM_PREMATURE_CLOSE;
 | |
|     function once(callback) {
 | |
|       var called = false;
 | |
|       return function() {
 | |
|         if (called)
 | |
|           return;
 | |
|         called = true;
 | |
|         for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {
 | |
|           args[_key] = arguments[_key];
 | |
|         }
 | |
|         callback.apply(this, args);
 | |
|       };
 | |
|     }
 | |
|     function noop() {
 | |
|     }
 | |
|     function isRequest(stream) {
 | |
|       return stream.setHeader && typeof stream.abort === "function";
 | |
|     }
 | |
|     function eos(stream, opts, callback) {
 | |
|       if (typeof opts === "function")
 | |
|         return eos(stream, null, opts);
 | |
|       if (!opts)
 | |
|         opts = {};
 | |
|       callback = once(callback || noop);
 | |
|       var readable = opts.readable || opts.readable !== false && stream.readable;
 | |
|       var writable = opts.writable || opts.writable !== false && stream.writable;
 | |
|       var onlegacyfinish = function onlegacyfinish2() {
 | |
|         if (!stream.writable)
 | |
|           onfinish();
 | |
|       };
 | |
|       var writableEnded = stream._writableState && stream._writableState.finished;
 | |
|       var onfinish = function onfinish2() {
 | |
|         writable = false;
 | |
|         writableEnded = true;
 | |
|         if (!readable)
 | |
|           callback.call(stream);
 | |
|       };
 | |
|       var readableEnded = stream._readableState && stream._readableState.endEmitted;
 | |
|       var onend = function onend2() {
 | |
|         readable = false;
 | |
|         readableEnded = true;
 | |
|         if (!writable)
 | |
|           callback.call(stream);
 | |
|       };
 | |
|       var onerror = function onerror2(err) {
 | |
|         callback.call(stream, err);
 | |
|       };
 | |
|       var onclose = function onclose2() {
 | |
|         var err;
 | |
|         if (readable && !readableEnded) {
 | |
|           if (!stream._readableState || !stream._readableState.ended)
 | |
|             err = new ERR_STREAM_PREMATURE_CLOSE();
 | |
|           return callback.call(stream, err);
 | |
|         }
 | |
|         if (writable && !writableEnded) {
 | |
|           if (!stream._writableState || !stream._writableState.ended)
 | |
|             err = new ERR_STREAM_PREMATURE_CLOSE();
 | |
|           return callback.call(stream, err);
 | |
|         }
 | |
|       };
 | |
|       var onrequest = function onrequest2() {
 | |
|         stream.req.on("finish", onfinish);
 | |
|       };
 | |
|       if (isRequest(stream)) {
 | |
|         stream.on("complete", onfinish);
 | |
|         stream.on("abort", onclose);
 | |
|         if (stream.req)
 | |
|           onrequest();
 | |
|         else
 | |
|           stream.on("request", onrequest);
 | |
|       } else if (writable && !stream._writableState) {
 | |
|         stream.on("end", onlegacyfinish);
 | |
|         stream.on("close", onlegacyfinish);
 | |
|       }
 | |
|       stream.on("end", onend);
 | |
|       stream.on("finish", onfinish);
 | |
|       if (opts.error !== false)
 | |
|         stream.on("error", onerror);
 | |
|       stream.on("close", onclose);
 | |
|       return function() {
 | |
|         stream.removeListener("complete", onfinish);
 | |
|         stream.removeListener("abort", onclose);
 | |
|         stream.removeListener("request", onrequest);
 | |
|         if (stream.req)
 | |
|           stream.req.removeListener("finish", onfinish);
 | |
|         stream.removeListener("end", onlegacyfinish);
 | |
|         stream.removeListener("close", onlegacyfinish);
 | |
|         stream.removeListener("finish", onfinish);
 | |
|         stream.removeListener("end", onend);
 | |
|         stream.removeListener("error", onerror);
 | |
|         stream.removeListener("close", onclose);
 | |
|       };
 | |
|     }
 | |
|     module2.exports = eos;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/async_iterator.js
 | |
| var require_async_iterator = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/async_iterator.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var _Object$setPrototypeO;
 | |
|     function _defineProperty(obj, key, value) {
 | |
|       key = _toPropertyKey(key);
 | |
|       if (key in obj) {
 | |
|         Object.defineProperty(obj, key, { value, enumerable: true, configurable: true, writable: true });
 | |
|       } else {
 | |
|         obj[key] = value;
 | |
|       }
 | |
|       return obj;
 | |
|     }
 | |
|     function _toPropertyKey(arg) {
 | |
|       var key = _toPrimitive(arg, "string");
 | |
|       return typeof key === "symbol" ? key : String(key);
 | |
|     }
 | |
|     function _toPrimitive(input, hint) {
 | |
|       if (typeof input !== "object" || input === null)
 | |
|         return input;
 | |
|       var prim = input[Symbol.toPrimitive];
 | |
|       if (prim !== void 0) {
 | |
|         var res = prim.call(input, hint || "default");
 | |
|         if (typeof res !== "object")
 | |
|           return res;
 | |
|         throw new TypeError("@@toPrimitive must return a primitive value.");
 | |
|       }
 | |
|       return (hint === "string" ? String : Number)(input);
 | |
|     }
 | |
|     var finished = require_end_of_stream();
 | |
|     var kLastResolve = Symbol("lastResolve");
 | |
|     var kLastReject = Symbol("lastReject");
 | |
|     var kError = Symbol("error");
 | |
|     var kEnded = Symbol("ended");
 | |
|     var kLastPromise = Symbol("lastPromise");
 | |
|     var kHandlePromise = Symbol("handlePromise");
 | |
|     var kStream = Symbol("stream");
 | |
|     function createIterResult(value, done) {
 | |
|       return {
 | |
|         value,
 | |
|         done
 | |
|       };
 | |
|     }
 | |
|     function readAndResolve(iter) {
 | |
|       var resolve = iter[kLastResolve];
 | |
|       if (resolve !== null) {
 | |
|         var data = iter[kStream].read();
 | |
|         if (data !== null) {
 | |
|           iter[kLastPromise] = null;
 | |
|           iter[kLastResolve] = null;
 | |
|           iter[kLastReject] = null;
 | |
|           resolve(createIterResult(data, false));
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function onReadable(iter) {
 | |
|       process.nextTick(readAndResolve, iter);
 | |
|     }
 | |
|     function wrapForNext(lastPromise, iter) {
 | |
|       return function(resolve, reject) {
 | |
|         lastPromise.then(function() {
 | |
|           if (iter[kEnded]) {
 | |
|             resolve(createIterResult(void 0, true));
 | |
|             return;
 | |
|           }
 | |
|           iter[kHandlePromise](resolve, reject);
 | |
|         }, reject);
 | |
|       };
 | |
|     }
 | |
|     var AsyncIteratorPrototype = Object.getPrototypeOf(function() {
 | |
|     });
 | |
|     var ReadableStreamAsyncIteratorPrototype = Object.setPrototypeOf((_Object$setPrototypeO = {
 | |
|       get stream() {
 | |
|         return this[kStream];
 | |
|       },
 | |
|       next: function next() {
 | |
|         var _this = this;
 | |
|         var error = this[kError];
 | |
|         if (error !== null) {
 | |
|           return Promise.reject(error);
 | |
|         }
 | |
|         if (this[kEnded]) {
 | |
|           return Promise.resolve(createIterResult(void 0, true));
 | |
|         }
 | |
|         if (this[kStream].destroyed) {
 | |
|           return new Promise(function(resolve, reject) {
 | |
|             process.nextTick(function() {
 | |
|               if (_this[kError]) {
 | |
|                 reject(_this[kError]);
 | |
|               } else {
 | |
|                 resolve(createIterResult(void 0, true));
 | |
|               }
 | |
|             });
 | |
|           });
 | |
|         }
 | |
|         var lastPromise = this[kLastPromise];
 | |
|         var promise;
 | |
|         if (lastPromise) {
 | |
|           promise = new Promise(wrapForNext(lastPromise, this));
 | |
|         } else {
 | |
|           var data = this[kStream].read();
 | |
|           if (data !== null) {
 | |
|             return Promise.resolve(createIterResult(data, false));
 | |
|           }
 | |
|           promise = new Promise(this[kHandlePromise]);
 | |
|         }
 | |
|         this[kLastPromise] = promise;
 | |
|         return promise;
 | |
|       }
 | |
|     }, _defineProperty(_Object$setPrototypeO, Symbol.asyncIterator, function() {
 | |
|       return this;
 | |
|     }), _defineProperty(_Object$setPrototypeO, "return", function _return() {
 | |
|       var _this2 = this;
 | |
|       return new Promise(function(resolve, reject) {
 | |
|         _this2[kStream].destroy(null, function(err) {
 | |
|           if (err) {
 | |
|             reject(err);
 | |
|             return;
 | |
|           }
 | |
|           resolve(createIterResult(void 0, true));
 | |
|         });
 | |
|       });
 | |
|     }), _Object$setPrototypeO), AsyncIteratorPrototype);
 | |
|     var createReadableStreamAsyncIterator = function createReadableStreamAsyncIterator2(stream) {
 | |
|       var _Object$create;
 | |
|       var iterator = Object.create(ReadableStreamAsyncIteratorPrototype, (_Object$create = {}, _defineProperty(_Object$create, kStream, {
 | |
|         value: stream,
 | |
|         writable: true
 | |
|       }), _defineProperty(_Object$create, kLastResolve, {
 | |
|         value: null,
 | |
|         writable: true
 | |
|       }), _defineProperty(_Object$create, kLastReject, {
 | |
|         value: null,
 | |
|         writable: true
 | |
|       }), _defineProperty(_Object$create, kError, {
 | |
|         value: null,
 | |
|         writable: true
 | |
|       }), _defineProperty(_Object$create, kEnded, {
 | |
|         value: stream._readableState.endEmitted,
 | |
|         writable: true
 | |
|       }), _defineProperty(_Object$create, kHandlePromise, {
 | |
|         value: function value(resolve, reject) {
 | |
|           var data = iterator[kStream].read();
 | |
|           if (data) {
 | |
|             iterator[kLastPromise] = null;
 | |
|             iterator[kLastResolve] = null;
 | |
|             iterator[kLastReject] = null;
 | |
|             resolve(createIterResult(data, false));
 | |
|           } else {
 | |
|             iterator[kLastResolve] = resolve;
 | |
|             iterator[kLastReject] = reject;
 | |
|           }
 | |
|         },
 | |
|         writable: true
 | |
|       }), _Object$create));
 | |
|       iterator[kLastPromise] = null;
 | |
|       finished(stream, function(err) {
 | |
|         if (err && err.code !== "ERR_STREAM_PREMATURE_CLOSE") {
 | |
|           var reject = iterator[kLastReject];
 | |
|           if (reject !== null) {
 | |
|             iterator[kLastPromise] = null;
 | |
|             iterator[kLastResolve] = null;
 | |
|             iterator[kLastReject] = null;
 | |
|             reject(err);
 | |
|           }
 | |
|           iterator[kError] = err;
 | |
|           return;
 | |
|         }
 | |
|         var resolve = iterator[kLastResolve];
 | |
|         if (resolve !== null) {
 | |
|           iterator[kLastPromise] = null;
 | |
|           iterator[kLastResolve] = null;
 | |
|           iterator[kLastReject] = null;
 | |
|           resolve(createIterResult(void 0, true));
 | |
|         }
 | |
|         iterator[kEnded] = true;
 | |
|       });
 | |
|       stream.on("readable", onReadable.bind(null, iterator));
 | |
|       return iterator;
 | |
|     };
 | |
|     module2.exports = createReadableStreamAsyncIterator;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/from.js
 | |
| var require_from = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/from.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     function asyncGeneratorStep(gen, resolve, reject, _next, _throw, key, arg) {
 | |
|       try {
 | |
|         var info = gen[key](arg);
 | |
|         var value = info.value;
 | |
|       } catch (error) {
 | |
|         reject(error);
 | |
|         return;
 | |
|       }
 | |
|       if (info.done) {
 | |
|         resolve(value);
 | |
|       } else {
 | |
|         Promise.resolve(value).then(_next, _throw);
 | |
|       }
 | |
|     }
 | |
|     function _asyncToGenerator(fn) {
 | |
|       return function() {
 | |
|         var self2 = this, args = arguments;
 | |
|         return new Promise(function(resolve, reject) {
 | |
|           var gen = fn.apply(self2, args);
 | |
|           function _next(value) {
 | |
|             asyncGeneratorStep(gen, resolve, reject, _next, _throw, "next", value);
 | |
|           }
 | |
|           function _throw(err) {
 | |
|             asyncGeneratorStep(gen, resolve, reject, _next, _throw, "throw", err);
 | |
|           }
 | |
|           _next(void 0);
 | |
|         });
 | |
|       };
 | |
|     }
 | |
|     function ownKeys(object, enumerableOnly) {
 | |
|       var keys = Object.keys(object);
 | |
|       if (Object.getOwnPropertySymbols) {
 | |
|         var symbols = Object.getOwnPropertySymbols(object);
 | |
|         enumerableOnly && (symbols = symbols.filter(function(sym) {
 | |
|           return Object.getOwnPropertyDescriptor(object, sym).enumerable;
 | |
|         })), keys.push.apply(keys, symbols);
 | |
|       }
 | |
|       return keys;
 | |
|     }
 | |
|     function _objectSpread(target) {
 | |
|       for (var i = 1; i < arguments.length; i++) {
 | |
|         var source = null != arguments[i] ? arguments[i] : {};
 | |
|         i % 2 ? ownKeys(Object(source), true).forEach(function(key) {
 | |
|           _defineProperty(target, key, source[key]);
 | |
|         }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function(key) {
 | |
|           Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key));
 | |
|         });
 | |
|       }
 | |
|       return target;
 | |
|     }
 | |
|     function _defineProperty(obj, key, value) {
 | |
|       key = _toPropertyKey(key);
 | |
|       if (key in obj) {
 | |
|         Object.defineProperty(obj, key, { value, enumerable: true, configurable: true, writable: true });
 | |
|       } else {
 | |
|         obj[key] = value;
 | |
|       }
 | |
|       return obj;
 | |
|     }
 | |
|     function _toPropertyKey(arg) {
 | |
|       var key = _toPrimitive(arg, "string");
 | |
|       return typeof key === "symbol" ? key : String(key);
 | |
|     }
 | |
|     function _toPrimitive(input, hint) {
 | |
|       if (typeof input !== "object" || input === null)
 | |
|         return input;
 | |
|       var prim = input[Symbol.toPrimitive];
 | |
|       if (prim !== void 0) {
 | |
|         var res = prim.call(input, hint || "default");
 | |
|         if (typeof res !== "object")
 | |
|           return res;
 | |
|         throw new TypeError("@@toPrimitive must return a primitive value.");
 | |
|       }
 | |
|       return (hint === "string" ? String : Number)(input);
 | |
|     }
 | |
|     var ERR_INVALID_ARG_TYPE = require_errors().codes.ERR_INVALID_ARG_TYPE;
 | |
|     function from(Readable, iterable, opts) {
 | |
|       var iterator;
 | |
|       if (iterable && typeof iterable.next === "function") {
 | |
|         iterator = iterable;
 | |
|       } else if (iterable && iterable[Symbol.asyncIterator])
 | |
|         iterator = iterable[Symbol.asyncIterator]();
 | |
|       else if (iterable && iterable[Symbol.iterator])
 | |
|         iterator = iterable[Symbol.iterator]();
 | |
|       else
 | |
|         throw new ERR_INVALID_ARG_TYPE("iterable", ["Iterable"], iterable);
 | |
|       var readable = new Readable(_objectSpread({
 | |
|         objectMode: true
 | |
|       }, opts));
 | |
|       var reading = false;
 | |
|       readable._read = function() {
 | |
|         if (!reading) {
 | |
|           reading = true;
 | |
|           next();
 | |
|         }
 | |
|       };
 | |
|       function next() {
 | |
|         return _next2.apply(this, arguments);
 | |
|       }
 | |
|       function _next2() {
 | |
|         _next2 = _asyncToGenerator(function* () {
 | |
|           try {
 | |
|             var _yield$iterator$next = yield iterator.next(), value = _yield$iterator$next.value, done = _yield$iterator$next.done;
 | |
|             if (done) {
 | |
|               readable.push(null);
 | |
|             } else if (readable.push(yield value)) {
 | |
|               next();
 | |
|             } else {
 | |
|               reading = false;
 | |
|             }
 | |
|           } catch (err) {
 | |
|             readable.destroy(err);
 | |
|           }
 | |
|         });
 | |
|         return _next2.apply(this, arguments);
 | |
|       }
 | |
|       return readable;
 | |
|     }
 | |
|     module2.exports = from;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_readable.js
 | |
| var require_stream_readable = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_readable.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = Readable;
 | |
|     var Duplex;
 | |
|     Readable.ReadableState = ReadableState;
 | |
|     var EE = require("events").EventEmitter;
 | |
|     var EElistenerCount = function EElistenerCount2(emitter, type) {
 | |
|       return emitter.listeners(type).length;
 | |
|     };
 | |
|     var Stream = require_stream();
 | |
|     var Buffer2 = require("buffer").Buffer;
 | |
|     var OurUint8Array = (typeof global !== "undefined" ? global : typeof window !== "undefined" ? window : typeof self !== "undefined" ? self : {}).Uint8Array || function() {
 | |
|     };
 | |
|     function _uint8ArrayToBuffer(chunk) {
 | |
|       return Buffer2.from(chunk);
 | |
|     }
 | |
|     function _isUint8Array(obj) {
 | |
|       return Buffer2.isBuffer(obj) || obj instanceof OurUint8Array;
 | |
|     }
 | |
|     var debugUtil = require("util");
 | |
|     var debug;
 | |
|     if (debugUtil && debugUtil.debuglog) {
 | |
|       debug = debugUtil.debuglog("stream");
 | |
|     } else {
 | |
|       debug = function debug2() {
 | |
|       };
 | |
|     }
 | |
|     var BufferList = require_buffer_list();
 | |
|     var destroyImpl = require_destroy();
 | |
|     var _require = require_state();
 | |
|     var getHighWaterMark = _require.getHighWaterMark;
 | |
|     var _require$codes = require_errors().codes;
 | |
|     var ERR_INVALID_ARG_TYPE = _require$codes.ERR_INVALID_ARG_TYPE;
 | |
|     var ERR_STREAM_PUSH_AFTER_EOF = _require$codes.ERR_STREAM_PUSH_AFTER_EOF;
 | |
|     var ERR_METHOD_NOT_IMPLEMENTED = _require$codes.ERR_METHOD_NOT_IMPLEMENTED;
 | |
|     var ERR_STREAM_UNSHIFT_AFTER_END_EVENT = _require$codes.ERR_STREAM_UNSHIFT_AFTER_END_EVENT;
 | |
|     var StringDecoder;
 | |
|     var createReadableStreamAsyncIterator;
 | |
|     var from;
 | |
|     require_inherits()(Readable, Stream);
 | |
|     var errorOrDestroy = destroyImpl.errorOrDestroy;
 | |
|     var kProxyEvents = ["error", "close", "destroy", "pause", "resume"];
 | |
|     function prependListener(emitter, event, fn) {
 | |
|       if (typeof emitter.prependListener === "function")
 | |
|         return emitter.prependListener(event, fn);
 | |
|       if (!emitter._events || !emitter._events[event])
 | |
|         emitter.on(event, fn);
 | |
|       else if (Array.isArray(emitter._events[event]))
 | |
|         emitter._events[event].unshift(fn);
 | |
|       else
 | |
|         emitter._events[event] = [fn, emitter._events[event]];
 | |
|     }
 | |
|     function ReadableState(options, stream, isDuplex) {
 | |
|       Duplex = Duplex || require_stream_duplex();
 | |
|       options = options || {};
 | |
|       if (typeof isDuplex !== "boolean")
 | |
|         isDuplex = stream instanceof Duplex;
 | |
|       this.objectMode = !!options.objectMode;
 | |
|       if (isDuplex)
 | |
|         this.objectMode = this.objectMode || !!options.readableObjectMode;
 | |
|       this.highWaterMark = getHighWaterMark(this, options, "readableHighWaterMark", isDuplex);
 | |
|       this.buffer = new BufferList();
 | |
|       this.length = 0;
 | |
|       this.pipes = null;
 | |
|       this.pipesCount = 0;
 | |
|       this.flowing = null;
 | |
|       this.ended = false;
 | |
|       this.endEmitted = false;
 | |
|       this.reading = false;
 | |
|       this.sync = true;
 | |
|       this.needReadable = false;
 | |
|       this.emittedReadable = false;
 | |
|       this.readableListening = false;
 | |
|       this.resumeScheduled = false;
 | |
|       this.paused = true;
 | |
|       this.emitClose = options.emitClose !== false;
 | |
|       this.autoDestroy = !!options.autoDestroy;
 | |
|       this.destroyed = false;
 | |
|       this.defaultEncoding = options.defaultEncoding || "utf8";
 | |
|       this.awaitDrain = 0;
 | |
|       this.readingMore = false;
 | |
|       this.decoder = null;
 | |
|       this.encoding = null;
 | |
|       if (options.encoding) {
 | |
|         if (!StringDecoder)
 | |
|           StringDecoder = require_string_decoder().StringDecoder;
 | |
|         this.decoder = new StringDecoder(options.encoding);
 | |
|         this.encoding = options.encoding;
 | |
|       }
 | |
|     }
 | |
|     function Readable(options) {
 | |
|       Duplex = Duplex || require_stream_duplex();
 | |
|       if (!(this instanceof Readable))
 | |
|         return new Readable(options);
 | |
|       var isDuplex = this instanceof Duplex;
 | |
|       this._readableState = new ReadableState(options, this, isDuplex);
 | |
|       this.readable = true;
 | |
|       if (options) {
 | |
|         if (typeof options.read === "function")
 | |
|           this._read = options.read;
 | |
|         if (typeof options.destroy === "function")
 | |
|           this._destroy = options.destroy;
 | |
|       }
 | |
|       Stream.call(this);
 | |
|     }
 | |
|     Object.defineProperty(Readable.prototype, "destroyed", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         if (this._readableState === void 0) {
 | |
|           return false;
 | |
|         }
 | |
|         return this._readableState.destroyed;
 | |
|       },
 | |
|       set: function set(value) {
 | |
|         if (!this._readableState) {
 | |
|           return;
 | |
|         }
 | |
|         this._readableState.destroyed = value;
 | |
|       }
 | |
|     });
 | |
|     Readable.prototype.destroy = destroyImpl.destroy;
 | |
|     Readable.prototype._undestroy = destroyImpl.undestroy;
 | |
|     Readable.prototype._destroy = function(err, cb) {
 | |
|       cb(err);
 | |
|     };
 | |
|     Readable.prototype.push = function(chunk, encoding) {
 | |
|       var state = this._readableState;
 | |
|       var skipChunkCheck;
 | |
|       if (!state.objectMode) {
 | |
|         if (typeof chunk === "string") {
 | |
|           encoding = encoding || state.defaultEncoding;
 | |
|           if (encoding !== state.encoding) {
 | |
|             chunk = Buffer2.from(chunk, encoding);
 | |
|             encoding = "";
 | |
|           }
 | |
|           skipChunkCheck = true;
 | |
|         }
 | |
|       } else {
 | |
|         skipChunkCheck = true;
 | |
|       }
 | |
|       return readableAddChunk(this, chunk, encoding, false, skipChunkCheck);
 | |
|     };
 | |
|     Readable.prototype.unshift = function(chunk) {
 | |
|       return readableAddChunk(this, chunk, null, true, false);
 | |
|     };
 | |
|     function readableAddChunk(stream, chunk, encoding, addToFront, skipChunkCheck) {
 | |
|       debug("readableAddChunk", chunk);
 | |
|       var state = stream._readableState;
 | |
|       if (chunk === null) {
 | |
|         state.reading = false;
 | |
|         onEofChunk(stream, state);
 | |
|       } else {
 | |
|         var er;
 | |
|         if (!skipChunkCheck)
 | |
|           er = chunkInvalid(state, chunk);
 | |
|         if (er) {
 | |
|           errorOrDestroy(stream, er);
 | |
|         } else if (state.objectMode || chunk && chunk.length > 0) {
 | |
|           if (typeof chunk !== "string" && !state.objectMode && Object.getPrototypeOf(chunk) !== Buffer2.prototype) {
 | |
|             chunk = _uint8ArrayToBuffer(chunk);
 | |
|           }
 | |
|           if (addToFront) {
 | |
|             if (state.endEmitted)
 | |
|               errorOrDestroy(stream, new ERR_STREAM_UNSHIFT_AFTER_END_EVENT());
 | |
|             else
 | |
|               addChunk(stream, state, chunk, true);
 | |
|           } else if (state.ended) {
 | |
|             errorOrDestroy(stream, new ERR_STREAM_PUSH_AFTER_EOF());
 | |
|           } else if (state.destroyed) {
 | |
|             return false;
 | |
|           } else {
 | |
|             state.reading = false;
 | |
|             if (state.decoder && !encoding) {
 | |
|               chunk = state.decoder.write(chunk);
 | |
|               if (state.objectMode || chunk.length !== 0)
 | |
|                 addChunk(stream, state, chunk, false);
 | |
|               else
 | |
|                 maybeReadMore(stream, state);
 | |
|             } else {
 | |
|               addChunk(stream, state, chunk, false);
 | |
|             }
 | |
|           }
 | |
|         } else if (!addToFront) {
 | |
|           state.reading = false;
 | |
|           maybeReadMore(stream, state);
 | |
|         }
 | |
|       }
 | |
|       return !state.ended && (state.length < state.highWaterMark || state.length === 0);
 | |
|     }
 | |
|     function addChunk(stream, state, chunk, addToFront) {
 | |
|       if (state.flowing && state.length === 0 && !state.sync) {
 | |
|         state.awaitDrain = 0;
 | |
|         stream.emit("data", chunk);
 | |
|       } else {
 | |
|         state.length += state.objectMode ? 1 : chunk.length;
 | |
|         if (addToFront)
 | |
|           state.buffer.unshift(chunk);
 | |
|         else
 | |
|           state.buffer.push(chunk);
 | |
|         if (state.needReadable)
 | |
|           emitReadable(stream);
 | |
|       }
 | |
|       maybeReadMore(stream, state);
 | |
|     }
 | |
|     function chunkInvalid(state, chunk) {
 | |
|       var er;
 | |
|       if (!_isUint8Array(chunk) && typeof chunk !== "string" && chunk !== void 0 && !state.objectMode) {
 | |
|         er = new ERR_INVALID_ARG_TYPE("chunk", ["string", "Buffer", "Uint8Array"], chunk);
 | |
|       }
 | |
|       return er;
 | |
|     }
 | |
|     Readable.prototype.isPaused = function() {
 | |
|       return this._readableState.flowing === false;
 | |
|     };
 | |
|     Readable.prototype.setEncoding = function(enc) {
 | |
|       if (!StringDecoder)
 | |
|         StringDecoder = require_string_decoder().StringDecoder;
 | |
|       var decoder = new StringDecoder(enc);
 | |
|       this._readableState.decoder = decoder;
 | |
|       this._readableState.encoding = this._readableState.decoder.encoding;
 | |
|       var p = this._readableState.buffer.head;
 | |
|       var content = "";
 | |
|       while (p !== null) {
 | |
|         content += decoder.write(p.data);
 | |
|         p = p.next;
 | |
|       }
 | |
|       this._readableState.buffer.clear();
 | |
|       if (content !== "")
 | |
|         this._readableState.buffer.push(content);
 | |
|       this._readableState.length = content.length;
 | |
|       return this;
 | |
|     };
 | |
|     var MAX_HWM = 1073741824;
 | |
|     function computeNewHighWaterMark(n) {
 | |
|       if (n >= MAX_HWM) {
 | |
|         n = MAX_HWM;
 | |
|       } else {
 | |
|         n--;
 | |
|         n |= n >>> 1;
 | |
|         n |= n >>> 2;
 | |
|         n |= n >>> 4;
 | |
|         n |= n >>> 8;
 | |
|         n |= n >>> 16;
 | |
|         n++;
 | |
|       }
 | |
|       return n;
 | |
|     }
 | |
|     function howMuchToRead(n, state) {
 | |
|       if (n <= 0 || state.length === 0 && state.ended)
 | |
|         return 0;
 | |
|       if (state.objectMode)
 | |
|         return 1;
 | |
|       if (n !== n) {
 | |
|         if (state.flowing && state.length)
 | |
|           return state.buffer.head.data.length;
 | |
|         else
 | |
|           return state.length;
 | |
|       }
 | |
|       if (n > state.highWaterMark)
 | |
|         state.highWaterMark = computeNewHighWaterMark(n);
 | |
|       if (n <= state.length)
 | |
|         return n;
 | |
|       if (!state.ended) {
 | |
|         state.needReadable = true;
 | |
|         return 0;
 | |
|       }
 | |
|       return state.length;
 | |
|     }
 | |
|     Readable.prototype.read = function(n) {
 | |
|       debug("read", n);
 | |
|       n = parseInt(n, 10);
 | |
|       var state = this._readableState;
 | |
|       var nOrig = n;
 | |
|       if (n !== 0)
 | |
|         state.emittedReadable = false;
 | |
|       if (n === 0 && state.needReadable && ((state.highWaterMark !== 0 ? state.length >= state.highWaterMark : state.length > 0) || state.ended)) {
 | |
|         debug("read: emitReadable", state.length, state.ended);
 | |
|         if (state.length === 0 && state.ended)
 | |
|           endReadable(this);
 | |
|         else
 | |
|           emitReadable(this);
 | |
|         return null;
 | |
|       }
 | |
|       n = howMuchToRead(n, state);
 | |
|       if (n === 0 && state.ended) {
 | |
|         if (state.length === 0)
 | |
|           endReadable(this);
 | |
|         return null;
 | |
|       }
 | |
|       var doRead = state.needReadable;
 | |
|       debug("need readable", doRead);
 | |
|       if (state.length === 0 || state.length - n < state.highWaterMark) {
 | |
|         doRead = true;
 | |
|         debug("length less than watermark", doRead);
 | |
|       }
 | |
|       if (state.ended || state.reading) {
 | |
|         doRead = false;
 | |
|         debug("reading or ended", doRead);
 | |
|       } else if (doRead) {
 | |
|         debug("do read");
 | |
|         state.reading = true;
 | |
|         state.sync = true;
 | |
|         if (state.length === 0)
 | |
|           state.needReadable = true;
 | |
|         this._read(state.highWaterMark);
 | |
|         state.sync = false;
 | |
|         if (!state.reading)
 | |
|           n = howMuchToRead(nOrig, state);
 | |
|       }
 | |
|       var ret;
 | |
|       if (n > 0)
 | |
|         ret = fromList(n, state);
 | |
|       else
 | |
|         ret = null;
 | |
|       if (ret === null) {
 | |
|         state.needReadable = state.length <= state.highWaterMark;
 | |
|         n = 0;
 | |
|       } else {
 | |
|         state.length -= n;
 | |
|         state.awaitDrain = 0;
 | |
|       }
 | |
|       if (state.length === 0) {
 | |
|         if (!state.ended)
 | |
|           state.needReadable = true;
 | |
|         if (nOrig !== n && state.ended)
 | |
|           endReadable(this);
 | |
|       }
 | |
|       if (ret !== null)
 | |
|         this.emit("data", ret);
 | |
|       return ret;
 | |
|     };
 | |
|     function onEofChunk(stream, state) {
 | |
|       debug("onEofChunk");
 | |
|       if (state.ended)
 | |
|         return;
 | |
|       if (state.decoder) {
 | |
|         var chunk = state.decoder.end();
 | |
|         if (chunk && chunk.length) {
 | |
|           state.buffer.push(chunk);
 | |
|           state.length += state.objectMode ? 1 : chunk.length;
 | |
|         }
 | |
|       }
 | |
|       state.ended = true;
 | |
|       if (state.sync) {
 | |
|         emitReadable(stream);
 | |
|       } else {
 | |
|         state.needReadable = false;
 | |
|         if (!state.emittedReadable) {
 | |
|           state.emittedReadable = true;
 | |
|           emitReadable_(stream);
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function emitReadable(stream) {
 | |
|       var state = stream._readableState;
 | |
|       debug("emitReadable", state.needReadable, state.emittedReadable);
 | |
|       state.needReadable = false;
 | |
|       if (!state.emittedReadable) {
 | |
|         debug("emitReadable", state.flowing);
 | |
|         state.emittedReadable = true;
 | |
|         process.nextTick(emitReadable_, stream);
 | |
|       }
 | |
|     }
 | |
|     function emitReadable_(stream) {
 | |
|       var state = stream._readableState;
 | |
|       debug("emitReadable_", state.destroyed, state.length, state.ended);
 | |
|       if (!state.destroyed && (state.length || state.ended)) {
 | |
|         stream.emit("readable");
 | |
|         state.emittedReadable = false;
 | |
|       }
 | |
|       state.needReadable = !state.flowing && !state.ended && state.length <= state.highWaterMark;
 | |
|       flow(stream);
 | |
|     }
 | |
|     function maybeReadMore(stream, state) {
 | |
|       if (!state.readingMore) {
 | |
|         state.readingMore = true;
 | |
|         process.nextTick(maybeReadMore_, stream, state);
 | |
|       }
 | |
|     }
 | |
|     function maybeReadMore_(stream, state) {
 | |
|       while (!state.reading && !state.ended && (state.length < state.highWaterMark || state.flowing && state.length === 0)) {
 | |
|         var len = state.length;
 | |
|         debug("maybeReadMore read 0");
 | |
|         stream.read(0);
 | |
|         if (len === state.length)
 | |
|           break;
 | |
|       }
 | |
|       state.readingMore = false;
 | |
|     }
 | |
|     Readable.prototype._read = function(n) {
 | |
|       errorOrDestroy(this, new ERR_METHOD_NOT_IMPLEMENTED("_read()"));
 | |
|     };
 | |
|     Readable.prototype.pipe = function(dest, pipeOpts) {
 | |
|       var src = this;
 | |
|       var state = this._readableState;
 | |
|       switch (state.pipesCount) {
 | |
|         case 0:
 | |
|           state.pipes = dest;
 | |
|           break;
 | |
|         case 1:
 | |
|           state.pipes = [state.pipes, dest];
 | |
|           break;
 | |
|         default:
 | |
|           state.pipes.push(dest);
 | |
|           break;
 | |
|       }
 | |
|       state.pipesCount += 1;
 | |
|       debug("pipe count=%d opts=%j", state.pipesCount, pipeOpts);
 | |
|       var doEnd = (!pipeOpts || pipeOpts.end !== false) && dest !== process.stdout && dest !== process.stderr;
 | |
|       var endFn = doEnd ? onend : unpipe;
 | |
|       if (state.endEmitted)
 | |
|         process.nextTick(endFn);
 | |
|       else
 | |
|         src.once("end", endFn);
 | |
|       dest.on("unpipe", onunpipe);
 | |
|       function onunpipe(readable, unpipeInfo) {
 | |
|         debug("onunpipe");
 | |
|         if (readable === src) {
 | |
|           if (unpipeInfo && unpipeInfo.hasUnpiped === false) {
 | |
|             unpipeInfo.hasUnpiped = true;
 | |
|             cleanup();
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       function onend() {
 | |
|         debug("onend");
 | |
|         dest.end();
 | |
|       }
 | |
|       var ondrain = pipeOnDrain(src);
 | |
|       dest.on("drain", ondrain);
 | |
|       var cleanedUp = false;
 | |
|       function cleanup() {
 | |
|         debug("cleanup");
 | |
|         dest.removeListener("close", onclose);
 | |
|         dest.removeListener("finish", onfinish);
 | |
|         dest.removeListener("drain", ondrain);
 | |
|         dest.removeListener("error", onerror);
 | |
|         dest.removeListener("unpipe", onunpipe);
 | |
|         src.removeListener("end", onend);
 | |
|         src.removeListener("end", unpipe);
 | |
|         src.removeListener("data", ondata);
 | |
|         cleanedUp = true;
 | |
|         if (state.awaitDrain && (!dest._writableState || dest._writableState.needDrain))
 | |
|           ondrain();
 | |
|       }
 | |
|       src.on("data", ondata);
 | |
|       function ondata(chunk) {
 | |
|         debug("ondata");
 | |
|         var ret = dest.write(chunk);
 | |
|         debug("dest.write", ret);
 | |
|         if (ret === false) {
 | |
|           if ((state.pipesCount === 1 && state.pipes === dest || state.pipesCount > 1 && indexOf(state.pipes, dest) !== -1) && !cleanedUp) {
 | |
|             debug("false write response, pause", state.awaitDrain);
 | |
|             state.awaitDrain++;
 | |
|           }
 | |
|           src.pause();
 | |
|         }
 | |
|       }
 | |
|       function onerror(er) {
 | |
|         debug("onerror", er);
 | |
|         unpipe();
 | |
|         dest.removeListener("error", onerror);
 | |
|         if (EElistenerCount(dest, "error") === 0)
 | |
|           errorOrDestroy(dest, er);
 | |
|       }
 | |
|       prependListener(dest, "error", onerror);
 | |
|       function onclose() {
 | |
|         dest.removeListener("finish", onfinish);
 | |
|         unpipe();
 | |
|       }
 | |
|       dest.once("close", onclose);
 | |
|       function onfinish() {
 | |
|         debug("onfinish");
 | |
|         dest.removeListener("close", onclose);
 | |
|         unpipe();
 | |
|       }
 | |
|       dest.once("finish", onfinish);
 | |
|       function unpipe() {
 | |
|         debug("unpipe");
 | |
|         src.unpipe(dest);
 | |
|       }
 | |
|       dest.emit("pipe", src);
 | |
|       if (!state.flowing) {
 | |
|         debug("pipe resume");
 | |
|         src.resume();
 | |
|       }
 | |
|       return dest;
 | |
|     };
 | |
|     function pipeOnDrain(src) {
 | |
|       return function pipeOnDrainFunctionResult() {
 | |
|         var state = src._readableState;
 | |
|         debug("pipeOnDrain", state.awaitDrain);
 | |
|         if (state.awaitDrain)
 | |
|           state.awaitDrain--;
 | |
|         if (state.awaitDrain === 0 && EElistenerCount(src, "data")) {
 | |
|           state.flowing = true;
 | |
|           flow(src);
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     Readable.prototype.unpipe = function(dest) {
 | |
|       var state = this._readableState;
 | |
|       var unpipeInfo = {
 | |
|         hasUnpiped: false
 | |
|       };
 | |
|       if (state.pipesCount === 0)
 | |
|         return this;
 | |
|       if (state.pipesCount === 1) {
 | |
|         if (dest && dest !== state.pipes)
 | |
|           return this;
 | |
|         if (!dest)
 | |
|           dest = state.pipes;
 | |
|         state.pipes = null;
 | |
|         state.pipesCount = 0;
 | |
|         state.flowing = false;
 | |
|         if (dest)
 | |
|           dest.emit("unpipe", this, unpipeInfo);
 | |
|         return this;
 | |
|       }
 | |
|       if (!dest) {
 | |
|         var dests = state.pipes;
 | |
|         var len = state.pipesCount;
 | |
|         state.pipes = null;
 | |
|         state.pipesCount = 0;
 | |
|         state.flowing = false;
 | |
|         for (var i = 0; i < len; i++)
 | |
|           dests[i].emit("unpipe", this, {
 | |
|             hasUnpiped: false
 | |
|           });
 | |
|         return this;
 | |
|       }
 | |
|       var index = indexOf(state.pipes, dest);
 | |
|       if (index === -1)
 | |
|         return this;
 | |
|       state.pipes.splice(index, 1);
 | |
|       state.pipesCount -= 1;
 | |
|       if (state.pipesCount === 1)
 | |
|         state.pipes = state.pipes[0];
 | |
|       dest.emit("unpipe", this, unpipeInfo);
 | |
|       return this;
 | |
|     };
 | |
|     Readable.prototype.on = function(ev, fn) {
 | |
|       var res = Stream.prototype.on.call(this, ev, fn);
 | |
|       var state = this._readableState;
 | |
|       if (ev === "data") {
 | |
|         state.readableListening = this.listenerCount("readable") > 0;
 | |
|         if (state.flowing !== false)
 | |
|           this.resume();
 | |
|       } else if (ev === "readable") {
 | |
|         if (!state.endEmitted && !state.readableListening) {
 | |
|           state.readableListening = state.needReadable = true;
 | |
|           state.flowing = false;
 | |
|           state.emittedReadable = false;
 | |
|           debug("on readable", state.length, state.reading);
 | |
|           if (state.length) {
 | |
|             emitReadable(this);
 | |
|           } else if (!state.reading) {
 | |
|             process.nextTick(nReadingNextTick, this);
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return res;
 | |
|     };
 | |
|     Readable.prototype.addListener = Readable.prototype.on;
 | |
|     Readable.prototype.removeListener = function(ev, fn) {
 | |
|       var res = Stream.prototype.removeListener.call(this, ev, fn);
 | |
|       if (ev === "readable") {
 | |
|         process.nextTick(updateReadableListening, this);
 | |
|       }
 | |
|       return res;
 | |
|     };
 | |
|     Readable.prototype.removeAllListeners = function(ev) {
 | |
|       var res = Stream.prototype.removeAllListeners.apply(this, arguments);
 | |
|       if (ev === "readable" || ev === void 0) {
 | |
|         process.nextTick(updateReadableListening, this);
 | |
|       }
 | |
|       return res;
 | |
|     };
 | |
|     function updateReadableListening(self2) {
 | |
|       var state = self2._readableState;
 | |
|       state.readableListening = self2.listenerCount("readable") > 0;
 | |
|       if (state.resumeScheduled && !state.paused) {
 | |
|         state.flowing = true;
 | |
|       } else if (self2.listenerCount("data") > 0) {
 | |
|         self2.resume();
 | |
|       }
 | |
|     }
 | |
|     function nReadingNextTick(self2) {
 | |
|       debug("readable nexttick read 0");
 | |
|       self2.read(0);
 | |
|     }
 | |
|     Readable.prototype.resume = function() {
 | |
|       var state = this._readableState;
 | |
|       if (!state.flowing) {
 | |
|         debug("resume");
 | |
|         state.flowing = !state.readableListening;
 | |
|         resume(this, state);
 | |
|       }
 | |
|       state.paused = false;
 | |
|       return this;
 | |
|     };
 | |
|     function resume(stream, state) {
 | |
|       if (!state.resumeScheduled) {
 | |
|         state.resumeScheduled = true;
 | |
|         process.nextTick(resume_, stream, state);
 | |
|       }
 | |
|     }
 | |
|     function resume_(stream, state) {
 | |
|       debug("resume", state.reading);
 | |
|       if (!state.reading) {
 | |
|         stream.read(0);
 | |
|       }
 | |
|       state.resumeScheduled = false;
 | |
|       stream.emit("resume");
 | |
|       flow(stream);
 | |
|       if (state.flowing && !state.reading)
 | |
|         stream.read(0);
 | |
|     }
 | |
|     Readable.prototype.pause = function() {
 | |
|       debug("call pause flowing=%j", this._readableState.flowing);
 | |
|       if (this._readableState.flowing !== false) {
 | |
|         debug("pause");
 | |
|         this._readableState.flowing = false;
 | |
|         this.emit("pause");
 | |
|       }
 | |
|       this._readableState.paused = true;
 | |
|       return this;
 | |
|     };
 | |
|     function flow(stream) {
 | |
|       var state = stream._readableState;
 | |
|       debug("flow", state.flowing);
 | |
|       while (state.flowing && stream.read() !== null)
 | |
|         ;
 | |
|     }
 | |
|     Readable.prototype.wrap = function(stream) {
 | |
|       var _this = this;
 | |
|       var state = this._readableState;
 | |
|       var paused = false;
 | |
|       stream.on("end", function() {
 | |
|         debug("wrapped end");
 | |
|         if (state.decoder && !state.ended) {
 | |
|           var chunk = state.decoder.end();
 | |
|           if (chunk && chunk.length)
 | |
|             _this.push(chunk);
 | |
|         }
 | |
|         _this.push(null);
 | |
|       });
 | |
|       stream.on("data", function(chunk) {
 | |
|         debug("wrapped data");
 | |
|         if (state.decoder)
 | |
|           chunk = state.decoder.write(chunk);
 | |
|         if (state.objectMode && (chunk === null || chunk === void 0))
 | |
|           return;
 | |
|         else if (!state.objectMode && (!chunk || !chunk.length))
 | |
|           return;
 | |
|         var ret = _this.push(chunk);
 | |
|         if (!ret) {
 | |
|           paused = true;
 | |
|           stream.pause();
 | |
|         }
 | |
|       });
 | |
|       for (var i in stream) {
 | |
|         if (this[i] === void 0 && typeof stream[i] === "function") {
 | |
|           this[i] = function methodWrap(method) {
 | |
|             return function methodWrapReturnFunction() {
 | |
|               return stream[method].apply(stream, arguments);
 | |
|             };
 | |
|           }(i);
 | |
|         }
 | |
|       }
 | |
|       for (var n = 0; n < kProxyEvents.length; n++) {
 | |
|         stream.on(kProxyEvents[n], this.emit.bind(this, kProxyEvents[n]));
 | |
|       }
 | |
|       this._read = function(n2) {
 | |
|         debug("wrapped _read", n2);
 | |
|         if (paused) {
 | |
|           paused = false;
 | |
|           stream.resume();
 | |
|         }
 | |
|       };
 | |
|       return this;
 | |
|     };
 | |
|     if (typeof Symbol === "function") {
 | |
|       Readable.prototype[Symbol.asyncIterator] = function() {
 | |
|         if (createReadableStreamAsyncIterator === void 0) {
 | |
|           createReadableStreamAsyncIterator = require_async_iterator();
 | |
|         }
 | |
|         return createReadableStreamAsyncIterator(this);
 | |
|       };
 | |
|     }
 | |
|     Object.defineProperty(Readable.prototype, "readableHighWaterMark", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._readableState.highWaterMark;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(Readable.prototype, "readableBuffer", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._readableState && this._readableState.buffer;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(Readable.prototype, "readableFlowing", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._readableState.flowing;
 | |
|       },
 | |
|       set: function set(state) {
 | |
|         if (this._readableState) {
 | |
|           this._readableState.flowing = state;
 | |
|         }
 | |
|       }
 | |
|     });
 | |
|     Readable._fromList = fromList;
 | |
|     Object.defineProperty(Readable.prototype, "readableLength", {
 | |
|       // making it explicit this property is not enumerable
 | |
|       // because otherwise some prototype manipulation in
 | |
|       // userland will fail
 | |
|       enumerable: false,
 | |
|       get: function get() {
 | |
|         return this._readableState.length;
 | |
|       }
 | |
|     });
 | |
|     function fromList(n, state) {
 | |
|       if (state.length === 0)
 | |
|         return null;
 | |
|       var ret;
 | |
|       if (state.objectMode)
 | |
|         ret = state.buffer.shift();
 | |
|       else if (!n || n >= state.length) {
 | |
|         if (state.decoder)
 | |
|           ret = state.buffer.join("");
 | |
|         else if (state.buffer.length === 1)
 | |
|           ret = state.buffer.first();
 | |
|         else
 | |
|           ret = state.buffer.concat(state.length);
 | |
|         state.buffer.clear();
 | |
|       } else {
 | |
|         ret = state.buffer.consume(n, state.decoder);
 | |
|       }
 | |
|       return ret;
 | |
|     }
 | |
|     function endReadable(stream) {
 | |
|       var state = stream._readableState;
 | |
|       debug("endReadable", state.endEmitted);
 | |
|       if (!state.endEmitted) {
 | |
|         state.ended = true;
 | |
|         process.nextTick(endReadableNT, state, stream);
 | |
|       }
 | |
|     }
 | |
|     function endReadableNT(state, stream) {
 | |
|       debug("endReadableNT", state.endEmitted, state.length);
 | |
|       if (!state.endEmitted && state.length === 0) {
 | |
|         state.endEmitted = true;
 | |
|         stream.readable = false;
 | |
|         stream.emit("end");
 | |
|         if (state.autoDestroy) {
 | |
|           var wState = stream._writableState;
 | |
|           if (!wState || wState.autoDestroy && wState.finished) {
 | |
|             stream.destroy();
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     if (typeof Symbol === "function") {
 | |
|       Readable.from = function(iterable, opts) {
 | |
|         if (from === void 0) {
 | |
|           from = require_from();
 | |
|         }
 | |
|         return from(Readable, iterable, opts);
 | |
|       };
 | |
|     }
 | |
|     function indexOf(xs, x) {
 | |
|       for (var i = 0, l = xs.length; i < l; i++) {
 | |
|         if (xs[i] === x)
 | |
|           return i;
 | |
|       }
 | |
|       return -1;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_transform.js
 | |
| var require_stream_transform = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_transform.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = Transform;
 | |
|     var _require$codes = require_errors().codes;
 | |
|     var ERR_METHOD_NOT_IMPLEMENTED = _require$codes.ERR_METHOD_NOT_IMPLEMENTED;
 | |
|     var ERR_MULTIPLE_CALLBACK = _require$codes.ERR_MULTIPLE_CALLBACK;
 | |
|     var ERR_TRANSFORM_ALREADY_TRANSFORMING = _require$codes.ERR_TRANSFORM_ALREADY_TRANSFORMING;
 | |
|     var ERR_TRANSFORM_WITH_LENGTH_0 = _require$codes.ERR_TRANSFORM_WITH_LENGTH_0;
 | |
|     var Duplex = require_stream_duplex();
 | |
|     require_inherits()(Transform, Duplex);
 | |
|     function afterTransform(er, data) {
 | |
|       var ts = this._transformState;
 | |
|       ts.transforming = false;
 | |
|       var cb = ts.writecb;
 | |
|       if (cb === null) {
 | |
|         return this.emit("error", new ERR_MULTIPLE_CALLBACK());
 | |
|       }
 | |
|       ts.writechunk = null;
 | |
|       ts.writecb = null;
 | |
|       if (data != null)
 | |
|         this.push(data);
 | |
|       cb(er);
 | |
|       var rs = this._readableState;
 | |
|       rs.reading = false;
 | |
|       if (rs.needReadable || rs.length < rs.highWaterMark) {
 | |
|         this._read(rs.highWaterMark);
 | |
|       }
 | |
|     }
 | |
|     function Transform(options) {
 | |
|       if (!(this instanceof Transform))
 | |
|         return new Transform(options);
 | |
|       Duplex.call(this, options);
 | |
|       this._transformState = {
 | |
|         afterTransform: afterTransform.bind(this),
 | |
|         needTransform: false,
 | |
|         transforming: false,
 | |
|         writecb: null,
 | |
|         writechunk: null,
 | |
|         writeencoding: null
 | |
|       };
 | |
|       this._readableState.needReadable = true;
 | |
|       this._readableState.sync = false;
 | |
|       if (options) {
 | |
|         if (typeof options.transform === "function")
 | |
|           this._transform = options.transform;
 | |
|         if (typeof options.flush === "function")
 | |
|           this._flush = options.flush;
 | |
|       }
 | |
|       this.on("prefinish", prefinish);
 | |
|     }
 | |
|     function prefinish() {
 | |
|       var _this = this;
 | |
|       if (typeof this._flush === "function" && !this._readableState.destroyed) {
 | |
|         this._flush(function(er, data) {
 | |
|           done(_this, er, data);
 | |
|         });
 | |
|       } else {
 | |
|         done(this, null, null);
 | |
|       }
 | |
|     }
 | |
|     Transform.prototype.push = function(chunk, encoding) {
 | |
|       this._transformState.needTransform = false;
 | |
|       return Duplex.prototype.push.call(this, chunk, encoding);
 | |
|     };
 | |
|     Transform.prototype._transform = function(chunk, encoding, cb) {
 | |
|       cb(new ERR_METHOD_NOT_IMPLEMENTED("_transform()"));
 | |
|     };
 | |
|     Transform.prototype._write = function(chunk, encoding, cb) {
 | |
|       var ts = this._transformState;
 | |
|       ts.writecb = cb;
 | |
|       ts.writechunk = chunk;
 | |
|       ts.writeencoding = encoding;
 | |
|       if (!ts.transforming) {
 | |
|         var rs = this._readableState;
 | |
|         if (ts.needTransform || rs.needReadable || rs.length < rs.highWaterMark)
 | |
|           this._read(rs.highWaterMark);
 | |
|       }
 | |
|     };
 | |
|     Transform.prototype._read = function(n) {
 | |
|       var ts = this._transformState;
 | |
|       if (ts.writechunk !== null && !ts.transforming) {
 | |
|         ts.transforming = true;
 | |
|         this._transform(ts.writechunk, ts.writeencoding, ts.afterTransform);
 | |
|       } else {
 | |
|         ts.needTransform = true;
 | |
|       }
 | |
|     };
 | |
|     Transform.prototype._destroy = function(err, cb) {
 | |
|       Duplex.prototype._destroy.call(this, err, function(err2) {
 | |
|         cb(err2);
 | |
|       });
 | |
|     };
 | |
|     function done(stream, er, data) {
 | |
|       if (er)
 | |
|         return stream.emit("error", er);
 | |
|       if (data != null)
 | |
|         stream.push(data);
 | |
|       if (stream._writableState.length)
 | |
|         throw new ERR_TRANSFORM_WITH_LENGTH_0();
 | |
|       if (stream._transformState.transforming)
 | |
|         throw new ERR_TRANSFORM_ALREADY_TRANSFORMING();
 | |
|       return stream.push(null);
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_passthrough.js
 | |
| var require_stream_passthrough = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/_stream_passthrough.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = PassThrough;
 | |
|     var Transform = require_stream_transform();
 | |
|     require_inherits()(PassThrough, Transform);
 | |
|     function PassThrough(options) {
 | |
|       if (!(this instanceof PassThrough))
 | |
|         return new PassThrough(options);
 | |
|       Transform.call(this, options);
 | |
|     }
 | |
|     PassThrough.prototype._transform = function(chunk, encoding, cb) {
 | |
|       cb(null, chunk);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/pipeline.js
 | |
| var require_pipeline = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/lib/internal/streams/pipeline.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var eos;
 | |
|     function once(callback) {
 | |
|       var called = false;
 | |
|       return function() {
 | |
|         if (called)
 | |
|           return;
 | |
|         called = true;
 | |
|         callback.apply(void 0, arguments);
 | |
|       };
 | |
|     }
 | |
|     var _require$codes = require_errors().codes;
 | |
|     var ERR_MISSING_ARGS = _require$codes.ERR_MISSING_ARGS;
 | |
|     var ERR_STREAM_DESTROYED = _require$codes.ERR_STREAM_DESTROYED;
 | |
|     function noop(err) {
 | |
|       if (err)
 | |
|         throw err;
 | |
|     }
 | |
|     function isRequest(stream) {
 | |
|       return stream.setHeader && typeof stream.abort === "function";
 | |
|     }
 | |
|     function destroyer(stream, reading, writing, callback) {
 | |
|       callback = once(callback);
 | |
|       var closed = false;
 | |
|       stream.on("close", function() {
 | |
|         closed = true;
 | |
|       });
 | |
|       if (eos === void 0)
 | |
|         eos = require_end_of_stream();
 | |
|       eos(stream, {
 | |
|         readable: reading,
 | |
|         writable: writing
 | |
|       }, function(err) {
 | |
|         if (err)
 | |
|           return callback(err);
 | |
|         closed = true;
 | |
|         callback();
 | |
|       });
 | |
|       var destroyed = false;
 | |
|       return function(err) {
 | |
|         if (closed)
 | |
|           return;
 | |
|         if (destroyed)
 | |
|           return;
 | |
|         destroyed = true;
 | |
|         if (isRequest(stream))
 | |
|           return stream.abort();
 | |
|         if (typeof stream.destroy === "function")
 | |
|           return stream.destroy();
 | |
|         callback(err || new ERR_STREAM_DESTROYED("pipe"));
 | |
|       };
 | |
|     }
 | |
|     function call(fn) {
 | |
|       fn();
 | |
|     }
 | |
|     function pipe(from, to) {
 | |
|       return from.pipe(to);
 | |
|     }
 | |
|     function popCallback(streams) {
 | |
|       if (!streams.length)
 | |
|         return noop;
 | |
|       if (typeof streams[streams.length - 1] !== "function")
 | |
|         return noop;
 | |
|       return streams.pop();
 | |
|     }
 | |
|     function pipeline() {
 | |
|       for (var _len = arguments.length, streams = new Array(_len), _key = 0; _key < _len; _key++) {
 | |
|         streams[_key] = arguments[_key];
 | |
|       }
 | |
|       var callback = popCallback(streams);
 | |
|       if (Array.isArray(streams[0]))
 | |
|         streams = streams[0];
 | |
|       if (streams.length < 2) {
 | |
|         throw new ERR_MISSING_ARGS("streams");
 | |
|       }
 | |
|       var error;
 | |
|       var destroys = streams.map(function(stream, i) {
 | |
|         var reading = i < streams.length - 1;
 | |
|         var writing = i > 0;
 | |
|         return destroyer(stream, reading, writing, function(err) {
 | |
|           if (!error)
 | |
|             error = err;
 | |
|           if (err)
 | |
|             destroys.forEach(call);
 | |
|           if (reading)
 | |
|             return;
 | |
|           destroys.forEach(call);
 | |
|           callback(error);
 | |
|         });
 | |
|       });
 | |
|       return streams.reduce(pipe);
 | |
|     }
 | |
|     module2.exports = pipeline;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/readable.js
 | |
| var require_readable = __commonJS({
 | |
|   "../node_modules/.pnpm/readable-stream@3.6.2/node_modules/readable-stream/readable.js"(exports2, module2) {
 | |
|     var Stream = require("stream");
 | |
|     if (process.env.READABLE_STREAM === "disable" && Stream) {
 | |
|       module2.exports = Stream.Readable;
 | |
|       Object.assign(module2.exports, Stream);
 | |
|       module2.exports.Stream = Stream;
 | |
|     } else {
 | |
|       exports2 = module2.exports = require_stream_readable();
 | |
|       exports2.Stream = Stream || exports2;
 | |
|       exports2.Readable = exports2;
 | |
|       exports2.Writable = require_stream_writable();
 | |
|       exports2.Duplex = require_stream_duplex();
 | |
|       exports2.Transform = require_stream_transform();
 | |
|       exports2.PassThrough = require_stream_passthrough();
 | |
|       exports2.finished = require_end_of_stream();
 | |
|       exports2.pipeline = require_pipeline();
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/through2@4.0.2/node_modules/through2/through2.js
 | |
| var require_through2 = __commonJS({
 | |
|   "../node_modules/.pnpm/through2@4.0.2/node_modules/through2/through2.js"(exports2, module2) {
 | |
|     var { Transform } = require_readable();
 | |
|     function inherits(fn, sup) {
 | |
|       fn.super_ = sup;
 | |
|       fn.prototype = Object.create(sup.prototype, {
 | |
|         constructor: { value: fn, enumerable: false, writable: true, configurable: true }
 | |
|       });
 | |
|     }
 | |
|     function through2(construct) {
 | |
|       return (options, transform, flush) => {
 | |
|         if (typeof options === "function") {
 | |
|           flush = transform;
 | |
|           transform = options;
 | |
|           options = {};
 | |
|         }
 | |
|         if (typeof transform !== "function") {
 | |
|           transform = (chunk, enc, cb) => cb(null, chunk);
 | |
|         }
 | |
|         if (typeof flush !== "function") {
 | |
|           flush = null;
 | |
|         }
 | |
|         return construct(options, transform, flush);
 | |
|       };
 | |
|     }
 | |
|     var make = through2((options, transform, flush) => {
 | |
|       const t2 = new Transform(options);
 | |
|       t2._transform = transform;
 | |
|       if (flush) {
 | |
|         t2._flush = flush;
 | |
|       }
 | |
|       return t2;
 | |
|     });
 | |
|     var ctor = through2((options, transform, flush) => {
 | |
|       function Through2(override) {
 | |
|         if (!(this instanceof Through2)) {
 | |
|           return new Through2(override);
 | |
|         }
 | |
|         this.options = Object.assign({}, options, override);
 | |
|         Transform.call(this, this.options);
 | |
|         this._transform = transform;
 | |
|         if (flush) {
 | |
|           this._flush = flush;
 | |
|         }
 | |
|       }
 | |
|       inherits(Through2, Transform);
 | |
|       return Through2;
 | |
|     });
 | |
|     var obj = through2(function(options, transform, flush) {
 | |
|       const t2 = new Transform(Object.assign({ objectMode: true, highWaterMark: 16 }, options));
 | |
|       t2._transform = transform;
 | |
|       if (flush) {
 | |
|         t2._flush = flush;
 | |
|       }
 | |
|       return t2;
 | |
|     });
 | |
|     module2.exports = make;
 | |
|     module2.exports.ctor = ctor;
 | |
|     module2.exports.obj = obj;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/split2@3.2.2/node_modules/split2/index.js
 | |
| var require_split2 = __commonJS({
 | |
|   "../node_modules/.pnpm/split2@3.2.2/node_modules/split2/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var { Transform } = require_readable();
 | |
|     var { StringDecoder } = require("string_decoder");
 | |
|     var kLast = Symbol("last");
 | |
|     var kDecoder = Symbol("decoder");
 | |
|     function transform(chunk, enc, cb) {
 | |
|       var list;
 | |
|       if (this.overflow) {
 | |
|         var buf = this[kDecoder].write(chunk);
 | |
|         list = buf.split(this.matcher);
 | |
|         if (list.length === 1)
 | |
|           return cb();
 | |
|         list.shift();
 | |
|         this.overflow = false;
 | |
|       } else {
 | |
|         this[kLast] += this[kDecoder].write(chunk);
 | |
|         list = this[kLast].split(this.matcher);
 | |
|       }
 | |
|       this[kLast] = list.pop();
 | |
|       for (var i = 0; i < list.length; i++) {
 | |
|         try {
 | |
|           push(this, this.mapper(list[i]));
 | |
|         } catch (error) {
 | |
|           return cb(error);
 | |
|         }
 | |
|       }
 | |
|       this.overflow = this[kLast].length > this.maxLength;
 | |
|       if (this.overflow && !this.skipOverflow)
 | |
|         return cb(new Error("maximum buffer reached"));
 | |
|       cb();
 | |
|     }
 | |
|     function flush(cb) {
 | |
|       this[kLast] += this[kDecoder].end();
 | |
|       if (this[kLast]) {
 | |
|         try {
 | |
|           push(this, this.mapper(this[kLast]));
 | |
|         } catch (error) {
 | |
|           return cb(error);
 | |
|         }
 | |
|       }
 | |
|       cb();
 | |
|     }
 | |
|     function push(self2, val) {
 | |
|       if (val !== void 0) {
 | |
|         self2.push(val);
 | |
|       }
 | |
|     }
 | |
|     function noop(incoming) {
 | |
|       return incoming;
 | |
|     }
 | |
|     function split(matcher, mapper, options) {
 | |
|       matcher = matcher || /\r?\n/;
 | |
|       mapper = mapper || noop;
 | |
|       options = options || {};
 | |
|       switch (arguments.length) {
 | |
|         case 1:
 | |
|           if (typeof matcher === "function") {
 | |
|             mapper = matcher;
 | |
|             matcher = /\r?\n/;
 | |
|           } else if (typeof matcher === "object" && !(matcher instanceof RegExp)) {
 | |
|             options = matcher;
 | |
|             matcher = /\r?\n/;
 | |
|           }
 | |
|           break;
 | |
|         case 2:
 | |
|           if (typeof matcher === "function") {
 | |
|             options = mapper;
 | |
|             mapper = matcher;
 | |
|             matcher = /\r?\n/;
 | |
|           } else if (typeof mapper === "object") {
 | |
|             options = mapper;
 | |
|             mapper = noop;
 | |
|           }
 | |
|       }
 | |
|       options = Object.assign({}, options);
 | |
|       options.transform = transform;
 | |
|       options.flush = flush;
 | |
|       options.readableObjectMode = true;
 | |
|       const stream = new Transform(options);
 | |
|       stream[kLast] = "";
 | |
|       stream[kDecoder] = new StringDecoder("utf8");
 | |
|       stream.matcher = matcher;
 | |
|       stream.mapper = mapper;
 | |
|       stream.maxLength = options.maxLength;
 | |
|       stream.skipOverflow = options.skipOverflow;
 | |
|       stream.overflow = false;
 | |
|       return stream;
 | |
|     }
 | |
|     module2.exports = split;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/json-stringify-safe@5.0.1/node_modules/json-stringify-safe/stringify.js
 | |
| var require_stringify = __commonJS({
 | |
|   "../node_modules/.pnpm/json-stringify-safe@5.0.1/node_modules/json-stringify-safe/stringify.js"(exports2, module2) {
 | |
|     exports2 = module2.exports = stringify;
 | |
|     exports2.getSerialize = serializer;
 | |
|     function stringify(obj, replacer, spaces, cycleReplacer) {
 | |
|       return JSON.stringify(obj, serializer(replacer, cycleReplacer), spaces);
 | |
|     }
 | |
|     function serializer(replacer, cycleReplacer) {
 | |
|       var stack = [], keys = [];
 | |
|       if (cycleReplacer == null)
 | |
|         cycleReplacer = function(key, value) {
 | |
|           if (stack[0] === value)
 | |
|             return "[Circular ~]";
 | |
|           return "[Circular ~." + keys.slice(0, stack.indexOf(value)).join(".") + "]";
 | |
|         };
 | |
|       return function(key, value) {
 | |
|         if (stack.length > 0) {
 | |
|           var thisPos = stack.indexOf(this);
 | |
|           ~thisPos ? stack.splice(thisPos + 1) : stack.push(this);
 | |
|           ~thisPos ? keys.splice(thisPos, Infinity, key) : keys.push(key);
 | |
|           if (~stack.indexOf(value))
 | |
|             value = cycleReplacer.call(this, key, value);
 | |
|         } else
 | |
|           stack.push(value);
 | |
|         return replacer == null ? value : replacer.call(this, key, value);
 | |
|       };
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/ndjson@2.0.0/node_modules/ndjson/index.js
 | |
| var require_ndjson = __commonJS({
 | |
|   "../node_modules/.pnpm/ndjson@2.0.0/node_modules/ndjson/index.js"(exports2, module2) {
 | |
|     var through = require_through2();
 | |
|     var split = require_split2();
 | |
|     var { EOL } = require("os");
 | |
|     var stringify = require_stringify();
 | |
|     module2.exports.stringify = (opts) => through.obj(opts, (obj, _, cb) => {
 | |
|       cb(null, stringify(obj) + EOL);
 | |
|     });
 | |
|     module2.exports.parse = (opts) => {
 | |
|       opts = opts || {};
 | |
|       opts.strict = opts.strict !== false;
 | |
|       function parseRow(row) {
 | |
|         try {
 | |
|           if (row)
 | |
|             return JSON.parse(row);
 | |
|         } catch (e) {
 | |
|           if (opts.strict) {
 | |
|             this.emit("error", new Error("Could not parse row " + row.slice(0, 50) + "..."));
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return split(parseRow, opts);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/streamParser.js
 | |
| var require_streamParser = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/streamParser.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.createStreamParser = exports2.streamParser = void 0;
 | |
|     var bole = require_bole();
 | |
|     var ndjson = require_ndjson();
 | |
|     exports2.streamParser = createStreamParser();
 | |
|     function createStreamParser() {
 | |
|       const sp = ndjson.parse();
 | |
|       bole.output([
 | |
|         {
 | |
|           level: "debug",
 | |
|           stream: sp
 | |
|         }
 | |
|       ]);
 | |
|       return sp;
 | |
|     }
 | |
|     exports2.createStreamParser = createStreamParser;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/writeToConsole.js
 | |
| var require_writeToConsole = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/writeToConsole.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.writeToConsole = void 0;
 | |
|     var bole = require_bole();
 | |
|     function writeToConsole() {
 | |
|       bole.output([
 | |
|         {
 | |
|           level: "debug",
 | |
|           stream: process.stdout
 | |
|         }
 | |
|       ]);
 | |
|     }
 | |
|     exports2.writeToConsole = writeToConsole;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/index.js
 | |
| var require_lib5 = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+logger@5.0.0/node_modules/@pnpm/logger/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.writeToConsole = exports2.streamParser = exports2.createStreamParser = exports2.globalWarn = exports2.globalInfo = exports2.logger = void 0;
 | |
|     var logger_1 = require_logger();
 | |
|     Object.defineProperty(exports2, "logger", { enumerable: true, get: function() {
 | |
|       return logger_1.logger;
 | |
|     } });
 | |
|     Object.defineProperty(exports2, "globalInfo", { enumerable: true, get: function() {
 | |
|       return logger_1.globalInfo;
 | |
|     } });
 | |
|     Object.defineProperty(exports2, "globalWarn", { enumerable: true, get: function() {
 | |
|       return logger_1.globalWarn;
 | |
|     } });
 | |
|     var streamParser_1 = require_streamParser();
 | |
|     Object.defineProperty(exports2, "createStreamParser", { enumerable: true, get: function() {
 | |
|       return streamParser_1.createStreamParser;
 | |
|     } });
 | |
|     Object.defineProperty(exports2, "streamParser", { enumerable: true, get: function() {
 | |
|       return streamParser_1.streamParser;
 | |
|     } });
 | |
|     var writeToConsole_1 = require_writeToConsole();
 | |
|     Object.defineProperty(exports2, "writeToConsole", { enumerable: true, get: function() {
 | |
|       return writeToConsole_1.writeToConsole;
 | |
|     } });
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/contextLogger.js
 | |
| var require_contextLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/contextLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.contextLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.contextLogger = (0, logger_1.logger)("context");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/deprecationLogger.js
 | |
| var require_deprecationLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/deprecationLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.deprecationLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.deprecationLogger = (0, logger_1.logger)("deprecation");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/fetchingProgressLogger.js
 | |
| var require_fetchingProgressLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/fetchingProgressLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.fetchingProgressLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.fetchingProgressLogger = (0, logger_1.logger)("fetching-progress");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/hookLogger.js
 | |
| var require_hookLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/hookLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.hookLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.hookLogger = (0, logger_1.logger)("hook");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/installCheckLogger.js
 | |
| var require_installCheckLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/installCheckLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.installCheckLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.installCheckLogger = (0, logger_1.logger)("install-check");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/lifecycleLogger.js
 | |
| var require_lifecycleLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/lifecycleLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.lifecycleLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.lifecycleLogger = (0, logger_1.logger)("lifecycle");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/linkLogger.js
 | |
| var require_linkLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/linkLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.linkLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.linkLogger = (0, logger_1.logger)("link");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/packageImportMethodLogger.js
 | |
| var require_packageImportMethodLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/packageImportMethodLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.packageImportMethodLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.packageImportMethodLogger = (0, logger_1.logger)("package-import-method");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/packageManifestLogger.js
 | |
| var require_packageManifestLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/packageManifestLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.packageManifestLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.packageManifestLogger = (0, logger_1.logger)("package-manifest");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/peerDependencyIssues.js
 | |
| var require_peerDependencyIssues = __commonJS({
 | |
|   "../packages/core-loggers/lib/peerDependencyIssues.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.peerDependencyIssuesLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.peerDependencyIssuesLogger = (0, logger_1.logger)("peer-dependency-issues");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/progressLogger.js
 | |
| var require_progressLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/progressLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.progressLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.progressLogger = (0, logger_1.logger)("progress");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/registryLogger.js
 | |
| var require_registryLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/registryLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/removalLogger.js
 | |
| var require_removalLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/removalLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.removalLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.removalLogger = (0, logger_1.logger)("removal");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/requestRetryLogger.js
 | |
| var require_requestRetryLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/requestRetryLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.requestRetryLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.requestRetryLogger = (0, logger_1.logger)("request-retry");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/rootLogger.js
 | |
| var require_rootLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/rootLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.rootLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.rootLogger = (0, logger_1.logger)("root");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/scopeLogger.js
 | |
| var require_scopeLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/scopeLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.scopeLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.scopeLogger = (0, logger_1.logger)("scope");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/skippedOptionalDependencyLogger.js
 | |
| var require_skippedOptionalDependencyLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/skippedOptionalDependencyLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.skippedOptionalDependencyLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.skippedOptionalDependencyLogger = (0, logger_1.logger)("skipped-optional-dependency");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/stageLogger.js
 | |
| var require_stageLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/stageLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.stageLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.stageLogger = (0, logger_1.logger)("stage");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/statsLogger.js
 | |
| var require_statsLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/statsLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.statsLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.statsLogger = (0, logger_1.logger)("stats");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/summaryLogger.js
 | |
| var require_summaryLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/summaryLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.summaryLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.summaryLogger = (0, logger_1.logger)("summary");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/updateCheckLogger.js
 | |
| var require_updateCheckLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/updateCheckLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.updateCheckLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.updateCheckLogger = (0, logger_1.logger)("update-check");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/executionTimeLogger.js
 | |
| var require_executionTimeLogger = __commonJS({
 | |
|   "../packages/core-loggers/lib/executionTimeLogger.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.executionTimeLogger = void 0;
 | |
|     var logger_1 = require_lib5();
 | |
|     exports2.executionTimeLogger = (0, logger_1.logger)("execution-time");
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/all.js
 | |
| var require_all = __commonJS({
 | |
|   "../packages/core-loggers/lib/all.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
 | |
|       if (k2 === void 0)
 | |
|         k2 = k;
 | |
|       var desc = Object.getOwnPropertyDescriptor(m, k);
 | |
|       if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
 | |
|         desc = { enumerable: true, get: function() {
 | |
|           return m[k];
 | |
|         } };
 | |
|       }
 | |
|       Object.defineProperty(o, k2, desc);
 | |
|     } : function(o, m, k, k2) {
 | |
|       if (k2 === void 0)
 | |
|         k2 = k;
 | |
|       o[k2] = m[k];
 | |
|     });
 | |
|     var __exportStar = exports2 && exports2.__exportStar || function(m, exports3) {
 | |
|       for (var p in m)
 | |
|         if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p))
 | |
|           __createBinding2(exports3, m, p);
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     __exportStar(require_contextLogger(), exports2);
 | |
|     __exportStar(require_deprecationLogger(), exports2);
 | |
|     __exportStar(require_fetchingProgressLogger(), exports2);
 | |
|     __exportStar(require_hookLogger(), exports2);
 | |
|     __exportStar(require_installCheckLogger(), exports2);
 | |
|     __exportStar(require_lifecycleLogger(), exports2);
 | |
|     __exportStar(require_linkLogger(), exports2);
 | |
|     __exportStar(require_packageImportMethodLogger(), exports2);
 | |
|     __exportStar(require_packageManifestLogger(), exports2);
 | |
|     __exportStar(require_peerDependencyIssues(), exports2);
 | |
|     __exportStar(require_progressLogger(), exports2);
 | |
|     __exportStar(require_registryLogger(), exports2);
 | |
|     __exportStar(require_removalLogger(), exports2);
 | |
|     __exportStar(require_requestRetryLogger(), exports2);
 | |
|     __exportStar(require_rootLogger(), exports2);
 | |
|     __exportStar(require_scopeLogger(), exports2);
 | |
|     __exportStar(require_skippedOptionalDependencyLogger(), exports2);
 | |
|     __exportStar(require_stageLogger(), exports2);
 | |
|     __exportStar(require_statsLogger(), exports2);
 | |
|     __exportStar(require_summaryLogger(), exports2);
 | |
|     __exportStar(require_updateCheckLogger(), exports2);
 | |
|     __exportStar(require_executionTimeLogger(), exports2);
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../packages/core-loggers/lib/index.js
 | |
| var require_lib6 = __commonJS({
 | |
|   "../packages/core-loggers/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
 | |
|       if (k2 === void 0)
 | |
|         k2 = k;
 | |
|       var desc = Object.getOwnPropertyDescriptor(m, k);
 | |
|       if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
 | |
|         desc = { enumerable: true, get: function() {
 | |
|           return m[k];
 | |
|         } };
 | |
|       }
 | |
|       Object.defineProperty(o, k2, desc);
 | |
|     } : function(o, m, k, k2) {
 | |
|       if (k2 === void 0)
 | |
|         k2 = k;
 | |
|       o[k2] = m[k];
 | |
|     });
 | |
|     var __exportStar = exports2 && exports2.__exportStar || function(m, exports3) {
 | |
|       for (var p in m)
 | |
|         if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p))
 | |
|           __createBinding2(exports3, m, p);
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     __exportStar(require_all(), exports2);
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/fs/index.js
 | |
| var require_fs3 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/fs/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     var fs = require_graceful_fs();
 | |
|     var api = [
 | |
|       "access",
 | |
|       "appendFile",
 | |
|       "chmod",
 | |
|       "chown",
 | |
|       "close",
 | |
|       "copyFile",
 | |
|       "fchmod",
 | |
|       "fchown",
 | |
|       "fdatasync",
 | |
|       "fstat",
 | |
|       "fsync",
 | |
|       "ftruncate",
 | |
|       "futimes",
 | |
|       "lchmod",
 | |
|       "lchown",
 | |
|       "link",
 | |
|       "lstat",
 | |
|       "mkdir",
 | |
|       "mkdtemp",
 | |
|       "open",
 | |
|       "opendir",
 | |
|       "readdir",
 | |
|       "readFile",
 | |
|       "readlink",
 | |
|       "realpath",
 | |
|       "rename",
 | |
|       "rm",
 | |
|       "rmdir",
 | |
|       "stat",
 | |
|       "symlink",
 | |
|       "truncate",
 | |
|       "unlink",
 | |
|       "utimes",
 | |
|       "writeFile"
 | |
|     ].filter((key) => {
 | |
|       return typeof fs[key] === "function";
 | |
|     });
 | |
|     Object.assign(exports2, fs);
 | |
|     api.forEach((method) => {
 | |
|       exports2[method] = u(fs[method]);
 | |
|     });
 | |
|     exports2.exists = function(filename, callback) {
 | |
|       if (typeof callback === "function") {
 | |
|         return fs.exists(filename, callback);
 | |
|       }
 | |
|       return new Promise((resolve) => {
 | |
|         return fs.exists(filename, resolve);
 | |
|       });
 | |
|     };
 | |
|     exports2.read = function(fd, buffer, offset, length, position, callback) {
 | |
|       if (typeof callback === "function") {
 | |
|         return fs.read(fd, buffer, offset, length, position, callback);
 | |
|       }
 | |
|       return new Promise((resolve, reject) => {
 | |
|         fs.read(fd, buffer, offset, length, position, (err, bytesRead, buffer2) => {
 | |
|           if (err)
 | |
|             return reject(err);
 | |
|           resolve({ bytesRead, buffer: buffer2 });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     exports2.write = function(fd, buffer, ...args) {
 | |
|       if (typeof args[args.length - 1] === "function") {
 | |
|         return fs.write(fd, buffer, ...args);
 | |
|       }
 | |
|       return new Promise((resolve, reject) => {
 | |
|         fs.write(fd, buffer, ...args, (err, bytesWritten, buffer2) => {
 | |
|           if (err)
 | |
|             return reject(err);
 | |
|           resolve({ bytesWritten, buffer: buffer2 });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     exports2.readv = function(fd, buffers, ...args) {
 | |
|       if (typeof args[args.length - 1] === "function") {
 | |
|         return fs.readv(fd, buffers, ...args);
 | |
|       }
 | |
|       return new Promise((resolve, reject) => {
 | |
|         fs.readv(fd, buffers, ...args, (err, bytesRead, buffers2) => {
 | |
|           if (err)
 | |
|             return reject(err);
 | |
|           resolve({ bytesRead, buffers: buffers2 });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     exports2.writev = function(fd, buffers, ...args) {
 | |
|       if (typeof args[args.length - 1] === "function") {
 | |
|         return fs.writev(fd, buffers, ...args);
 | |
|       }
 | |
|       return new Promise((resolve, reject) => {
 | |
|         fs.writev(fd, buffers, ...args, (err, bytesWritten, buffers2) => {
 | |
|           if (err)
 | |
|             return reject(err);
 | |
|           resolve({ bytesWritten, buffers: buffers2 });
 | |
|         });
 | |
|       });
 | |
|     };
 | |
|     if (typeof fs.realpath.native === "function") {
 | |
|       exports2.realpath.native = u(fs.realpath.native);
 | |
|     } else {
 | |
|       process.emitWarning(
 | |
|         "fs.realpath.native is not a function. Is fs being monkey-patched?",
 | |
|         "Warning",
 | |
|         "fs-extra-WARN0003"
 | |
|       );
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/mkdirs/utils.js
 | |
| var require_utils2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/mkdirs/utils.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var path = require("path");
 | |
|     module2.exports.checkPath = function checkPath(pth) {
 | |
|       if (process.platform === "win32") {
 | |
|         const pathHasInvalidWinCharacters = /[<>:"|?*]/.test(pth.replace(path.parse(pth).root, ""));
 | |
|         if (pathHasInvalidWinCharacters) {
 | |
|           const error = new Error(`Path contains invalid characters: ${pth}`);
 | |
|           error.code = "EINVAL";
 | |
|           throw error;
 | |
|         }
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/mkdirs/make-dir.js
 | |
| var require_make_dir2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/mkdirs/make-dir.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_fs3();
 | |
|     var { checkPath } = require_utils2();
 | |
|     var getMode = (options) => {
 | |
|       const defaults = { mode: 511 };
 | |
|       if (typeof options === "number")
 | |
|         return options;
 | |
|       return { ...defaults, ...options }.mode;
 | |
|     };
 | |
|     module2.exports.makeDir = async (dir, options) => {
 | |
|       checkPath(dir);
 | |
|       return fs.mkdir(dir, {
 | |
|         mode: getMode(options),
 | |
|         recursive: true
 | |
|       });
 | |
|     };
 | |
|     module2.exports.makeDirSync = (dir, options) => {
 | |
|       checkPath(dir);
 | |
|       return fs.mkdirSync(dir, {
 | |
|         mode: getMode(options),
 | |
|         recursive: true
 | |
|       });
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/mkdirs/index.js
 | |
| var require_mkdirs2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/mkdirs/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromPromise;
 | |
|     var { makeDir: _makeDir, makeDirSync } = require_make_dir2();
 | |
|     var makeDir = u(_makeDir);
 | |
|     module2.exports = {
 | |
|       mkdirs: makeDir,
 | |
|       mkdirsSync: makeDirSync,
 | |
|       // alias
 | |
|       mkdirp: makeDir,
 | |
|       mkdirpSync: makeDirSync,
 | |
|       ensureDir: makeDir,
 | |
|       ensureDirSync: makeDirSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/path-exists/index.js
 | |
| var require_path_exists2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/path-exists/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromPromise;
 | |
|     var fs = require_fs3();
 | |
|     function pathExists(path) {
 | |
|       return fs.access(path).then(() => true).catch(() => false);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       pathExists: u(pathExists),
 | |
|       pathExistsSync: fs.existsSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/util/utimes.js
 | |
| var require_utimes2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/util/utimes.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     function utimesMillis(path, atime, mtime, callback) {
 | |
|       fs.open(path, "r+", (err, fd) => {
 | |
|         if (err)
 | |
|           return callback(err);
 | |
|         fs.futimes(fd, atime, mtime, (futimesErr) => {
 | |
|           fs.close(fd, (closeErr) => {
 | |
|             if (callback)
 | |
|               callback(futimesErr || closeErr);
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function utimesMillisSync(path, atime, mtime) {
 | |
|       const fd = fs.openSync(path, "r+");
 | |
|       fs.futimesSync(fd, atime, mtime);
 | |
|       return fs.closeSync(fd);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       utimesMillis,
 | |
|       utimesMillisSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/util/stat.js
 | |
| var require_stat2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/util/stat.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_fs3();
 | |
|     var path = require("path");
 | |
|     var util = require("util");
 | |
|     function getStats(src, dest, opts) {
 | |
|       const statFunc = opts.dereference ? (file) => fs.stat(file, { bigint: true }) : (file) => fs.lstat(file, { bigint: true });
 | |
|       return Promise.all([
 | |
|         statFunc(src),
 | |
|         statFunc(dest).catch((err) => {
 | |
|           if (err.code === "ENOENT")
 | |
|             return null;
 | |
|           throw err;
 | |
|         })
 | |
|       ]).then(([srcStat, destStat]) => ({ srcStat, destStat }));
 | |
|     }
 | |
|     function getStatsSync(src, dest, opts) {
 | |
|       let destStat;
 | |
|       const statFunc = opts.dereference ? (file) => fs.statSync(file, { bigint: true }) : (file) => fs.lstatSync(file, { bigint: true });
 | |
|       const srcStat = statFunc(src);
 | |
|       try {
 | |
|         destStat = statFunc(dest);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT")
 | |
|           return { srcStat, destStat: null };
 | |
|         throw err;
 | |
|       }
 | |
|       return { srcStat, destStat };
 | |
|     }
 | |
|     function checkPaths(src, dest, funcName, opts, cb) {
 | |
|       util.callbackify(getStats)(src, dest, opts, (err, stats) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         const { srcStat, destStat } = stats;
 | |
|         if (destStat) {
 | |
|           if (areIdentical(srcStat, destStat)) {
 | |
|             const srcBaseName = path.basename(src);
 | |
|             const destBaseName = path.basename(dest);
 | |
|             if (funcName === "move" && srcBaseName !== destBaseName && srcBaseName.toLowerCase() === destBaseName.toLowerCase()) {
 | |
|               return cb(null, { srcStat, destStat, isChangingCase: true });
 | |
|             }
 | |
|             return cb(new Error("Source and destination must not be the same."));
 | |
|           }
 | |
|           if (srcStat.isDirectory() && !destStat.isDirectory()) {
 | |
|             return cb(new Error(`Cannot overwrite non-directory '${dest}' with directory '${src}'.`));
 | |
|           }
 | |
|           if (!srcStat.isDirectory() && destStat.isDirectory()) {
 | |
|             return cb(new Error(`Cannot overwrite directory '${dest}' with non-directory '${src}'.`));
 | |
|           }
 | |
|         }
 | |
|         if (srcStat.isDirectory() && isSrcSubdir(src, dest)) {
 | |
|           return cb(new Error(errMsg(src, dest, funcName)));
 | |
|         }
 | |
|         return cb(null, { srcStat, destStat });
 | |
|       });
 | |
|     }
 | |
|     function checkPathsSync(src, dest, funcName, opts) {
 | |
|       const { srcStat, destStat } = getStatsSync(src, dest, opts);
 | |
|       if (destStat) {
 | |
|         if (areIdentical(srcStat, destStat)) {
 | |
|           const srcBaseName = path.basename(src);
 | |
|           const destBaseName = path.basename(dest);
 | |
|           if (funcName === "move" && srcBaseName !== destBaseName && srcBaseName.toLowerCase() === destBaseName.toLowerCase()) {
 | |
|             return { srcStat, destStat, isChangingCase: true };
 | |
|           }
 | |
|           throw new Error("Source and destination must not be the same.");
 | |
|         }
 | |
|         if (srcStat.isDirectory() && !destStat.isDirectory()) {
 | |
|           throw new Error(`Cannot overwrite non-directory '${dest}' with directory '${src}'.`);
 | |
|         }
 | |
|         if (!srcStat.isDirectory() && destStat.isDirectory()) {
 | |
|           throw new Error(`Cannot overwrite directory '${dest}' with non-directory '${src}'.`);
 | |
|         }
 | |
|       }
 | |
|       if (srcStat.isDirectory() && isSrcSubdir(src, dest)) {
 | |
|         throw new Error(errMsg(src, dest, funcName));
 | |
|       }
 | |
|       return { srcStat, destStat };
 | |
|     }
 | |
|     function checkParentPaths(src, srcStat, dest, funcName, cb) {
 | |
|       const srcParent = path.resolve(path.dirname(src));
 | |
|       const destParent = path.resolve(path.dirname(dest));
 | |
|       if (destParent === srcParent || destParent === path.parse(destParent).root)
 | |
|         return cb();
 | |
|       fs.stat(destParent, { bigint: true }, (err, destStat) => {
 | |
|         if (err) {
 | |
|           if (err.code === "ENOENT")
 | |
|             return cb();
 | |
|           return cb(err);
 | |
|         }
 | |
|         if (areIdentical(srcStat, destStat)) {
 | |
|           return cb(new Error(errMsg(src, dest, funcName)));
 | |
|         }
 | |
|         return checkParentPaths(src, srcStat, destParent, funcName, cb);
 | |
|       });
 | |
|     }
 | |
|     function checkParentPathsSync(src, srcStat, dest, funcName) {
 | |
|       const srcParent = path.resolve(path.dirname(src));
 | |
|       const destParent = path.resolve(path.dirname(dest));
 | |
|       if (destParent === srcParent || destParent === path.parse(destParent).root)
 | |
|         return;
 | |
|       let destStat;
 | |
|       try {
 | |
|         destStat = fs.statSync(destParent, { bigint: true });
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT")
 | |
|           return;
 | |
|         throw err;
 | |
|       }
 | |
|       if (areIdentical(srcStat, destStat)) {
 | |
|         throw new Error(errMsg(src, dest, funcName));
 | |
|       }
 | |
|       return checkParentPathsSync(src, srcStat, destParent, funcName);
 | |
|     }
 | |
|     function areIdentical(srcStat, destStat) {
 | |
|       return destStat.ino && destStat.dev && destStat.ino === srcStat.ino && destStat.dev === srcStat.dev;
 | |
|     }
 | |
|     function isSrcSubdir(src, dest) {
 | |
|       const srcArr = path.resolve(src).split(path.sep).filter((i) => i);
 | |
|       const destArr = path.resolve(dest).split(path.sep).filter((i) => i);
 | |
|       return srcArr.reduce((acc, cur, i) => acc && destArr[i] === cur, true);
 | |
|     }
 | |
|     function errMsg(src, dest, funcName) {
 | |
|       return `Cannot ${funcName} '${src}' to a subdirectory of itself, '${dest}'.`;
 | |
|     }
 | |
|     module2.exports = {
 | |
|       checkPaths,
 | |
|       checkPathsSync,
 | |
|       checkParentPaths,
 | |
|       checkParentPathsSync,
 | |
|       isSrcSubdir,
 | |
|       areIdentical
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/copy/copy.js
 | |
| var require_copy2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/copy/copy.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var mkdirs = require_mkdirs2().mkdirs;
 | |
|     var pathExists = require_path_exists2().pathExists;
 | |
|     var utimesMillis = require_utimes2().utimesMillis;
 | |
|     var stat = require_stat2();
 | |
|     function copy(src, dest, opts, cb) {
 | |
|       if (typeof opts === "function" && !cb) {
 | |
|         cb = opts;
 | |
|         opts = {};
 | |
|       } else if (typeof opts === "function") {
 | |
|         opts = { filter: opts };
 | |
|       }
 | |
|       cb = cb || function() {
 | |
|       };
 | |
|       opts = opts || {};
 | |
|       opts.clobber = "clobber" in opts ? !!opts.clobber : true;
 | |
|       opts.overwrite = "overwrite" in opts ? !!opts.overwrite : opts.clobber;
 | |
|       if (opts.preserveTimestamps && process.arch === "ia32") {
 | |
|         process.emitWarning(
 | |
|           "Using the preserveTimestamps option in 32-bit node is not recommended;\n\n	see https://github.com/jprichardson/node-fs-extra/issues/269",
 | |
|           "Warning",
 | |
|           "fs-extra-WARN0001"
 | |
|         );
 | |
|       }
 | |
|       stat.checkPaths(src, dest, "copy", opts, (err, stats) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         const { srcStat, destStat } = stats;
 | |
|         stat.checkParentPaths(src, srcStat, dest, "copy", (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           runFilter(src, dest, opts, (err3, include) => {
 | |
|             if (err3)
 | |
|               return cb(err3);
 | |
|             if (!include)
 | |
|               return cb();
 | |
|             checkParentDir(destStat, src, dest, opts, cb);
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function checkParentDir(destStat, src, dest, opts, cb) {
 | |
|       const destParent = path.dirname(dest);
 | |
|       pathExists(destParent, (err, dirExists) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (dirExists)
 | |
|           return getStats(destStat, src, dest, opts, cb);
 | |
|         mkdirs(destParent, (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           return getStats(destStat, src, dest, opts, cb);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function runFilter(src, dest, opts, cb) {
 | |
|       if (!opts.filter)
 | |
|         return cb(null, true);
 | |
|       Promise.resolve(opts.filter(src, dest)).then((include) => cb(null, include), (error) => cb(error));
 | |
|     }
 | |
|     function getStats(destStat, src, dest, opts, cb) {
 | |
|       const stat2 = opts.dereference ? fs.stat : fs.lstat;
 | |
|       stat2(src, (err, srcStat) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (srcStat.isDirectory())
 | |
|           return onDir(srcStat, destStat, src, dest, opts, cb);
 | |
|         else if (srcStat.isFile() || srcStat.isCharacterDevice() || srcStat.isBlockDevice())
 | |
|           return onFile(srcStat, destStat, src, dest, opts, cb);
 | |
|         else if (srcStat.isSymbolicLink())
 | |
|           return onLink(destStat, src, dest, opts, cb);
 | |
|         else if (srcStat.isSocket())
 | |
|           return cb(new Error(`Cannot copy a socket file: ${src}`));
 | |
|         else if (srcStat.isFIFO())
 | |
|           return cb(new Error(`Cannot copy a FIFO pipe: ${src}`));
 | |
|         return cb(new Error(`Unknown file: ${src}`));
 | |
|       });
 | |
|     }
 | |
|     function onFile(srcStat, destStat, src, dest, opts, cb) {
 | |
|       if (!destStat)
 | |
|         return copyFile(srcStat, src, dest, opts, cb);
 | |
|       return mayCopyFile(srcStat, src, dest, opts, cb);
 | |
|     }
 | |
|     function mayCopyFile(srcStat, src, dest, opts, cb) {
 | |
|       if (opts.overwrite) {
 | |
|         fs.unlink(dest, (err) => {
 | |
|           if (err)
 | |
|             return cb(err);
 | |
|           return copyFile(srcStat, src, dest, opts, cb);
 | |
|         });
 | |
|       } else if (opts.errorOnExist) {
 | |
|         return cb(new Error(`'${dest}' already exists`));
 | |
|       } else
 | |
|         return cb();
 | |
|     }
 | |
|     function copyFile(srcStat, src, dest, opts, cb) {
 | |
|       fs.copyFile(src, dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (opts.preserveTimestamps)
 | |
|           return handleTimestampsAndMode(srcStat.mode, src, dest, cb);
 | |
|         return setDestMode(dest, srcStat.mode, cb);
 | |
|       });
 | |
|     }
 | |
|     function handleTimestampsAndMode(srcMode, src, dest, cb) {
 | |
|       if (fileIsNotWritable(srcMode)) {
 | |
|         return makeFileWritable(dest, srcMode, (err) => {
 | |
|           if (err)
 | |
|             return cb(err);
 | |
|           return setDestTimestampsAndMode(srcMode, src, dest, cb);
 | |
|         });
 | |
|       }
 | |
|       return setDestTimestampsAndMode(srcMode, src, dest, cb);
 | |
|     }
 | |
|     function fileIsNotWritable(srcMode) {
 | |
|       return (srcMode & 128) === 0;
 | |
|     }
 | |
|     function makeFileWritable(dest, srcMode, cb) {
 | |
|       return setDestMode(dest, srcMode | 128, cb);
 | |
|     }
 | |
|     function setDestTimestampsAndMode(srcMode, src, dest, cb) {
 | |
|       setDestTimestamps(src, dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return setDestMode(dest, srcMode, cb);
 | |
|       });
 | |
|     }
 | |
|     function setDestMode(dest, srcMode, cb) {
 | |
|       return fs.chmod(dest, srcMode, cb);
 | |
|     }
 | |
|     function setDestTimestamps(src, dest, cb) {
 | |
|       fs.stat(src, (err, updatedSrcStat) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return utimesMillis(dest, updatedSrcStat.atime, updatedSrcStat.mtime, cb);
 | |
|       });
 | |
|     }
 | |
|     function onDir(srcStat, destStat, src, dest, opts, cb) {
 | |
|       if (!destStat)
 | |
|         return mkDirAndCopy(srcStat.mode, src, dest, opts, cb);
 | |
|       return copyDir(src, dest, opts, cb);
 | |
|     }
 | |
|     function mkDirAndCopy(srcMode, src, dest, opts, cb) {
 | |
|       fs.mkdir(dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         copyDir(src, dest, opts, (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           return setDestMode(dest, srcMode, cb);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function copyDir(src, dest, opts, cb) {
 | |
|       fs.readdir(src, (err, items) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return copyDirItems(items, src, dest, opts, cb);
 | |
|       });
 | |
|     }
 | |
|     function copyDirItems(items, src, dest, opts, cb) {
 | |
|       const item = items.pop();
 | |
|       if (!item)
 | |
|         return cb();
 | |
|       return copyDirItem(items, item, src, dest, opts, cb);
 | |
|     }
 | |
|     function copyDirItem(items, item, src, dest, opts, cb) {
 | |
|       const srcItem = path.join(src, item);
 | |
|       const destItem = path.join(dest, item);
 | |
|       runFilter(srcItem, destItem, opts, (err, include) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (!include)
 | |
|           return copyDirItems(items, src, dest, opts, cb);
 | |
|         stat.checkPaths(srcItem, destItem, "copy", opts, (err2, stats) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           const { destStat } = stats;
 | |
|           getStats(destStat, srcItem, destItem, opts, (err3) => {
 | |
|             if (err3)
 | |
|               return cb(err3);
 | |
|             return copyDirItems(items, src, dest, opts, cb);
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function onLink(destStat, src, dest, opts, cb) {
 | |
|       fs.readlink(src, (err, resolvedSrc) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (opts.dereference) {
 | |
|           resolvedSrc = path.resolve(process.cwd(), resolvedSrc);
 | |
|         }
 | |
|         if (!destStat) {
 | |
|           return fs.symlink(resolvedSrc, dest, cb);
 | |
|         } else {
 | |
|           fs.readlink(dest, (err2, resolvedDest) => {
 | |
|             if (err2) {
 | |
|               if (err2.code === "EINVAL" || err2.code === "UNKNOWN")
 | |
|                 return fs.symlink(resolvedSrc, dest, cb);
 | |
|               return cb(err2);
 | |
|             }
 | |
|             if (opts.dereference) {
 | |
|               resolvedDest = path.resolve(process.cwd(), resolvedDest);
 | |
|             }
 | |
|             if (stat.isSrcSubdir(resolvedSrc, resolvedDest)) {
 | |
|               return cb(new Error(`Cannot copy '${resolvedSrc}' to a subdirectory of itself, '${resolvedDest}'.`));
 | |
|             }
 | |
|             if (stat.isSrcSubdir(resolvedDest, resolvedSrc)) {
 | |
|               return cb(new Error(`Cannot overwrite '${resolvedDest}' with '${resolvedSrc}'.`));
 | |
|             }
 | |
|             return copyLink(resolvedSrc, dest, cb);
 | |
|           });
 | |
|         }
 | |
|       });
 | |
|     }
 | |
|     function copyLink(resolvedSrc, dest, cb) {
 | |
|       fs.unlink(dest, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return fs.symlink(resolvedSrc, dest, cb);
 | |
|       });
 | |
|     }
 | |
|     module2.exports = copy;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/copy/copy-sync.js
 | |
| var require_copy_sync2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/copy/copy-sync.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var mkdirsSync = require_mkdirs2().mkdirsSync;
 | |
|     var utimesMillisSync = require_utimes2().utimesMillisSync;
 | |
|     var stat = require_stat2();
 | |
|     function copySync(src, dest, opts) {
 | |
|       if (typeof opts === "function") {
 | |
|         opts = { filter: opts };
 | |
|       }
 | |
|       opts = opts || {};
 | |
|       opts.clobber = "clobber" in opts ? !!opts.clobber : true;
 | |
|       opts.overwrite = "overwrite" in opts ? !!opts.overwrite : opts.clobber;
 | |
|       if (opts.preserveTimestamps && process.arch === "ia32") {
 | |
|         process.emitWarning(
 | |
|           "Using the preserveTimestamps option in 32-bit node is not recommended;\n\n	see https://github.com/jprichardson/node-fs-extra/issues/269",
 | |
|           "Warning",
 | |
|           "fs-extra-WARN0002"
 | |
|         );
 | |
|       }
 | |
|       const { srcStat, destStat } = stat.checkPathsSync(src, dest, "copy", opts);
 | |
|       stat.checkParentPathsSync(src, srcStat, dest, "copy");
 | |
|       if (opts.filter && !opts.filter(src, dest))
 | |
|         return;
 | |
|       const destParent = path.dirname(dest);
 | |
|       if (!fs.existsSync(destParent))
 | |
|         mkdirsSync(destParent);
 | |
|       return getStats(destStat, src, dest, opts);
 | |
|     }
 | |
|     function getStats(destStat, src, dest, opts) {
 | |
|       const statSync = opts.dereference ? fs.statSync : fs.lstatSync;
 | |
|       const srcStat = statSync(src);
 | |
|       if (srcStat.isDirectory())
 | |
|         return onDir(srcStat, destStat, src, dest, opts);
 | |
|       else if (srcStat.isFile() || srcStat.isCharacterDevice() || srcStat.isBlockDevice())
 | |
|         return onFile(srcStat, destStat, src, dest, opts);
 | |
|       else if (srcStat.isSymbolicLink())
 | |
|         return onLink(destStat, src, dest, opts);
 | |
|       else if (srcStat.isSocket())
 | |
|         throw new Error(`Cannot copy a socket file: ${src}`);
 | |
|       else if (srcStat.isFIFO())
 | |
|         throw new Error(`Cannot copy a FIFO pipe: ${src}`);
 | |
|       throw new Error(`Unknown file: ${src}`);
 | |
|     }
 | |
|     function onFile(srcStat, destStat, src, dest, opts) {
 | |
|       if (!destStat)
 | |
|         return copyFile(srcStat, src, dest, opts);
 | |
|       return mayCopyFile(srcStat, src, dest, opts);
 | |
|     }
 | |
|     function mayCopyFile(srcStat, src, dest, opts) {
 | |
|       if (opts.overwrite) {
 | |
|         fs.unlinkSync(dest);
 | |
|         return copyFile(srcStat, src, dest, opts);
 | |
|       } else if (opts.errorOnExist) {
 | |
|         throw new Error(`'${dest}' already exists`);
 | |
|       }
 | |
|     }
 | |
|     function copyFile(srcStat, src, dest, opts) {
 | |
|       fs.copyFileSync(src, dest);
 | |
|       if (opts.preserveTimestamps)
 | |
|         handleTimestamps(srcStat.mode, src, dest);
 | |
|       return setDestMode(dest, srcStat.mode);
 | |
|     }
 | |
|     function handleTimestamps(srcMode, src, dest) {
 | |
|       if (fileIsNotWritable(srcMode))
 | |
|         makeFileWritable(dest, srcMode);
 | |
|       return setDestTimestamps(src, dest);
 | |
|     }
 | |
|     function fileIsNotWritable(srcMode) {
 | |
|       return (srcMode & 128) === 0;
 | |
|     }
 | |
|     function makeFileWritable(dest, srcMode) {
 | |
|       return setDestMode(dest, srcMode | 128);
 | |
|     }
 | |
|     function setDestMode(dest, srcMode) {
 | |
|       return fs.chmodSync(dest, srcMode);
 | |
|     }
 | |
|     function setDestTimestamps(src, dest) {
 | |
|       const updatedSrcStat = fs.statSync(src);
 | |
|       return utimesMillisSync(dest, updatedSrcStat.atime, updatedSrcStat.mtime);
 | |
|     }
 | |
|     function onDir(srcStat, destStat, src, dest, opts) {
 | |
|       if (!destStat)
 | |
|         return mkDirAndCopy(srcStat.mode, src, dest, opts);
 | |
|       return copyDir(src, dest, opts);
 | |
|     }
 | |
|     function mkDirAndCopy(srcMode, src, dest, opts) {
 | |
|       fs.mkdirSync(dest);
 | |
|       copyDir(src, dest, opts);
 | |
|       return setDestMode(dest, srcMode);
 | |
|     }
 | |
|     function copyDir(src, dest, opts) {
 | |
|       fs.readdirSync(src).forEach((item) => copyDirItem(item, src, dest, opts));
 | |
|     }
 | |
|     function copyDirItem(item, src, dest, opts) {
 | |
|       const srcItem = path.join(src, item);
 | |
|       const destItem = path.join(dest, item);
 | |
|       if (opts.filter && !opts.filter(srcItem, destItem))
 | |
|         return;
 | |
|       const { destStat } = stat.checkPathsSync(srcItem, destItem, "copy", opts);
 | |
|       return getStats(destStat, srcItem, destItem, opts);
 | |
|     }
 | |
|     function onLink(destStat, src, dest, opts) {
 | |
|       let resolvedSrc = fs.readlinkSync(src);
 | |
|       if (opts.dereference) {
 | |
|         resolvedSrc = path.resolve(process.cwd(), resolvedSrc);
 | |
|       }
 | |
|       if (!destStat) {
 | |
|         return fs.symlinkSync(resolvedSrc, dest);
 | |
|       } else {
 | |
|         let resolvedDest;
 | |
|         try {
 | |
|           resolvedDest = fs.readlinkSync(dest);
 | |
|         } catch (err) {
 | |
|           if (err.code === "EINVAL" || err.code === "UNKNOWN")
 | |
|             return fs.symlinkSync(resolvedSrc, dest);
 | |
|           throw err;
 | |
|         }
 | |
|         if (opts.dereference) {
 | |
|           resolvedDest = path.resolve(process.cwd(), resolvedDest);
 | |
|         }
 | |
|         if (stat.isSrcSubdir(resolvedSrc, resolvedDest)) {
 | |
|           throw new Error(`Cannot copy '${resolvedSrc}' to a subdirectory of itself, '${resolvedDest}'.`);
 | |
|         }
 | |
|         if (stat.isSrcSubdir(resolvedDest, resolvedSrc)) {
 | |
|           throw new Error(`Cannot overwrite '${resolvedDest}' with '${resolvedSrc}'.`);
 | |
|         }
 | |
|         return copyLink(resolvedSrc, dest);
 | |
|       }
 | |
|     }
 | |
|     function copyLink(resolvedSrc, dest) {
 | |
|       fs.unlinkSync(dest);
 | |
|       return fs.symlinkSync(resolvedSrc, dest);
 | |
|     }
 | |
|     module2.exports = copySync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/copy/index.js
 | |
| var require_copy3 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/copy/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     module2.exports = {
 | |
|       copy: u(require_copy2()),
 | |
|       copySync: require_copy_sync2()
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/remove/index.js
 | |
| var require_remove = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/remove/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var u = require_universalify().fromCallback;
 | |
|     function remove(path, callback) {
 | |
|       fs.rm(path, { recursive: true, force: true }, callback);
 | |
|     }
 | |
|     function removeSync(path) {
 | |
|       fs.rmSync(path, { recursive: true, force: true });
 | |
|     }
 | |
|     module2.exports = {
 | |
|       remove: u(remove),
 | |
|       removeSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/empty/index.js
 | |
| var require_empty = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/empty/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromPromise;
 | |
|     var fs = require_fs3();
 | |
|     var path = require("path");
 | |
|     var mkdir = require_mkdirs2();
 | |
|     var remove = require_remove();
 | |
|     var emptyDir = u(async function emptyDir2(dir) {
 | |
|       let items;
 | |
|       try {
 | |
|         items = await fs.readdir(dir);
 | |
|       } catch {
 | |
|         return mkdir.mkdirs(dir);
 | |
|       }
 | |
|       return Promise.all(items.map((item) => remove.remove(path.join(dir, item))));
 | |
|     });
 | |
|     function emptyDirSync(dir) {
 | |
|       let items;
 | |
|       try {
 | |
|         items = fs.readdirSync(dir);
 | |
|       } catch {
 | |
|         return mkdir.mkdirsSync(dir);
 | |
|       }
 | |
|       items.forEach((item) => {
 | |
|         item = path.join(dir, item);
 | |
|         remove.removeSync(item);
 | |
|       });
 | |
|     }
 | |
|     module2.exports = {
 | |
|       emptyDirSync,
 | |
|       emptydirSync: emptyDirSync,
 | |
|       emptyDir,
 | |
|       emptydir: emptyDir
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/file.js
 | |
| var require_file = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/file.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     var path = require("path");
 | |
|     var fs = require_graceful_fs();
 | |
|     var mkdir = require_mkdirs2();
 | |
|     function createFile(file, callback) {
 | |
|       function makeFile() {
 | |
|         fs.writeFile(file, "", (err) => {
 | |
|           if (err)
 | |
|             return callback(err);
 | |
|           callback();
 | |
|         });
 | |
|       }
 | |
|       fs.stat(file, (err, stats) => {
 | |
|         if (!err && stats.isFile())
 | |
|           return callback();
 | |
|         const dir = path.dirname(file);
 | |
|         fs.stat(dir, (err2, stats2) => {
 | |
|           if (err2) {
 | |
|             if (err2.code === "ENOENT") {
 | |
|               return mkdir.mkdirs(dir, (err3) => {
 | |
|                 if (err3)
 | |
|                   return callback(err3);
 | |
|                 makeFile();
 | |
|               });
 | |
|             }
 | |
|             return callback(err2);
 | |
|           }
 | |
|           if (stats2.isDirectory())
 | |
|             makeFile();
 | |
|           else {
 | |
|             fs.readdir(dir, (err3) => {
 | |
|               if (err3)
 | |
|                 return callback(err3);
 | |
|             });
 | |
|           }
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function createFileSync(file) {
 | |
|       let stats;
 | |
|       try {
 | |
|         stats = fs.statSync(file);
 | |
|       } catch {
 | |
|       }
 | |
|       if (stats && stats.isFile())
 | |
|         return;
 | |
|       const dir = path.dirname(file);
 | |
|       try {
 | |
|         if (!fs.statSync(dir).isDirectory()) {
 | |
|           fs.readdirSync(dir);
 | |
|         }
 | |
|       } catch (err) {
 | |
|         if (err && err.code === "ENOENT")
 | |
|           mkdir.mkdirsSync(dir);
 | |
|         else
 | |
|           throw err;
 | |
|       }
 | |
|       fs.writeFileSync(file, "");
 | |
|     }
 | |
|     module2.exports = {
 | |
|       createFile: u(createFile),
 | |
|       createFileSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/link.js
 | |
| var require_link = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/link.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     var path = require("path");
 | |
|     var fs = require_graceful_fs();
 | |
|     var mkdir = require_mkdirs2();
 | |
|     var pathExists = require_path_exists2().pathExists;
 | |
|     var { areIdentical } = require_stat2();
 | |
|     function createLink(srcpath, dstpath, callback) {
 | |
|       function makeLink(srcpath2, dstpath2) {
 | |
|         fs.link(srcpath2, dstpath2, (err) => {
 | |
|           if (err)
 | |
|             return callback(err);
 | |
|           callback(null);
 | |
|         });
 | |
|       }
 | |
|       fs.lstat(dstpath, (_, dstStat) => {
 | |
|         fs.lstat(srcpath, (err, srcStat) => {
 | |
|           if (err) {
 | |
|             err.message = err.message.replace("lstat", "ensureLink");
 | |
|             return callback(err);
 | |
|           }
 | |
|           if (dstStat && areIdentical(srcStat, dstStat))
 | |
|             return callback(null);
 | |
|           const dir = path.dirname(dstpath);
 | |
|           pathExists(dir, (err2, dirExists) => {
 | |
|             if (err2)
 | |
|               return callback(err2);
 | |
|             if (dirExists)
 | |
|               return makeLink(srcpath, dstpath);
 | |
|             mkdir.mkdirs(dir, (err3) => {
 | |
|               if (err3)
 | |
|                 return callback(err3);
 | |
|               makeLink(srcpath, dstpath);
 | |
|             });
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function createLinkSync(srcpath, dstpath) {
 | |
|       let dstStat;
 | |
|       try {
 | |
|         dstStat = fs.lstatSync(dstpath);
 | |
|       } catch {
 | |
|       }
 | |
|       try {
 | |
|         const srcStat = fs.lstatSync(srcpath);
 | |
|         if (dstStat && areIdentical(srcStat, dstStat))
 | |
|           return;
 | |
|       } catch (err) {
 | |
|         err.message = err.message.replace("lstat", "ensureLink");
 | |
|         throw err;
 | |
|       }
 | |
|       const dir = path.dirname(dstpath);
 | |
|       const dirExists = fs.existsSync(dir);
 | |
|       if (dirExists)
 | |
|         return fs.linkSync(srcpath, dstpath);
 | |
|       mkdir.mkdirsSync(dir);
 | |
|       return fs.linkSync(srcpath, dstpath);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       createLink: u(createLink),
 | |
|       createLinkSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/symlink-paths.js
 | |
| var require_symlink_paths = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/symlink-paths.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var path = require("path");
 | |
|     var fs = require_graceful_fs();
 | |
|     var pathExists = require_path_exists2().pathExists;
 | |
|     function symlinkPaths(srcpath, dstpath, callback) {
 | |
|       if (path.isAbsolute(srcpath)) {
 | |
|         return fs.lstat(srcpath, (err) => {
 | |
|           if (err) {
 | |
|             err.message = err.message.replace("lstat", "ensureSymlink");
 | |
|             return callback(err);
 | |
|           }
 | |
|           return callback(null, {
 | |
|             toCwd: srcpath,
 | |
|             toDst: srcpath
 | |
|           });
 | |
|         });
 | |
|       } else {
 | |
|         const dstdir = path.dirname(dstpath);
 | |
|         const relativeToDst = path.join(dstdir, srcpath);
 | |
|         return pathExists(relativeToDst, (err, exists) => {
 | |
|           if (err)
 | |
|             return callback(err);
 | |
|           if (exists) {
 | |
|             return callback(null, {
 | |
|               toCwd: relativeToDst,
 | |
|               toDst: srcpath
 | |
|             });
 | |
|           } else {
 | |
|             return fs.lstat(srcpath, (err2) => {
 | |
|               if (err2) {
 | |
|                 err2.message = err2.message.replace("lstat", "ensureSymlink");
 | |
|                 return callback(err2);
 | |
|               }
 | |
|               return callback(null, {
 | |
|                 toCwd: srcpath,
 | |
|                 toDst: path.relative(dstdir, srcpath)
 | |
|               });
 | |
|             });
 | |
|           }
 | |
|         });
 | |
|       }
 | |
|     }
 | |
|     function symlinkPathsSync(srcpath, dstpath) {
 | |
|       let exists;
 | |
|       if (path.isAbsolute(srcpath)) {
 | |
|         exists = fs.existsSync(srcpath);
 | |
|         if (!exists)
 | |
|           throw new Error("absolute srcpath does not exist");
 | |
|         return {
 | |
|           toCwd: srcpath,
 | |
|           toDst: srcpath
 | |
|         };
 | |
|       } else {
 | |
|         const dstdir = path.dirname(dstpath);
 | |
|         const relativeToDst = path.join(dstdir, srcpath);
 | |
|         exists = fs.existsSync(relativeToDst);
 | |
|         if (exists) {
 | |
|           return {
 | |
|             toCwd: relativeToDst,
 | |
|             toDst: srcpath
 | |
|           };
 | |
|         } else {
 | |
|           exists = fs.existsSync(srcpath);
 | |
|           if (!exists)
 | |
|             throw new Error("relative srcpath does not exist");
 | |
|           return {
 | |
|             toCwd: srcpath,
 | |
|             toDst: path.relative(dstdir, srcpath)
 | |
|           };
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     module2.exports = {
 | |
|       symlinkPaths,
 | |
|       symlinkPathsSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/symlink-type.js
 | |
| var require_symlink_type = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/symlink-type.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     function symlinkType(srcpath, type, callback) {
 | |
|       callback = typeof type === "function" ? type : callback;
 | |
|       type = typeof type === "function" ? false : type;
 | |
|       if (type)
 | |
|         return callback(null, type);
 | |
|       fs.lstat(srcpath, (err, stats) => {
 | |
|         if (err)
 | |
|           return callback(null, "file");
 | |
|         type = stats && stats.isDirectory() ? "dir" : "file";
 | |
|         callback(null, type);
 | |
|       });
 | |
|     }
 | |
|     function symlinkTypeSync(srcpath, type) {
 | |
|       let stats;
 | |
|       if (type)
 | |
|         return type;
 | |
|       try {
 | |
|         stats = fs.lstatSync(srcpath);
 | |
|       } catch {
 | |
|         return "file";
 | |
|       }
 | |
|       return stats && stats.isDirectory() ? "dir" : "file";
 | |
|     }
 | |
|     module2.exports = {
 | |
|       symlinkType,
 | |
|       symlinkTypeSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/symlink.js
 | |
| var require_symlink = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/symlink.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     var path = require("path");
 | |
|     var fs = require_fs3();
 | |
|     var _mkdirs = require_mkdirs2();
 | |
|     var mkdirs = _mkdirs.mkdirs;
 | |
|     var mkdirsSync = _mkdirs.mkdirsSync;
 | |
|     var _symlinkPaths = require_symlink_paths();
 | |
|     var symlinkPaths = _symlinkPaths.symlinkPaths;
 | |
|     var symlinkPathsSync = _symlinkPaths.symlinkPathsSync;
 | |
|     var _symlinkType = require_symlink_type();
 | |
|     var symlinkType = _symlinkType.symlinkType;
 | |
|     var symlinkTypeSync = _symlinkType.symlinkTypeSync;
 | |
|     var pathExists = require_path_exists2().pathExists;
 | |
|     var { areIdentical } = require_stat2();
 | |
|     function createSymlink(srcpath, dstpath, type, callback) {
 | |
|       callback = typeof type === "function" ? type : callback;
 | |
|       type = typeof type === "function" ? false : type;
 | |
|       fs.lstat(dstpath, (err, stats) => {
 | |
|         if (!err && stats.isSymbolicLink()) {
 | |
|           Promise.all([
 | |
|             fs.stat(srcpath),
 | |
|             fs.stat(dstpath)
 | |
|           ]).then(([srcStat, dstStat]) => {
 | |
|             if (areIdentical(srcStat, dstStat))
 | |
|               return callback(null);
 | |
|             _createSymlink(srcpath, dstpath, type, callback);
 | |
|           });
 | |
|         } else
 | |
|           _createSymlink(srcpath, dstpath, type, callback);
 | |
|       });
 | |
|     }
 | |
|     function _createSymlink(srcpath, dstpath, type, callback) {
 | |
|       symlinkPaths(srcpath, dstpath, (err, relative) => {
 | |
|         if (err)
 | |
|           return callback(err);
 | |
|         srcpath = relative.toDst;
 | |
|         symlinkType(relative.toCwd, type, (err2, type2) => {
 | |
|           if (err2)
 | |
|             return callback(err2);
 | |
|           const dir = path.dirname(dstpath);
 | |
|           pathExists(dir, (err3, dirExists) => {
 | |
|             if (err3)
 | |
|               return callback(err3);
 | |
|             if (dirExists)
 | |
|               return fs.symlink(srcpath, dstpath, type2, callback);
 | |
|             mkdirs(dir, (err4) => {
 | |
|               if (err4)
 | |
|                 return callback(err4);
 | |
|               fs.symlink(srcpath, dstpath, type2, callback);
 | |
|             });
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function createSymlinkSync(srcpath, dstpath, type) {
 | |
|       let stats;
 | |
|       try {
 | |
|         stats = fs.lstatSync(dstpath);
 | |
|       } catch {
 | |
|       }
 | |
|       if (stats && stats.isSymbolicLink()) {
 | |
|         const srcStat = fs.statSync(srcpath);
 | |
|         const dstStat = fs.statSync(dstpath);
 | |
|         if (areIdentical(srcStat, dstStat))
 | |
|           return;
 | |
|       }
 | |
|       const relative = symlinkPathsSync(srcpath, dstpath);
 | |
|       srcpath = relative.toDst;
 | |
|       type = symlinkTypeSync(relative.toCwd, type);
 | |
|       const dir = path.dirname(dstpath);
 | |
|       const exists = fs.existsSync(dir);
 | |
|       if (exists)
 | |
|         return fs.symlinkSync(srcpath, dstpath, type);
 | |
|       mkdirsSync(dir);
 | |
|       return fs.symlinkSync(srcpath, dstpath, type);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       createSymlink: u(createSymlink),
 | |
|       createSymlinkSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/index.js
 | |
| var require_ensure = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/ensure/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var { createFile, createFileSync } = require_file();
 | |
|     var { createLink, createLinkSync } = require_link();
 | |
|     var { createSymlink, createSymlinkSync } = require_symlink();
 | |
|     module2.exports = {
 | |
|       // file
 | |
|       createFile,
 | |
|       createFileSync,
 | |
|       ensureFile: createFile,
 | |
|       ensureFileSync: createFileSync,
 | |
|       // link
 | |
|       createLink,
 | |
|       createLinkSync,
 | |
|       ensureLink: createLink,
 | |
|       ensureLinkSync: createLinkSync,
 | |
|       // symlink
 | |
|       createSymlink,
 | |
|       createSymlinkSync,
 | |
|       ensureSymlink: createSymlink,
 | |
|       ensureSymlinkSync: createSymlinkSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/jsonfile@6.1.0/node_modules/jsonfile/utils.js
 | |
| var require_utils3 = __commonJS({
 | |
|   "../node_modules/.pnpm/jsonfile@6.1.0/node_modules/jsonfile/utils.js"(exports2, module2) {
 | |
|     function stringify(obj, { EOL = "\n", finalEOL = true, replacer = null, spaces } = {}) {
 | |
|       const EOF = finalEOL ? EOL : "";
 | |
|       const str = JSON.stringify(obj, replacer, spaces);
 | |
|       return str.replace(/\n/g, EOL) + EOF;
 | |
|     }
 | |
|     function stripBom(content) {
 | |
|       if (Buffer.isBuffer(content))
 | |
|         content = content.toString("utf8");
 | |
|       return content.replace(/^\uFEFF/, "");
 | |
|     }
 | |
|     module2.exports = { stringify, stripBom };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/jsonfile@6.1.0/node_modules/jsonfile/index.js
 | |
| var require_jsonfile = __commonJS({
 | |
|   "../node_modules/.pnpm/jsonfile@6.1.0/node_modules/jsonfile/index.js"(exports2, module2) {
 | |
|     var _fs;
 | |
|     try {
 | |
|       _fs = require_graceful_fs();
 | |
|     } catch (_) {
 | |
|       _fs = require("fs");
 | |
|     }
 | |
|     var universalify = require_universalify();
 | |
|     var { stringify, stripBom } = require_utils3();
 | |
|     async function _readFile(file, options = {}) {
 | |
|       if (typeof options === "string") {
 | |
|         options = { encoding: options };
 | |
|       }
 | |
|       const fs = options.fs || _fs;
 | |
|       const shouldThrow = "throws" in options ? options.throws : true;
 | |
|       let data = await universalify.fromCallback(fs.readFile)(file, options);
 | |
|       data = stripBom(data);
 | |
|       let obj;
 | |
|       try {
 | |
|         obj = JSON.parse(data, options ? options.reviver : null);
 | |
|       } catch (err) {
 | |
|         if (shouldThrow) {
 | |
|           err.message = `${file}: ${err.message}`;
 | |
|           throw err;
 | |
|         } else {
 | |
|           return null;
 | |
|         }
 | |
|       }
 | |
|       return obj;
 | |
|     }
 | |
|     var readFile = universalify.fromPromise(_readFile);
 | |
|     function readFileSync(file, options = {}) {
 | |
|       if (typeof options === "string") {
 | |
|         options = { encoding: options };
 | |
|       }
 | |
|       const fs = options.fs || _fs;
 | |
|       const shouldThrow = "throws" in options ? options.throws : true;
 | |
|       try {
 | |
|         let content = fs.readFileSync(file, options);
 | |
|         content = stripBom(content);
 | |
|         return JSON.parse(content, options.reviver);
 | |
|       } catch (err) {
 | |
|         if (shouldThrow) {
 | |
|           err.message = `${file}: ${err.message}`;
 | |
|           throw err;
 | |
|         } else {
 | |
|           return null;
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     async function _writeFile(file, obj, options = {}) {
 | |
|       const fs = options.fs || _fs;
 | |
|       const str = stringify(obj, options);
 | |
|       await universalify.fromCallback(fs.writeFile)(file, str, options);
 | |
|     }
 | |
|     var writeFile = universalify.fromPromise(_writeFile);
 | |
|     function writeFileSync(file, obj, options = {}) {
 | |
|       const fs = options.fs || _fs;
 | |
|       const str = stringify(obj, options);
 | |
|       return fs.writeFileSync(file, str, options);
 | |
|     }
 | |
|     var jsonfile = {
 | |
|       readFile,
 | |
|       readFileSync,
 | |
|       writeFile,
 | |
|       writeFileSync
 | |
|     };
 | |
|     module2.exports = jsonfile;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/jsonfile.js
 | |
| var require_jsonfile2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/jsonfile.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var jsonFile = require_jsonfile();
 | |
|     module2.exports = {
 | |
|       // jsonfile exports
 | |
|       readJson: jsonFile.readFile,
 | |
|       readJsonSync: jsonFile.readFileSync,
 | |
|       writeJson: jsonFile.writeFile,
 | |
|       writeJsonSync: jsonFile.writeFileSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/output-file/index.js
 | |
| var require_output_file = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/output-file/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var mkdir = require_mkdirs2();
 | |
|     var pathExists = require_path_exists2().pathExists;
 | |
|     function outputFile(file, data, encoding, callback) {
 | |
|       if (typeof encoding === "function") {
 | |
|         callback = encoding;
 | |
|         encoding = "utf8";
 | |
|       }
 | |
|       const dir = path.dirname(file);
 | |
|       pathExists(dir, (err, itDoes) => {
 | |
|         if (err)
 | |
|           return callback(err);
 | |
|         if (itDoes)
 | |
|           return fs.writeFile(file, data, encoding, callback);
 | |
|         mkdir.mkdirs(dir, (err2) => {
 | |
|           if (err2)
 | |
|             return callback(err2);
 | |
|           fs.writeFile(file, data, encoding, callback);
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function outputFileSync(file, ...args) {
 | |
|       const dir = path.dirname(file);
 | |
|       if (fs.existsSync(dir)) {
 | |
|         return fs.writeFileSync(file, ...args);
 | |
|       }
 | |
|       mkdir.mkdirsSync(dir);
 | |
|       fs.writeFileSync(file, ...args);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       outputFile: u(outputFile),
 | |
|       outputFileSync
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/output-json.js
 | |
| var require_output_json = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/output-json.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var { stringify } = require_utils3();
 | |
|     var { outputFile } = require_output_file();
 | |
|     async function outputJson(file, data, options = {}) {
 | |
|       const str = stringify(data, options);
 | |
|       await outputFile(file, str, options);
 | |
|     }
 | |
|     module2.exports = outputJson;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/output-json-sync.js
 | |
| var require_output_json_sync = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/output-json-sync.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var { stringify } = require_utils3();
 | |
|     var { outputFileSync } = require_output_file();
 | |
|     function outputJsonSync(file, data, options) {
 | |
|       const str = stringify(data, options);
 | |
|       outputFileSync(file, str, options);
 | |
|     }
 | |
|     module2.exports = outputJsonSync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/index.js
 | |
| var require_json = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/json/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromPromise;
 | |
|     var jsonFile = require_jsonfile2();
 | |
|     jsonFile.outputJson = u(require_output_json());
 | |
|     jsonFile.outputJsonSync = require_output_json_sync();
 | |
|     jsonFile.outputJSON = jsonFile.outputJson;
 | |
|     jsonFile.outputJSONSync = jsonFile.outputJsonSync;
 | |
|     jsonFile.writeJSON = jsonFile.writeJson;
 | |
|     jsonFile.writeJSONSync = jsonFile.writeJsonSync;
 | |
|     jsonFile.readJSON = jsonFile.readJson;
 | |
|     jsonFile.readJSONSync = jsonFile.readJsonSync;
 | |
|     module2.exports = jsonFile;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/move/move.js
 | |
| var require_move = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/move/move.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var copy = require_copy3().copy;
 | |
|     var remove = require_remove().remove;
 | |
|     var mkdirp = require_mkdirs2().mkdirp;
 | |
|     var pathExists = require_path_exists2().pathExists;
 | |
|     var stat = require_stat2();
 | |
|     function move(src, dest, opts, cb) {
 | |
|       if (typeof opts === "function") {
 | |
|         cb = opts;
 | |
|         opts = {};
 | |
|       }
 | |
|       opts = opts || {};
 | |
|       const overwrite = opts.overwrite || opts.clobber || false;
 | |
|       stat.checkPaths(src, dest, "move", opts, (err, stats) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         const { srcStat, isChangingCase = false } = stats;
 | |
|         stat.checkParentPaths(src, srcStat, dest, "move", (err2) => {
 | |
|           if (err2)
 | |
|             return cb(err2);
 | |
|           if (isParentRoot(dest))
 | |
|             return doRename(src, dest, overwrite, isChangingCase, cb);
 | |
|           mkdirp(path.dirname(dest), (err3) => {
 | |
|             if (err3)
 | |
|               return cb(err3);
 | |
|             return doRename(src, dest, overwrite, isChangingCase, cb);
 | |
|           });
 | |
|         });
 | |
|       });
 | |
|     }
 | |
|     function isParentRoot(dest) {
 | |
|       const parent = path.dirname(dest);
 | |
|       const parsedPath = path.parse(parent);
 | |
|       return parsedPath.root === parent;
 | |
|     }
 | |
|     function doRename(src, dest, overwrite, isChangingCase, cb) {
 | |
|       if (isChangingCase)
 | |
|         return rename(src, dest, overwrite, cb);
 | |
|       if (overwrite) {
 | |
|         return remove(dest, (err) => {
 | |
|           if (err)
 | |
|             return cb(err);
 | |
|           return rename(src, dest, overwrite, cb);
 | |
|         });
 | |
|       }
 | |
|       pathExists(dest, (err, destExists) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         if (destExists)
 | |
|           return cb(new Error("dest already exists."));
 | |
|         return rename(src, dest, overwrite, cb);
 | |
|       });
 | |
|     }
 | |
|     function rename(src, dest, overwrite, cb) {
 | |
|       fs.rename(src, dest, (err) => {
 | |
|         if (!err)
 | |
|           return cb();
 | |
|         if (err.code !== "EXDEV")
 | |
|           return cb(err);
 | |
|         return moveAcrossDevice(src, dest, overwrite, cb);
 | |
|       });
 | |
|     }
 | |
|     function moveAcrossDevice(src, dest, overwrite, cb) {
 | |
|       const opts = {
 | |
|         overwrite,
 | |
|         errorOnExist: true,
 | |
|         preserveTimestamps: true
 | |
|       };
 | |
|       copy(src, dest, opts, (err) => {
 | |
|         if (err)
 | |
|           return cb(err);
 | |
|         return remove(src, cb);
 | |
|       });
 | |
|     }
 | |
|     module2.exports = move;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/move/move-sync.js
 | |
| var require_move_sync = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/move/move-sync.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require_graceful_fs();
 | |
|     var path = require("path");
 | |
|     var copySync = require_copy3().copySync;
 | |
|     var removeSync = require_remove().removeSync;
 | |
|     var mkdirpSync = require_mkdirs2().mkdirpSync;
 | |
|     var stat = require_stat2();
 | |
|     function moveSync(src, dest, opts) {
 | |
|       opts = opts || {};
 | |
|       const overwrite = opts.overwrite || opts.clobber || false;
 | |
|       const { srcStat, isChangingCase = false } = stat.checkPathsSync(src, dest, "move", opts);
 | |
|       stat.checkParentPathsSync(src, srcStat, dest, "move");
 | |
|       if (!isParentRoot(dest))
 | |
|         mkdirpSync(path.dirname(dest));
 | |
|       return doRename(src, dest, overwrite, isChangingCase);
 | |
|     }
 | |
|     function isParentRoot(dest) {
 | |
|       const parent = path.dirname(dest);
 | |
|       const parsedPath = path.parse(parent);
 | |
|       return parsedPath.root === parent;
 | |
|     }
 | |
|     function doRename(src, dest, overwrite, isChangingCase) {
 | |
|       if (isChangingCase)
 | |
|         return rename(src, dest, overwrite);
 | |
|       if (overwrite) {
 | |
|         removeSync(dest);
 | |
|         return rename(src, dest, overwrite);
 | |
|       }
 | |
|       if (fs.existsSync(dest))
 | |
|         throw new Error("dest already exists.");
 | |
|       return rename(src, dest, overwrite);
 | |
|     }
 | |
|     function rename(src, dest, overwrite) {
 | |
|       try {
 | |
|         fs.renameSync(src, dest);
 | |
|       } catch (err) {
 | |
|         if (err.code !== "EXDEV")
 | |
|           throw err;
 | |
|         return moveAcrossDevice(src, dest, overwrite);
 | |
|       }
 | |
|     }
 | |
|     function moveAcrossDevice(src, dest, overwrite) {
 | |
|       const opts = {
 | |
|         overwrite,
 | |
|         errorOnExist: true,
 | |
|         preserveTimestamps: true
 | |
|       };
 | |
|       copySync(src, dest, opts);
 | |
|       return removeSync(src);
 | |
|     }
 | |
|     module2.exports = moveSync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/move/index.js
 | |
| var require_move2 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/move/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var u = require_universalify().fromCallback;
 | |
|     module2.exports = {
 | |
|       move: u(require_move()),
 | |
|       moveSync: require_move_sync()
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/index.js
 | |
| var require_lib7 = __commonJS({
 | |
|   "../node_modules/.pnpm/fs-extra@11.1.1/node_modules/fs-extra/lib/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = {
 | |
|       // Export promiseified graceful-fs:
 | |
|       ...require_fs3(),
 | |
|       // Export extra methods:
 | |
|       ...require_copy3(),
 | |
|       ...require_empty(),
 | |
|       ...require_ensure(),
 | |
|       ...require_json(),
 | |
|       ...require_mkdirs2(),
 | |
|       ...require_move2(),
 | |
|       ...require_output_file(),
 | |
|       ...require_path_exists2(),
 | |
|       ...require_remove()
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/make-empty-dir@2.1.0/node_modules/make-empty-dir/index.js
 | |
| var require_make_empty_dir = __commonJS({
 | |
|   "../node_modules/.pnpm/make-empty-dir@2.1.0/node_modules/make-empty-dir/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var fs = require("fs");
 | |
|     var path = require("path");
 | |
|     var rimraf = require_rimraf2();
 | |
|     module2.exports = async function makeEmptyDir(dir, opts) {
 | |
|       if (opts && opts.recursive) {
 | |
|         await fs.promises.mkdir(path.dirname(dir), { recursive: true });
 | |
|       }
 | |
|       try {
 | |
|         await fs.promises.mkdir(dir);
 | |
|         return "created";
 | |
|       } catch (err) {
 | |
|         if (err.code === "EEXIST") {
 | |
|           await removeContentsOfDir(dir);
 | |
|           return "emptied";
 | |
|         }
 | |
|         throw err;
 | |
|       }
 | |
|     };
 | |
|     async function removeContentsOfDir(dir) {
 | |
|       const items = await fs.promises.readdir(dir);
 | |
|       for (const item of items) {
 | |
|         await rimraf(path.join(dir, item));
 | |
|       }
 | |
|     }
 | |
|     module2.exports.sync = function makeEmptyDirSync(dir, opts) {
 | |
|       if (opts && opts.recursive) {
 | |
|         fs.mkdirSync(path.dirname(dir), { recursive: true });
 | |
|       }
 | |
|       try {
 | |
|         fs.mkdirSync(dir);
 | |
|         return "created";
 | |
|       } catch (err) {
 | |
|         if (err.code === "EEXIST") {
 | |
|           removeContentsOfDirSync(dir);
 | |
|           return "emptied";
 | |
|         }
 | |
|         throw err;
 | |
|       }
 | |
|     };
 | |
|     function removeContentsOfDirSync(dir) {
 | |
|       const items = fs.readdirSync(dir);
 | |
|       for (const item of items) {
 | |
|         rimraf.sync(path.join(dir, item));
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/truncate-utf8-bytes@1.0.2/node_modules/truncate-utf8-bytes/lib/truncate.js
 | |
| var require_truncate = __commonJS({
 | |
|   "../node_modules/.pnpm/truncate-utf8-bytes@1.0.2/node_modules/truncate-utf8-bytes/lib/truncate.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     function isHighSurrogate(codePoint) {
 | |
|       return codePoint >= 55296 && codePoint <= 56319;
 | |
|     }
 | |
|     function isLowSurrogate(codePoint) {
 | |
|       return codePoint >= 56320 && codePoint <= 57343;
 | |
|     }
 | |
|     module2.exports = function truncate(getLength, string, byteLength) {
 | |
|       if (typeof string !== "string") {
 | |
|         throw new Error("Input must be string");
 | |
|       }
 | |
|       var charLength = string.length;
 | |
|       var curByteLength = 0;
 | |
|       var codePoint;
 | |
|       var segment;
 | |
|       for (var i = 0; i < charLength; i += 1) {
 | |
|         codePoint = string.charCodeAt(i);
 | |
|         segment = string[i];
 | |
|         if (isHighSurrogate(codePoint) && isLowSurrogate(string.charCodeAt(i + 1))) {
 | |
|           i += 1;
 | |
|           segment += string[i];
 | |
|         }
 | |
|         curByteLength += getLength(segment);
 | |
|         if (curByteLength === byteLength) {
 | |
|           return string.slice(0, i + 1);
 | |
|         } else if (curByteLength > byteLength) {
 | |
|           return string.slice(0, i - segment.length + 1);
 | |
|         }
 | |
|       }
 | |
|       return string;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/truncate-utf8-bytes@1.0.2/node_modules/truncate-utf8-bytes/index.js
 | |
| var require_truncate_utf8_bytes = __commonJS({
 | |
|   "../node_modules/.pnpm/truncate-utf8-bytes@1.0.2/node_modules/truncate-utf8-bytes/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var truncate = require_truncate();
 | |
|     var getLength = Buffer.byteLength.bind(Buffer);
 | |
|     module2.exports = truncate.bind(null, getLength);
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/sanitize-filename@1.6.3/node_modules/sanitize-filename/index.js
 | |
| var require_sanitize_filename = __commonJS({
 | |
|   "../node_modules/.pnpm/sanitize-filename@1.6.3/node_modules/sanitize-filename/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var truncate = require_truncate_utf8_bytes();
 | |
|     var illegalRe = /[\/\?<>\\:\*\|"]/g;
 | |
|     var controlRe = /[\x00-\x1f\x80-\x9f]/g;
 | |
|     var reservedRe = /^\.+$/;
 | |
|     var windowsReservedRe = /^(con|prn|aux|nul|com[0-9]|lpt[0-9])(\..*)?$/i;
 | |
|     var windowsTrailingRe = /[\. ]+$/;
 | |
|     function sanitize(input, replacement) {
 | |
|       if (typeof input !== "string") {
 | |
|         throw new Error("Input must be string");
 | |
|       }
 | |
|       var sanitized = input.replace(illegalRe, replacement).replace(controlRe, replacement).replace(reservedRe, replacement).replace(windowsReservedRe, replacement).replace(windowsTrailingRe, replacement);
 | |
|       return truncate(sanitized, 255);
 | |
|     }
 | |
|     module2.exports = function(input, options) {
 | |
|       var replacement = options && options.replacement || "";
 | |
|       var output = sanitize(input, replacement);
 | |
|       if (replacement === "") {
 | |
|         return output;
 | |
|       }
 | |
|       return sanitize(output, "");
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/crypto-random-string@2.0.0/node_modules/crypto-random-string/index.js
 | |
| var require_crypto_random_string = __commonJS({
 | |
|   "../node_modules/.pnpm/crypto-random-string@2.0.0/node_modules/crypto-random-string/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var crypto2 = require("crypto");
 | |
|     module2.exports = (length) => {
 | |
|       if (!Number.isFinite(length)) {
 | |
|         throw new TypeError("Expected a finite number");
 | |
|       }
 | |
|       return crypto2.randomBytes(Math.ceil(length / 2)).toString("hex").slice(0, length);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/unique-string@2.0.0/node_modules/unique-string/index.js
 | |
| var require_unique_string = __commonJS({
 | |
|   "../node_modules/.pnpm/unique-string@2.0.0/node_modules/unique-string/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var cryptoRandomString = require_crypto_random_string();
 | |
|     module2.exports = () => cryptoRandomString(32);
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/path-temp@2.1.0/node_modules/path-temp/index.js
 | |
| var require_path_temp = __commonJS({
 | |
|   "../node_modules/.pnpm/path-temp@2.1.0/node_modules/path-temp/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var path = require("path");
 | |
|     var uniqueString = require_unique_string();
 | |
|     module2.exports = function pathTemp(folder) {
 | |
|       return path.join(folder, `_tmp_${process.pid}_${uniqueString()}`);
 | |
|     };
 | |
|     module2.exports.fastPathTemp = function pathTempFast(file) {
 | |
|       return path.join(path.dirname(file), `${path.basename(file)}_tmp_${process.pid}`);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../fs/indexed-pkg-importer/lib/importIndexedDir.js
 | |
| var require_importIndexedDir = __commonJS({
 | |
|   "../fs/indexed-pkg-importer/lib/importIndexedDir.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.importIndexedDir = void 0;
 | |
|     var fs_12 = __importDefault2(require("fs"));
 | |
|     var fs_extra_1 = require_lib7();
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var logger_1 = require_lib5();
 | |
|     var rimraf_1 = require_rimraf2();
 | |
|     var make_empty_dir_1 = require_make_empty_dir();
 | |
|     var sanitize_filename_1 = __importDefault2(require_sanitize_filename());
 | |
|     var path_temp_1 = require_path_temp();
 | |
|     var rename_overwrite_1 = __importDefault2(require_rename_overwrite());
 | |
|     var filenameConflictsLogger = (0, logger_1.logger)("_filename-conflicts");
 | |
|     function importIndexedDir(importFile, newDir, filenames, opts) {
 | |
|       const stage = (0, path_temp_1.fastPathTemp)(newDir);
 | |
|       try {
 | |
|         tryImportIndexedDir(importFile, stage, filenames);
 | |
|         if (opts.keepModulesDir) {
 | |
|           moveOrMergeModulesDirs(path_12.default.join(newDir, "node_modules"), path_12.default.join(stage, "node_modules"));
 | |
|         }
 | |
|         rename_overwrite_1.default.sync(stage, newDir);
 | |
|       } catch (err) {
 | |
|         try {
 | |
|           (0, rimraf_1.sync)(stage);
 | |
|         } catch (err2) {
 | |
|         }
 | |
|         if (err["code"] === "EEXIST") {
 | |
|           const { uniqueFileMap, conflictingFileNames } = getUniqueFileMap(filenames);
 | |
|           if (Object.keys(conflictingFileNames).length === 0)
 | |
|             throw err;
 | |
|           filenameConflictsLogger.debug({
 | |
|             conflicts: conflictingFileNames,
 | |
|             writingTo: newDir
 | |
|           });
 | |
|           (0, logger_1.globalWarn)(`Not all files were linked to "${path_12.default.relative(process.cwd(), newDir)}". Some of the files have equal names in different case, which is an issue on case-insensitive filesystems. The conflicting file names are: ${JSON.stringify(conflictingFileNames)}`);
 | |
|           importIndexedDir(importFile, newDir, uniqueFileMap, opts);
 | |
|           return;
 | |
|         }
 | |
|         if (err["code"] === "ENOENT") {
 | |
|           const { sanitizedFilenames, invalidFilenames } = sanitizeFilenames(filenames);
 | |
|           if (invalidFilenames.length === 0)
 | |
|             throw err;
 | |
|           (0, logger_1.globalWarn)(`The package linked to "${path_12.default.relative(process.cwd(), newDir)}" had files with invalid names: ${invalidFilenames.join(", ")}. They were renamed.`);
 | |
|           importIndexedDir(importFile, newDir, sanitizedFilenames, opts);
 | |
|           return;
 | |
|         }
 | |
|         throw err;
 | |
|       }
 | |
|     }
 | |
|     exports2.importIndexedDir = importIndexedDir;
 | |
|     function sanitizeFilenames(filenames) {
 | |
|       const sanitizedFilenames = {};
 | |
|       const invalidFilenames = [];
 | |
|       for (const [filename, src] of Object.entries(filenames)) {
 | |
|         const sanitizedFilename = filename.split("/").map((f) => (0, sanitize_filename_1.default)(f)).join("/");
 | |
|         if (sanitizedFilename !== filename) {
 | |
|           invalidFilenames.push(filename);
 | |
|         }
 | |
|         sanitizedFilenames[sanitizedFilename] = src;
 | |
|       }
 | |
|       return { sanitizedFilenames, invalidFilenames };
 | |
|     }
 | |
|     function tryImportIndexedDir(importFile, newDir, filenames) {
 | |
|       (0, make_empty_dir_1.sync)(newDir, { recursive: true });
 | |
|       const allDirs = /* @__PURE__ */ new Set();
 | |
|       Object.keys(filenames).forEach((f) => {
 | |
|         const dir = path_12.default.dirname(f);
 | |
|         if (dir === ".")
 | |
|           return;
 | |
|         allDirs.add(dir);
 | |
|       });
 | |
|       Array.from(allDirs).sort((d1, d2) => d1.length - d2.length).forEach((dir) => fs_12.default.mkdirSync(path_12.default.join(newDir, dir), { recursive: true }));
 | |
|       for (const [f, src] of Object.entries(filenames)) {
 | |
|         const dest = path_12.default.join(newDir, f);
 | |
|         importFile(src, dest);
 | |
|       }
 | |
|     }
 | |
|     function getUniqueFileMap(fileMap) {
 | |
|       const lowercaseFiles = /* @__PURE__ */ new Map();
 | |
|       const conflictingFileNames = {};
 | |
|       const uniqueFileMap = {};
 | |
|       for (const filename of Object.keys(fileMap).sort()) {
 | |
|         const lowercaseFilename = filename.toLowerCase();
 | |
|         if (lowercaseFiles.has(lowercaseFilename)) {
 | |
|           conflictingFileNames[filename] = lowercaseFiles.get(lowercaseFilename);
 | |
|           continue;
 | |
|         }
 | |
|         lowercaseFiles.set(lowercaseFilename, filename);
 | |
|         uniqueFileMap[filename] = fileMap[filename];
 | |
|       }
 | |
|       return {
 | |
|         conflictingFileNames,
 | |
|         uniqueFileMap
 | |
|       };
 | |
|     }
 | |
|     function moveOrMergeModulesDirs(src, dest) {
 | |
|       try {
 | |
|         renameEvenAcrossDevices(src, dest);
 | |
|       } catch (err) {
 | |
|         switch (err.code) {
 | |
|           case "ENOENT":
 | |
|             return;
 | |
|           case "ENOTEMPTY":
 | |
|           case "EPERM":
 | |
|             mergeModulesDirs(src, dest);
 | |
|             return;
 | |
|           default:
 | |
|             throw err;
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function renameEvenAcrossDevices(src, dest) {
 | |
|       try {
 | |
|         fs_12.default.renameSync(src, dest);
 | |
|       } catch (err) {
 | |
|         if (err.code !== "EXDEV")
 | |
|           throw err;
 | |
|         (0, fs_extra_1.copySync)(src, dest);
 | |
|       }
 | |
|     }
 | |
|     function mergeModulesDirs(src, dest) {
 | |
|       const srcFiles = fs_12.default.readdirSync(src);
 | |
|       const destFiles = new Set(fs_12.default.readdirSync(dest));
 | |
|       const filesToMove = srcFiles.filter((file) => !destFiles.has(file));
 | |
|       for (const file of filesToMove) {
 | |
|         renameEvenAcrossDevices(path_12.default.join(src, file), path_12.default.join(dest, file));
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@reflink+reflink@0.1.16/node_modules/@reflink/reflink/index.js
 | |
| var require_reflink = __commonJS({
 | |
|   "../node_modules/.pnpm/@reflink+reflink@0.1.16/node_modules/@reflink/reflink/index.js"(exports2, module2) {
 | |
|     var { existsSync, readFileSync } = require("fs");
 | |
|     var { join } = require("path");
 | |
|     var { platform, arch } = process;
 | |
|     var nativeBinding = null;
 | |
|     var localFileExisted = false;
 | |
|     var loadError = null;
 | |
|     function isMusl() {
 | |
|       if (!process.report || typeof process.report.getReport !== "function") {
 | |
|         try {
 | |
|           const lddPath = require("child_process").execSync("which ldd").toString().trim();
 | |
|           return readFileSync(lddPath, "utf8").includes("musl");
 | |
|         } catch (e) {
 | |
|           return true;
 | |
|         }
 | |
|       } else {
 | |
|         const { glibcVersionRuntime } = process.report.getReport().header;
 | |
|         return !glibcVersionRuntime;
 | |
|       }
 | |
|     }
 | |
|     switch (platform) {
 | |
|       case "android":
 | |
|         switch (arch) {
 | |
|           case "arm64":
 | |
|             localFileExisted = existsSync(join(__dirname, "reflink.android-arm64.node"));
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.android-arm64.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("@reflink/reflink-android-arm64");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           case "arm":
 | |
|             localFileExisted = existsSync(join(__dirname, "reflink.android-arm-eabi.node"));
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.android-arm-eabi.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("@reflink/reflink-android-arm-eabi");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           default:
 | |
|             throw new Error(`Unsupported architecture on Android ${arch}`);
 | |
|         }
 | |
|         break;
 | |
|       case "win32":
 | |
|         switch (arch) {
 | |
|           case "x64":
 | |
|             localFileExisted = existsSync(
 | |
|               join(__dirname, "reflink.win32-x64-msvc.node")
 | |
|             );
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.win32-x64-msvc.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("./reflink.win32-x64-msvc-5E6AAURT.node");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           case "ia32":
 | |
|             localFileExisted = existsSync(
 | |
|               join(__dirname, "reflink.win32-ia32-msvc.node")
 | |
|             );
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.win32-ia32-msvc.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("@reflink/reflink-win32-ia32-msvc");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           case "arm64":
 | |
|             localFileExisted = existsSync(
 | |
|               join(__dirname, "reflink.win32-arm64-msvc.node")
 | |
|             );
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.win32-arm64-msvc.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("./reflink.win32-arm64-msvc-IYGSKCGJ.node");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           default:
 | |
|             throw new Error(`Unsupported architecture on Windows: ${arch}`);
 | |
|         }
 | |
|         break;
 | |
|       case "darwin":
 | |
|         localFileExisted = existsSync(join(__dirname, "reflink.darwin-universal.node"));
 | |
|         try {
 | |
|           if (localFileExisted) {
 | |
|             nativeBinding = require("./reflink.darwin-universal.node");
 | |
|           } else {
 | |
|             nativeBinding = require("@reflink/reflink-darwin-universal");
 | |
|           }
 | |
|           break;
 | |
|         } catch {
 | |
|         }
 | |
|         switch (arch) {
 | |
|           case "x64":
 | |
|             localFileExisted = existsSync(join(__dirname, "reflink.darwin-x64.node"));
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.darwin-x64.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("./reflink.darwin-x64-CDTBYYIZ.node");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           case "arm64":
 | |
|             localFileExisted = existsSync(
 | |
|               join(__dirname, "reflink.darwin-arm64.node")
 | |
|             );
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.darwin-arm64.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("./reflink.darwin-arm64-MYEHQQCP.node");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           default:
 | |
|             throw new Error(`Unsupported architecture on macOS: ${arch}`);
 | |
|         }
 | |
|         break;
 | |
|       case "freebsd":
 | |
|         if (arch !== "x64") {
 | |
|           throw new Error(`Unsupported architecture on FreeBSD: ${arch}`);
 | |
|         }
 | |
|         localFileExisted = existsSync(join(__dirname, "reflink.freebsd-x64.node"));
 | |
|         try {
 | |
|           if (localFileExisted) {
 | |
|             nativeBinding = require("./reflink.freebsd-x64.node");
 | |
|           } else {
 | |
|             nativeBinding = require("@reflink/reflink-freebsd-x64");
 | |
|           }
 | |
|         } catch (e) {
 | |
|           loadError = e;
 | |
|         }
 | |
|         break;
 | |
|       case "linux":
 | |
|         switch (arch) {
 | |
|           case "x64":
 | |
|             if (isMusl()) {
 | |
|               localFileExisted = existsSync(
 | |
|                 join(__dirname, "reflink.linux-x64-musl.node")
 | |
|               );
 | |
|               try {
 | |
|                 if (localFileExisted) {
 | |
|                   nativeBinding = require("./reflink.linux-x64-musl.node");
 | |
|                 } else {
 | |
|                   nativeBinding = require("@reflink/reflink-linux-x64-musl");
 | |
|                 }
 | |
|               } catch (e) {
 | |
|                 loadError = e;
 | |
|               }
 | |
|             } else {
 | |
|               localFileExisted = existsSync(
 | |
|                 join(__dirname, "reflink.linux-x64-gnu.node")
 | |
|               );
 | |
|               try {
 | |
|                 if (localFileExisted) {
 | |
|                   nativeBinding = require("./reflink.linux-x64-gnu.node");
 | |
|                 } else {
 | |
|                   nativeBinding = require("@reflink/reflink-linux-x64-gnu");
 | |
|                 }
 | |
|               } catch (e) {
 | |
|                 loadError = e;
 | |
|               }
 | |
|             }
 | |
|             break;
 | |
|           case "arm64":
 | |
|             if (isMusl()) {
 | |
|               localFileExisted = existsSync(
 | |
|                 join(__dirname, "reflink.linux-arm64-musl.node")
 | |
|               );
 | |
|               try {
 | |
|                 if (localFileExisted) {
 | |
|                   nativeBinding = require("./reflink.linux-arm64-musl.node");
 | |
|                 } else {
 | |
|                   nativeBinding = require("@reflink/reflink-linux-arm64-musl");
 | |
|                 }
 | |
|               } catch (e) {
 | |
|                 loadError = e;
 | |
|               }
 | |
|             } else {
 | |
|               localFileExisted = existsSync(
 | |
|                 join(__dirname, "reflink.linux-arm64-gnu.node")
 | |
|               );
 | |
|               try {
 | |
|                 if (localFileExisted) {
 | |
|                   nativeBinding = require("./reflink.linux-arm64-gnu.node");
 | |
|                 } else {
 | |
|                   nativeBinding = require("@reflink/reflink-linux-arm64-gnu");
 | |
|                 }
 | |
|               } catch (e) {
 | |
|                 loadError = e;
 | |
|               }
 | |
|             }
 | |
|             break;
 | |
|           case "arm":
 | |
|             localFileExisted = existsSync(
 | |
|               join(__dirname, "reflink.linux-arm-gnueabihf.node")
 | |
|             );
 | |
|             try {
 | |
|               if (localFileExisted) {
 | |
|                 nativeBinding = require("./reflink.linux-arm-gnueabihf.node");
 | |
|               } else {
 | |
|                 nativeBinding = require("@reflink/reflink-linux-arm-gnueabihf");
 | |
|               }
 | |
|             } catch (e) {
 | |
|               loadError = e;
 | |
|             }
 | |
|             break;
 | |
|           default:
 | |
|             throw new Error(`Unsupported architecture on Linux: ${arch}`);
 | |
|         }
 | |
|         break;
 | |
|       default:
 | |
|         throw new Error(`Unsupported OS: ${platform}, architecture: ${arch}`);
 | |
|     }
 | |
|     if (!nativeBinding) {
 | |
|       if (loadError) {
 | |
|         throw loadError;
 | |
|       }
 | |
|       throw new Error(`Failed to load native binding`);
 | |
|     }
 | |
|     var { reflinkFile, reflinkFileSync } = nativeBinding;
 | |
|     module2.exports.reflinkFile = reflinkFile;
 | |
|     module2.exports.reflinkFileSync = reflinkFileSync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../fs/indexed-pkg-importer/lib/index.js
 | |
| var require_lib8 = __commonJS({
 | |
|   "../fs/indexed-pkg-importer/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.copyPkg = exports2.createIndexedPkgImporter = void 0;
 | |
|     var fs_12 = require("fs");
 | |
|     var graceful_fs_12 = __importDefault2(require_lib());
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var logger_1 = require_lib5();
 | |
|     var core_loggers_1 = require_lib6();
 | |
|     var importIndexedDir_1 = require_importIndexedDir();
 | |
|     function createIndexedPkgImporter(packageImportMethod) {
 | |
|       const importPackage2 = createImportPackage(packageImportMethod);
 | |
|       return importPackage2;
 | |
|     }
 | |
|     exports2.createIndexedPkgImporter = createIndexedPkgImporter;
 | |
|     function createImportPackage(packageImportMethod) {
 | |
|       switch (packageImportMethod ?? "auto") {
 | |
|         case "clone":
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "clone" });
 | |
|           return clonePkg.bind(null, createCloneFunction());
 | |
|         case "hardlink":
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "hardlink" });
 | |
|           return hardlinkPkg.bind(null, linkOrCopy);
 | |
|         case "auto": {
 | |
|           return createAutoImporter();
 | |
|         }
 | |
|         case "clone-or-copy":
 | |
|           return createCloneOrCopyImporter();
 | |
|         case "copy":
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "copy" });
 | |
|           return copyPkg;
 | |
|         default:
 | |
|           throw new Error(`Unknown package import method ${packageImportMethod}`);
 | |
|       }
 | |
|     }
 | |
|     function createAutoImporter() {
 | |
|       let auto = initialAuto;
 | |
|       return (to, opts) => auto(to, opts);
 | |
|       function initialAuto(to, opts) {
 | |
|         try {
 | |
|           const _clonePkg = clonePkg.bind(null, createCloneFunction());
 | |
|           if (!_clonePkg(to, opts))
 | |
|             return void 0;
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "clone" });
 | |
|           auto = _clonePkg;
 | |
|           return "clone";
 | |
|         } catch (err) {
 | |
|         }
 | |
|         try {
 | |
|           if (!hardlinkPkg(graceful_fs_12.default.linkSync, to, opts))
 | |
|             return void 0;
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "hardlink" });
 | |
|           auto = hardlinkPkg.bind(null, linkOrCopy);
 | |
|           return "hardlink";
 | |
|         } catch (err) {
 | |
|           if (err.message.startsWith("EXDEV: cross-device link not permitted")) {
 | |
|             (0, logger_1.globalWarn)(err.message);
 | |
|             (0, logger_1.globalInfo)("Falling back to copying packages from store");
 | |
|             core_loggers_1.packageImportMethodLogger.debug({ method: "copy" });
 | |
|             auto = copyPkg;
 | |
|             return auto(to, opts);
 | |
|           }
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "hardlink" });
 | |
|           auto = hardlinkPkg.bind(null, linkOrCopy);
 | |
|           return auto(to, opts);
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function createCloneOrCopyImporter() {
 | |
|       let auto = initialAuto;
 | |
|       return (to, opts) => auto(to, opts);
 | |
|       function initialAuto(to, opts) {
 | |
|         try {
 | |
|           const _clonePkg = clonePkg.bind(null, createCloneFunction());
 | |
|           if (!_clonePkg(to, opts))
 | |
|             return void 0;
 | |
|           core_loggers_1.packageImportMethodLogger.debug({ method: "clone" });
 | |
|           auto = _clonePkg;
 | |
|           return "clone";
 | |
|         } catch (err) {
 | |
|         }
 | |
|         core_loggers_1.packageImportMethodLogger.debug({ method: "copy" });
 | |
|         auto = copyPkg;
 | |
|         return auto(to, opts);
 | |
|       }
 | |
|     }
 | |
|     function clonePkg(clone, to, opts) {
 | |
|       const pkgJsonPath = path_12.default.join(to, "package.json");
 | |
|       if (opts.resolvedFrom !== "store" || opts.force || !(0, fs_12.existsSync)(pkgJsonPath)) {
 | |
|         (0, importIndexedDir_1.importIndexedDir)(clone, to, opts.filesMap, opts);
 | |
|         return "clone";
 | |
|       }
 | |
|       return void 0;
 | |
|     }
 | |
|     function createCloneFunction() {
 | |
|       if (process.platform === "darwin" || process.platform === "win32") {
 | |
|         const { reflinkFileSync } = require_reflink();
 | |
|         return (fr, to) => {
 | |
|           try {
 | |
|             reflinkFileSync(fr, to);
 | |
|           } catch (err) {
 | |
|             if (!err.message.startsWith("File exists"))
 | |
|               throw err;
 | |
|           }
 | |
|         };
 | |
|       }
 | |
|       return (src, dest) => {
 | |
|         try {
 | |
|           graceful_fs_12.default.copyFileSync(src, dest, fs_12.constants.COPYFILE_FICLONE_FORCE);
 | |
|         } catch (err) {
 | |
|           if (err.code !== "EEXIST")
 | |
|             throw err;
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     function hardlinkPkg(importFile, to, opts) {
 | |
|       if (opts.force || shouldRelinkPkg(to, opts)) {
 | |
|         (0, importIndexedDir_1.importIndexedDir)(importFile, to, opts.filesMap, opts);
 | |
|         return "hardlink";
 | |
|       }
 | |
|       return void 0;
 | |
|     }
 | |
|     function shouldRelinkPkg(to, opts) {
 | |
|       if (opts.disableRelinkLocalDirDeps && opts.resolvedFrom === "local-dir") {
 | |
|         try {
 | |
|           const files = graceful_fs_12.default.readdirSync(to);
 | |
|           return files.length === 0 || files.length === 1 && files[0] === "node_modules";
 | |
|         } catch {
 | |
|           return true;
 | |
|         }
 | |
|       }
 | |
|       return opts.resolvedFrom !== "store" || !pkgLinkedToStore(opts.filesMap, to);
 | |
|     }
 | |
|     function linkOrCopy(existingPath, newPath) {
 | |
|       try {
 | |
|         graceful_fs_12.default.linkSync(existingPath, newPath);
 | |
|       } catch (err) {
 | |
|         if (err["code"] === "EEXIST")
 | |
|           return;
 | |
|         graceful_fs_12.default.copyFileSync(existingPath, newPath);
 | |
|       }
 | |
|     }
 | |
|     function pkgLinkedToStore(filesMap, to) {
 | |
|       if (filesMap["package.json"]) {
 | |
|         if (isSameFile("package.json", to, filesMap)) {
 | |
|           return true;
 | |
|         }
 | |
|       } else {
 | |
|         const [anyFile] = Object.keys(filesMap);
 | |
|         if (isSameFile(anyFile, to, filesMap))
 | |
|           return true;
 | |
|       }
 | |
|       return false;
 | |
|     }
 | |
|     function isSameFile(filename, linkedPkgDir, filesMap) {
 | |
|       const linkedFile = path_12.default.join(linkedPkgDir, filename);
 | |
|       let stats0;
 | |
|       try {
 | |
|         stats0 = graceful_fs_12.default.statSync(linkedFile);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT")
 | |
|           return false;
 | |
|       }
 | |
|       const stats1 = graceful_fs_12.default.statSync(filesMap[filename]);
 | |
|       if (stats0.ino === stats1.ino)
 | |
|         return true;
 | |
|       (0, logger_1.globalInfo)(`Relinking ${linkedPkgDir} from the store`);
 | |
|       return false;
 | |
|     }
 | |
|     function copyPkg(to, opts) {
 | |
|       const pkgJsonPath = path_12.default.join(to, "package.json");
 | |
|       if (opts.resolvedFrom !== "store" || opts.force || !(0, fs_12.existsSync)(pkgJsonPath)) {
 | |
|         (0, importIndexedDir_1.importIndexedDir)(graceful_fs_12.default.copyFileSync, to, opts.filesMap, opts);
 | |
|         return "copy";
 | |
|       }
 | |
|       return void 0;
 | |
|     }
 | |
|     exports2.copyPkg = copyPkg;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/mimic-fn@3.1.0/node_modules/mimic-fn/index.js
 | |
| var require_mimic_fn = __commonJS({
 | |
|   "../node_modules/.pnpm/mimic-fn@3.1.0/node_modules/mimic-fn/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var copyProperty = (to, from, property, ignoreNonConfigurable) => {
 | |
|       if (property === "length" || property === "prototype") {
 | |
|         return;
 | |
|       }
 | |
|       if (property === "arguments" || property === "caller") {
 | |
|         return;
 | |
|       }
 | |
|       const toDescriptor = Object.getOwnPropertyDescriptor(to, property);
 | |
|       const fromDescriptor = Object.getOwnPropertyDescriptor(from, property);
 | |
|       if (!canCopyProperty(toDescriptor, fromDescriptor) && ignoreNonConfigurable) {
 | |
|         return;
 | |
|       }
 | |
|       Object.defineProperty(to, property, fromDescriptor);
 | |
|     };
 | |
|     var canCopyProperty = function(toDescriptor, fromDescriptor) {
 | |
|       return toDescriptor === void 0 || toDescriptor.configurable || toDescriptor.writable === fromDescriptor.writable && toDescriptor.enumerable === fromDescriptor.enumerable && toDescriptor.configurable === fromDescriptor.configurable && (toDescriptor.writable || toDescriptor.value === fromDescriptor.value);
 | |
|     };
 | |
|     var changePrototype = (to, from) => {
 | |
|       const fromPrototype = Object.getPrototypeOf(from);
 | |
|       if (fromPrototype === Object.getPrototypeOf(to)) {
 | |
|         return;
 | |
|       }
 | |
|       Object.setPrototypeOf(to, fromPrototype);
 | |
|     };
 | |
|     var wrappedToString = (withName, fromBody) => `/* Wrapped ${withName}*/
 | |
| ${fromBody}`;
 | |
|     var toStringDescriptor = Object.getOwnPropertyDescriptor(Function.prototype, "toString");
 | |
|     var toStringName = Object.getOwnPropertyDescriptor(Function.prototype.toString, "name");
 | |
|     var changeToString = (to, from, name) => {
 | |
|       const withName = name === "" ? "" : `with ${name.trim()}() `;
 | |
|       const newToString = wrappedToString.bind(null, withName, from.toString());
 | |
|       Object.defineProperty(newToString, "name", toStringName);
 | |
|       Object.defineProperty(to, "toString", { ...toStringDescriptor, value: newToString });
 | |
|     };
 | |
|     var mimicFn = (to, from, { ignoreNonConfigurable = false } = {}) => {
 | |
|       const { name } = to;
 | |
|       for (const property of Reflect.ownKeys(from)) {
 | |
|         copyProperty(to, from, property, ignoreNonConfigurable);
 | |
|       }
 | |
|       changePrototype(to, from);
 | |
|       changeToString(to, from, name);
 | |
|       return to;
 | |
|     };
 | |
|     module2.exports = mimicFn;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/p-defer@1.0.0/node_modules/p-defer/index.js
 | |
| var require_p_defer = __commonJS({
 | |
|   "../node_modules/.pnpm/p-defer@1.0.0/node_modules/p-defer/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = () => {
 | |
|       const ret = {};
 | |
|       ret.promise = new Promise((resolve, reject) => {
 | |
|         ret.resolve = resolve;
 | |
|         ret.reject = reject;
 | |
|       });
 | |
|       return ret;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/map-age-cleaner@0.1.3/node_modules/map-age-cleaner/dist/index.js
 | |
| var require_dist = __commonJS({
 | |
|   "../node_modules/.pnpm/map-age-cleaner@0.1.3/node_modules/map-age-cleaner/dist/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var __awaiter = exports2 && exports2.__awaiter || function(thisArg, _arguments, P, generator) {
 | |
|       return new (P || (P = Promise))(function(resolve, reject) {
 | |
|         function fulfilled(value) {
 | |
|           try {
 | |
|             step(generator.next(value));
 | |
|           } catch (e) {
 | |
|             reject(e);
 | |
|           }
 | |
|         }
 | |
|         function rejected(value) {
 | |
|           try {
 | |
|             step(generator["throw"](value));
 | |
|           } catch (e) {
 | |
|             reject(e);
 | |
|           }
 | |
|         }
 | |
|         function step(result) {
 | |
|           result.done ? resolve(result.value) : new P(function(resolve2) {
 | |
|             resolve2(result.value);
 | |
|           }).then(fulfilled, rejected);
 | |
|         }
 | |
|         step((generator = generator.apply(thisArg, _arguments || [])).next());
 | |
|       });
 | |
|     };
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     var p_defer_1 = __importDefault2(require_p_defer());
 | |
|     function mapAgeCleaner(map, property = "maxAge") {
 | |
|       let processingKey;
 | |
|       let processingTimer;
 | |
|       let processingDeferred;
 | |
|       const cleanup = () => __awaiter(this, void 0, void 0, function* () {
 | |
|         if (processingKey !== void 0) {
 | |
|           return;
 | |
|         }
 | |
|         const setupTimer = (item) => __awaiter(this, void 0, void 0, function* () {
 | |
|           processingDeferred = p_defer_1.default();
 | |
|           const delay = item[1][property] - Date.now();
 | |
|           if (delay <= 0) {
 | |
|             map.delete(item[0]);
 | |
|             processingDeferred.resolve();
 | |
|             return;
 | |
|           }
 | |
|           processingKey = item[0];
 | |
|           processingTimer = setTimeout(() => {
 | |
|             map.delete(item[0]);
 | |
|             if (processingDeferred) {
 | |
|               processingDeferred.resolve();
 | |
|             }
 | |
|           }, delay);
 | |
|           if (typeof processingTimer.unref === "function") {
 | |
|             processingTimer.unref();
 | |
|           }
 | |
|           return processingDeferred.promise;
 | |
|         });
 | |
|         try {
 | |
|           for (const entry of map) {
 | |
|             yield setupTimer(entry);
 | |
|           }
 | |
|         } catch (_a) {
 | |
|         }
 | |
|         processingKey = void 0;
 | |
|       });
 | |
|       const reset = () => {
 | |
|         processingKey = void 0;
 | |
|         if (processingTimer !== void 0) {
 | |
|           clearTimeout(processingTimer);
 | |
|           processingTimer = void 0;
 | |
|         }
 | |
|         if (processingDeferred !== void 0) {
 | |
|           processingDeferred.reject(void 0);
 | |
|           processingDeferred = void 0;
 | |
|         }
 | |
|       };
 | |
|       const originalSet = map.set.bind(map);
 | |
|       map.set = (key, value) => {
 | |
|         if (map.has(key)) {
 | |
|           map.delete(key);
 | |
|         }
 | |
|         const result = originalSet(key, value);
 | |
|         if (processingKey && processingKey === key) {
 | |
|           reset();
 | |
|         }
 | |
|         cleanup();
 | |
|         return result;
 | |
|       };
 | |
|       cleanup();
 | |
|       return map;
 | |
|     }
 | |
|     exports2.default = mapAgeCleaner;
 | |
|     module2.exports = mapAgeCleaner;
 | |
|     module2.exports.default = mapAgeCleaner;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/mem@8.1.1/node_modules/mem/dist/index.js
 | |
| var require_dist2 = __commonJS({
 | |
|   "../node_modules/.pnpm/mem@8.1.1/node_modules/mem/dist/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var mimicFn = require_mimic_fn();
 | |
|     var mapAgeCleaner = require_dist();
 | |
|     var decoratorInstanceMap = /* @__PURE__ */ new WeakMap();
 | |
|     var cacheStore = /* @__PURE__ */ new WeakMap();
 | |
|     var mem = (fn, { cacheKey, cache = /* @__PURE__ */ new Map(), maxAge } = {}) => {
 | |
|       if (typeof maxAge === "number") {
 | |
|         mapAgeCleaner(cache);
 | |
|       }
 | |
|       const memoized = function(...arguments_) {
 | |
|         const key = cacheKey ? cacheKey(arguments_) : arguments_[0];
 | |
|         const cacheItem = cache.get(key);
 | |
|         if (cacheItem) {
 | |
|           return cacheItem.data;
 | |
|         }
 | |
|         const result = fn.apply(this, arguments_);
 | |
|         cache.set(key, {
 | |
|           data: result,
 | |
|           maxAge: maxAge ? Date.now() + maxAge : Number.POSITIVE_INFINITY
 | |
|         });
 | |
|         return result;
 | |
|       };
 | |
|       mimicFn(memoized, fn, {
 | |
|         ignoreNonConfigurable: true
 | |
|       });
 | |
|       cacheStore.set(memoized, cache);
 | |
|       return memoized;
 | |
|     };
 | |
|     mem.decorator = (options = {}) => (target, propertyKey, descriptor) => {
 | |
|       const input = target[propertyKey];
 | |
|       if (typeof input !== "function") {
 | |
|         throw new TypeError("The decorated value must be a function");
 | |
|       }
 | |
|       delete descriptor.value;
 | |
|       delete descriptor.writable;
 | |
|       descriptor.get = function() {
 | |
|         if (!decoratorInstanceMap.has(this)) {
 | |
|           const value = mem(input, options);
 | |
|           decoratorInstanceMap.set(this, value);
 | |
|           return value;
 | |
|         }
 | |
|         return decoratorInstanceMap.get(this);
 | |
|       };
 | |
|     };
 | |
|     mem.clear = (fn) => {
 | |
|       const cache = cacheStore.get(fn);
 | |
|       if (!cache) {
 | |
|         throw new TypeError("Can't clear a function that was not memoized!");
 | |
|       }
 | |
|       if (typeof cache.clear !== "function") {
 | |
|         throw new TypeError("The cache Map can't be cleared!");
 | |
|       }
 | |
|       cache.clear();
 | |
|     };
 | |
|     module2.exports = mem;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isPlaceholder.js
 | |
| var require_isPlaceholder = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isPlaceholder.js"(exports2, module2) {
 | |
|     function _isPlaceholder(a) {
 | |
|       return a != null && typeof a === "object" && a["@@functional/placeholder"] === true;
 | |
|     }
 | |
|     module2.exports = _isPlaceholder;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_curry1.js
 | |
| var require_curry1 = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_curry1.js"(exports2, module2) {
 | |
|     var _isPlaceholder = require_isPlaceholder();
 | |
|     function _curry1(fn) {
 | |
|       return function f1(a) {
 | |
|         if (arguments.length === 0 || _isPlaceholder(a)) {
 | |
|           return f1;
 | |
|         } else {
 | |
|           return fn.apply(this, arguments);
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     module2.exports = _curry1;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_curry2.js
 | |
| var require_curry2 = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_curry2.js"(exports2, module2) {
 | |
|     var _curry1 = require_curry1();
 | |
|     var _isPlaceholder = require_isPlaceholder();
 | |
|     function _curry2(fn) {
 | |
|       return function f2(a, b) {
 | |
|         switch (arguments.length) {
 | |
|           case 0:
 | |
|             return f2;
 | |
|           case 1:
 | |
|             return _isPlaceholder(a) ? f2 : _curry1(function(_b) {
 | |
|               return fn(a, _b);
 | |
|             });
 | |
|           default:
 | |
|             return _isPlaceholder(a) && _isPlaceholder(b) ? f2 : _isPlaceholder(a) ? _curry1(function(_a) {
 | |
|               return fn(_a, b);
 | |
|             }) : _isPlaceholder(b) ? _curry1(function(_b) {
 | |
|               return fn(a, _b);
 | |
|             }) : fn(a, b);
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     module2.exports = _curry2;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isArray.js
 | |
| var require_isArray = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isArray.js"(exports2, module2) {
 | |
|     module2.exports = Array.isArray || function _isArray(val) {
 | |
|       return val != null && val.length >= 0 && Object.prototype.toString.call(val) === "[object Array]";
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isTransformer.js
 | |
| var require_isTransformer = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isTransformer.js"(exports2, module2) {
 | |
|     function _isTransformer(obj) {
 | |
|       return obj != null && typeof obj["@@transducer/step"] === "function";
 | |
|     }
 | |
|     module2.exports = _isTransformer;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_dispatchable.js
 | |
| var require_dispatchable = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_dispatchable.js"(exports2, module2) {
 | |
|     var _isArray = require_isArray();
 | |
|     var _isTransformer = require_isTransformer();
 | |
|     function _dispatchable(methodNames, transducerCreator, fn) {
 | |
|       return function() {
 | |
|         if (arguments.length === 0) {
 | |
|           return fn();
 | |
|         }
 | |
|         var obj = arguments[arguments.length - 1];
 | |
|         if (!_isArray(obj)) {
 | |
|           var idx = 0;
 | |
|           while (idx < methodNames.length) {
 | |
|             if (typeof obj[methodNames[idx]] === "function") {
 | |
|               return obj[methodNames[idx]].apply(obj, Array.prototype.slice.call(arguments, 0, -1));
 | |
|             }
 | |
|             idx += 1;
 | |
|           }
 | |
|           if (_isTransformer(obj)) {
 | |
|             var transducer = transducerCreator.apply(null, Array.prototype.slice.call(arguments, 0, -1));
 | |
|             return transducer(obj);
 | |
|           }
 | |
|         }
 | |
|         return fn.apply(this, arguments);
 | |
|       };
 | |
|     }
 | |
|     module2.exports = _dispatchable;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_map.js
 | |
| var require_map = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_map.js"(exports2, module2) {
 | |
|     function _map(fn, functor) {
 | |
|       var idx = 0;
 | |
|       var len = functor.length;
 | |
|       var result = Array(len);
 | |
|       while (idx < len) {
 | |
|         result[idx] = fn(functor[idx]);
 | |
|         idx += 1;
 | |
|       }
 | |
|       return result;
 | |
|     }
 | |
|     module2.exports = _map;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isString.js
 | |
| var require_isString = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isString.js"(exports2, module2) {
 | |
|     function _isString(x) {
 | |
|       return Object.prototype.toString.call(x) === "[object String]";
 | |
|     }
 | |
|     module2.exports = _isString;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isArrayLike.js
 | |
| var require_isArrayLike = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isArrayLike.js"(exports2, module2) {
 | |
|     var _curry1 = require_curry1();
 | |
|     var _isArray = require_isArray();
 | |
|     var _isString = require_isString();
 | |
|     var _isArrayLike = /* @__PURE__ */ _curry1(function isArrayLike(x) {
 | |
|       if (_isArray(x)) {
 | |
|         return true;
 | |
|       }
 | |
|       if (!x) {
 | |
|         return false;
 | |
|       }
 | |
|       if (typeof x !== "object") {
 | |
|         return false;
 | |
|       }
 | |
|       if (_isString(x)) {
 | |
|         return false;
 | |
|       }
 | |
|       if (x.length === 0) {
 | |
|         return true;
 | |
|       }
 | |
|       if (x.length > 0) {
 | |
|         return x.hasOwnProperty(0) && x.hasOwnProperty(x.length - 1);
 | |
|       }
 | |
|       return false;
 | |
|     });
 | |
|     module2.exports = _isArrayLike;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_xwrap.js
 | |
| var require_xwrap = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_xwrap.js"(exports2, module2) {
 | |
|     var XWrap = /* @__PURE__ */ function() {
 | |
|       function XWrap2(fn) {
 | |
|         this.f = fn;
 | |
|       }
 | |
|       XWrap2.prototype["@@transducer/init"] = function() {
 | |
|         throw new Error("init not implemented on XWrap");
 | |
|       };
 | |
|       XWrap2.prototype["@@transducer/result"] = function(acc) {
 | |
|         return acc;
 | |
|       };
 | |
|       XWrap2.prototype["@@transducer/step"] = function(acc, x) {
 | |
|         return this.f(acc, x);
 | |
|       };
 | |
|       return XWrap2;
 | |
|     }();
 | |
|     function _xwrap(fn) {
 | |
|       return new XWrap(fn);
 | |
|     }
 | |
|     module2.exports = _xwrap;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_arity.js
 | |
| var require_arity = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_arity.js"(exports2, module2) {
 | |
|     function _arity(n, fn) {
 | |
|       switch (n) {
 | |
|         case 0:
 | |
|           return function() {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 1:
 | |
|           return function(a0) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 2:
 | |
|           return function(a0, a1) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 3:
 | |
|           return function(a0, a1, a2) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 4:
 | |
|           return function(a0, a1, a2, a3) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 5:
 | |
|           return function(a0, a1, a2, a3, a4) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 6:
 | |
|           return function(a0, a1, a2, a3, a4, a5) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 7:
 | |
|           return function(a0, a1, a2, a3, a4, a5, a6) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 8:
 | |
|           return function(a0, a1, a2, a3, a4, a5, a6, a7) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 9:
 | |
|           return function(a0, a1, a2, a3, a4, a5, a6, a7, a8) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         case 10:
 | |
|           return function(a0, a1, a2, a3, a4, a5, a6, a7, a8, a9) {
 | |
|             return fn.apply(this, arguments);
 | |
|           };
 | |
|         default:
 | |
|           throw new Error("First argument to _arity must be a non-negative integer no greater than ten");
 | |
|       }
 | |
|     }
 | |
|     module2.exports = _arity;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/bind.js
 | |
| var require_bind = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/bind.js"(exports2, module2) {
 | |
|     var _arity = require_arity();
 | |
|     var _curry2 = require_curry2();
 | |
|     var bind = /* @__PURE__ */ _curry2(function bind2(fn, thisObj) {
 | |
|       return _arity(fn.length, function() {
 | |
|         return fn.apply(thisObj, arguments);
 | |
|       });
 | |
|     });
 | |
|     module2.exports = bind;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_reduce.js
 | |
| var require_reduce = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_reduce.js"(exports2, module2) {
 | |
|     var _isArrayLike = require_isArrayLike();
 | |
|     var _xwrap = require_xwrap();
 | |
|     var bind = require_bind();
 | |
|     function _arrayReduce(xf, acc, list) {
 | |
|       var idx = 0;
 | |
|       var len = list.length;
 | |
|       while (idx < len) {
 | |
|         acc = xf["@@transducer/step"](acc, list[idx]);
 | |
|         if (acc && acc["@@transducer/reduced"]) {
 | |
|           acc = acc["@@transducer/value"];
 | |
|           break;
 | |
|         }
 | |
|         idx += 1;
 | |
|       }
 | |
|       return xf["@@transducer/result"](acc);
 | |
|     }
 | |
|     function _iterableReduce(xf, acc, iter) {
 | |
|       var step = iter.next();
 | |
|       while (!step.done) {
 | |
|         acc = xf["@@transducer/step"](acc, step.value);
 | |
|         if (acc && acc["@@transducer/reduced"]) {
 | |
|           acc = acc["@@transducer/value"];
 | |
|           break;
 | |
|         }
 | |
|         step = iter.next();
 | |
|       }
 | |
|       return xf["@@transducer/result"](acc);
 | |
|     }
 | |
|     function _methodReduce(xf, acc, obj, methodName) {
 | |
|       return xf["@@transducer/result"](obj[methodName](bind(xf["@@transducer/step"], xf), acc));
 | |
|     }
 | |
|     var symIterator = typeof Symbol !== "undefined" ? Symbol.iterator : "@@iterator";
 | |
|     function _reduce(fn, acc, list) {
 | |
|       if (typeof fn === "function") {
 | |
|         fn = _xwrap(fn);
 | |
|       }
 | |
|       if (_isArrayLike(list)) {
 | |
|         return _arrayReduce(fn, acc, list);
 | |
|       }
 | |
|       if (typeof list["fantasy-land/reduce"] === "function") {
 | |
|         return _methodReduce(fn, acc, list, "fantasy-land/reduce");
 | |
|       }
 | |
|       if (list[symIterator] != null) {
 | |
|         return _iterableReduce(fn, acc, list[symIterator]());
 | |
|       }
 | |
|       if (typeof list.next === "function") {
 | |
|         return _iterableReduce(fn, acc, list);
 | |
|       }
 | |
|       if (typeof list.reduce === "function") {
 | |
|         return _methodReduce(fn, acc, list, "reduce");
 | |
|       }
 | |
|       throw new TypeError("reduce: list must be array or iterable");
 | |
|     }
 | |
|     module2.exports = _reduce;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_xfBase.js
 | |
| var require_xfBase = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_xfBase.js"(exports2, module2) {
 | |
|     module2.exports = {
 | |
|       init: function() {
 | |
|         return this.xf["@@transducer/init"]();
 | |
|       },
 | |
|       result: function(result) {
 | |
|         return this.xf["@@transducer/result"](result);
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_xmap.js
 | |
| var require_xmap = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_xmap.js"(exports2, module2) {
 | |
|     var _curry2 = require_curry2();
 | |
|     var _xfBase = require_xfBase();
 | |
|     var XMap = /* @__PURE__ */ function() {
 | |
|       function XMap2(f, xf) {
 | |
|         this.xf = xf;
 | |
|         this.f = f;
 | |
|       }
 | |
|       XMap2.prototype["@@transducer/init"] = _xfBase.init;
 | |
|       XMap2.prototype["@@transducer/result"] = _xfBase.result;
 | |
|       XMap2.prototype["@@transducer/step"] = function(result, input) {
 | |
|         return this.xf["@@transducer/step"](result, this.f(input));
 | |
|       };
 | |
|       return XMap2;
 | |
|     }();
 | |
|     var _xmap = /* @__PURE__ */ _curry2(function _xmap2(f, xf) {
 | |
|       return new XMap(f, xf);
 | |
|     });
 | |
|     module2.exports = _xmap;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_curryN.js
 | |
| var require_curryN = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_curryN.js"(exports2, module2) {
 | |
|     var _arity = require_arity();
 | |
|     var _isPlaceholder = require_isPlaceholder();
 | |
|     function _curryN(length, received, fn) {
 | |
|       return function() {
 | |
|         var combined = [];
 | |
|         var argsIdx = 0;
 | |
|         var left = length;
 | |
|         var combinedIdx = 0;
 | |
|         while (combinedIdx < received.length || argsIdx < arguments.length) {
 | |
|           var result;
 | |
|           if (combinedIdx < received.length && (!_isPlaceholder(received[combinedIdx]) || argsIdx >= arguments.length)) {
 | |
|             result = received[combinedIdx];
 | |
|           } else {
 | |
|             result = arguments[argsIdx];
 | |
|             argsIdx += 1;
 | |
|           }
 | |
|           combined[combinedIdx] = result;
 | |
|           if (!_isPlaceholder(result)) {
 | |
|             left -= 1;
 | |
|           }
 | |
|           combinedIdx += 1;
 | |
|         }
 | |
|         return left <= 0 ? fn.apply(this, combined) : _arity(left, _curryN(length, combined, fn));
 | |
|       };
 | |
|     }
 | |
|     module2.exports = _curryN;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/curryN.js
 | |
| var require_curryN2 = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/curryN.js"(exports2, module2) {
 | |
|     var _arity = require_arity();
 | |
|     var _curry1 = require_curry1();
 | |
|     var _curry2 = require_curry2();
 | |
|     var _curryN = require_curryN();
 | |
|     var curryN = /* @__PURE__ */ _curry2(function curryN2(length, fn) {
 | |
|       if (length === 1) {
 | |
|         return _curry1(fn);
 | |
|       }
 | |
|       return _arity(length, _curryN(length, [], fn));
 | |
|     });
 | |
|     module2.exports = curryN;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_has.js
 | |
| var require_has = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_has.js"(exports2, module2) {
 | |
|     function _has(prop, obj) {
 | |
|       return Object.prototype.hasOwnProperty.call(obj, prop);
 | |
|     }
 | |
|     module2.exports = _has;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isArguments.js
 | |
| var require_isArguments = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/internal/_isArguments.js"(exports2, module2) {
 | |
|     var _has = require_has();
 | |
|     var toString = Object.prototype.toString;
 | |
|     var _isArguments = /* @__PURE__ */ function() {
 | |
|       return toString.call(arguments) === "[object Arguments]" ? function _isArguments2(x) {
 | |
|         return toString.call(x) === "[object Arguments]";
 | |
|       } : function _isArguments2(x) {
 | |
|         return _has("callee", x);
 | |
|       };
 | |
|     }();
 | |
|     module2.exports = _isArguments;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/keys.js
 | |
| var require_keys = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/keys.js"(exports2, module2) {
 | |
|     var _curry1 = require_curry1();
 | |
|     var _has = require_has();
 | |
|     var _isArguments = require_isArguments();
 | |
|     var hasEnumBug = !/* @__PURE__ */ {
 | |
|       toString: null
 | |
|     }.propertyIsEnumerable("toString");
 | |
|     var nonEnumerableProps = ["constructor", "valueOf", "isPrototypeOf", "toString", "propertyIsEnumerable", "hasOwnProperty", "toLocaleString"];
 | |
|     var hasArgsEnumBug = /* @__PURE__ */ function() {
 | |
|       "use strict";
 | |
|       return arguments.propertyIsEnumerable("length");
 | |
|     }();
 | |
|     var contains = function contains2(list, item) {
 | |
|       var idx = 0;
 | |
|       while (idx < list.length) {
 | |
|         if (list[idx] === item) {
 | |
|           return true;
 | |
|         }
 | |
|         idx += 1;
 | |
|       }
 | |
|       return false;
 | |
|     };
 | |
|     var keys = typeof Object.keys === "function" && !hasArgsEnumBug ? /* @__PURE__ */ _curry1(function keys2(obj) {
 | |
|       return Object(obj) !== obj ? [] : Object.keys(obj);
 | |
|     }) : /* @__PURE__ */ _curry1(function keys2(obj) {
 | |
|       if (Object(obj) !== obj) {
 | |
|         return [];
 | |
|       }
 | |
|       var prop, nIdx;
 | |
|       var ks = [];
 | |
|       var checkArgsLength = hasArgsEnumBug && _isArguments(obj);
 | |
|       for (prop in obj) {
 | |
|         if (_has(prop, obj) && (!checkArgsLength || prop !== "length")) {
 | |
|           ks[ks.length] = prop;
 | |
|         }
 | |
|       }
 | |
|       if (hasEnumBug) {
 | |
|         nIdx = nonEnumerableProps.length - 1;
 | |
|         while (nIdx >= 0) {
 | |
|           prop = nonEnumerableProps[nIdx];
 | |
|           if (_has(prop, obj) && !contains(ks, prop)) {
 | |
|             ks[ks.length] = prop;
 | |
|           }
 | |
|           nIdx -= 1;
 | |
|         }
 | |
|       }
 | |
|       return ks;
 | |
|     });
 | |
|     module2.exports = keys;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/map.js
 | |
| var require_map2 = __commonJS({
 | |
|   "../node_modules/.pnpm/@pnpm+ramda@0.28.1/node_modules/@pnpm/ramda/src/map.js"(exports2, module2) {
 | |
|     var _curry2 = require_curry2();
 | |
|     var _dispatchable = require_dispatchable();
 | |
|     var _map = require_map();
 | |
|     var _reduce = require_reduce();
 | |
|     var _xmap = require_xmap();
 | |
|     var curryN = require_curryN2();
 | |
|     var keys = require_keys();
 | |
|     var map = /* @__PURE__ */ _curry2(
 | |
|       /* @__PURE__ */ _dispatchable(["fantasy-land/map", "map"], _xmap, function map2(fn, functor) {
 | |
|         switch (Object.prototype.toString.call(functor)) {
 | |
|           case "[object Function]":
 | |
|             return curryN(functor.length, function() {
 | |
|               return fn.call(this, functor.apply(this, arguments));
 | |
|             });
 | |
|           case "[object Object]":
 | |
|             return _reduce(function(acc, key) {
 | |
|               acc[key] = fn(functor[key]);
 | |
|               return acc;
 | |
|             }, {}, keys(functor));
 | |
|           default:
 | |
|             return _map(fn, functor);
 | |
|         }
 | |
|       })
 | |
|     );
 | |
|     module2.exports = map;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../store/create-cafs-store/lib/index.js
 | |
| var require_lib9 = __commonJS({
 | |
|   "../store/create-cafs-store/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.createCafsStore = exports2.createPackageImporterAsync = void 0;
 | |
|     var fs_12 = require("fs");
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var exec_files_include_install_scripts_1 = require_lib2();
 | |
|     var store_cafs_12 = require_lib4();
 | |
|     var fs_indexed_pkg_importer_1 = require_lib8();
 | |
|     var mem_1 = __importDefault2(require_dist2());
 | |
|     var path_temp_1 = __importDefault2(require_path_temp());
 | |
|     var map_1 = __importDefault2(require_map2());
 | |
|     function createPackageImporterAsync(opts) {
 | |
|       const cachedImporterCreator = opts.importIndexedPackage ? () => opts.importIndexedPackage : (0, mem_1.default)(fs_indexed_pkg_importer_1.createIndexedPkgImporter);
 | |
|       const packageImportMethod = opts.packageImportMethod;
 | |
|       const gfm = getFlatMap.bind(null, opts.cafsDir);
 | |
|       return async (to, opts2) => {
 | |
|         const { filesMap, isBuilt } = gfm(opts2.filesResponse, opts2.sideEffectsCacheKey);
 | |
|         const willBeBuilt = !isBuilt && (opts2.requiresBuild ?? pkgRequiresBuild(filesMap));
 | |
|         const pkgImportMethod = willBeBuilt ? "clone-or-copy" : opts2.filesResponse.packageImportMethod ?? packageImportMethod;
 | |
|         const impPkg = cachedImporterCreator(pkgImportMethod);
 | |
|         const importMethod = await impPkg(to, {
 | |
|           disableRelinkLocalDirDeps: opts2.disableRelinkLocalDirDeps,
 | |
|           filesMap,
 | |
|           resolvedFrom: opts2.filesResponse.resolvedFrom,
 | |
|           force: opts2.force,
 | |
|           keepModulesDir: Boolean(opts2.keepModulesDir)
 | |
|         });
 | |
|         return { importMethod, isBuilt };
 | |
|       };
 | |
|     }
 | |
|     exports2.createPackageImporterAsync = createPackageImporterAsync;
 | |
|     function createPackageImporter(opts) {
 | |
|       const cachedImporterCreator = opts.importIndexedPackage ? () => opts.importIndexedPackage : (0, mem_1.default)(fs_indexed_pkg_importer_1.createIndexedPkgImporter);
 | |
|       const packageImportMethod = opts.packageImportMethod;
 | |
|       const gfm = getFlatMap.bind(null, opts.cafsDir);
 | |
|       return (to, opts2) => {
 | |
|         const { filesMap, isBuilt } = gfm(opts2.filesResponse, opts2.sideEffectsCacheKey);
 | |
|         const willBeBuilt = !isBuilt && (opts2.requiresBuild ?? pkgRequiresBuild(filesMap));
 | |
|         const pkgImportMethod = willBeBuilt ? "clone-or-copy" : opts2.filesResponse.packageImportMethod ?? packageImportMethod;
 | |
|         const impPkg = cachedImporterCreator(pkgImportMethod);
 | |
|         const importMethod = impPkg(to, {
 | |
|           disableRelinkLocalDirDeps: opts2.disableRelinkLocalDirDeps,
 | |
|           filesMap,
 | |
|           resolvedFrom: opts2.filesResponse.resolvedFrom,
 | |
|           force: opts2.force,
 | |
|           keepModulesDir: Boolean(opts2.keepModulesDir)
 | |
|         });
 | |
|         return { importMethod, isBuilt };
 | |
|       };
 | |
|     }
 | |
|     function getFlatMap(cafsDir, filesResponse, targetEngine) {
 | |
|       let isBuilt;
 | |
|       let filesIndex;
 | |
|       if (targetEngine && filesResponse.sideEffects?.[targetEngine] != null) {
 | |
|         filesIndex = filesResponse.sideEffects?.[targetEngine];
 | |
|         isBuilt = true;
 | |
|       } else if (!filesResponse.unprocessed) {
 | |
|         return {
 | |
|           filesMap: filesResponse.filesIndex,
 | |
|           isBuilt: false
 | |
|         };
 | |
|       } else {
 | |
|         filesIndex = filesResponse.filesIndex;
 | |
|         isBuilt = false;
 | |
|       }
 | |
|       const filesMap = (0, map_1.default)(({ integrity, mode }) => (0, store_cafs_12.getFilePathByModeInCafs)(cafsDir, integrity, mode), filesIndex);
 | |
|       return { filesMap, isBuilt };
 | |
|     }
 | |
|     function createCafsStore(storeDir, opts) {
 | |
|       const cafsDir = path_12.default.join(storeDir, "files");
 | |
|       const baseTempDir = path_12.default.join(storeDir, "tmp");
 | |
|       const importPackage2 = createPackageImporter({
 | |
|         importIndexedPackage: opts?.importPackage,
 | |
|         packageImportMethod: opts?.packageImportMethod,
 | |
|         cafsDir
 | |
|       });
 | |
|       return {
 | |
|         ...(0, store_cafs_12.createCafs)(cafsDir, opts),
 | |
|         cafsDir,
 | |
|         importPackage: importPackage2,
 | |
|         tempDir: async () => {
 | |
|           const tmpDir = (0, path_temp_1.default)(baseTempDir);
 | |
|           await fs_12.promises.mkdir(tmpDir, { recursive: true });
 | |
|           return tmpDir;
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     exports2.createCafsStore = createCafsStore;
 | |
|     function pkgRequiresBuild(filesMap) {
 | |
|       return (0, exec_files_include_install_scripts_1.filesIncludeInstallScripts)(filesMap) || filesMap["package.json"] && pkgJsonHasInstallScripts(filesMap["package.json"]);
 | |
|     }
 | |
|     function pkgJsonHasInstallScripts(file) {
 | |
|       const pkgJson = JSON.parse((0, fs_12.readFileSync)(file, "utf8"));
 | |
|       if (!pkgJson.scripts)
 | |
|         return false;
 | |
|       return Boolean(pkgJson.scripts.preinstall) || Boolean(pkgJson.scripts.install) || Boolean(pkgJson.scripts.postinstall);
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../fs/hard-link-dir/lib/index.js
 | |
| var require_lib10 = __commonJS({
 | |
|   "../fs/hard-link-dir/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.hardLinkDir = void 0;
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var fs_12 = __importDefault2(require("fs"));
 | |
|     var logger_1 = require_lib5();
 | |
|     function hardLinkDir(src, destDirs) {
 | |
|       if (destDirs.length === 0)
 | |
|         return;
 | |
|       destDirs = destDirs.filter((destDir) => path_12.default.relative(destDir, src) !== "");
 | |
|       _hardLinkDir(src, destDirs, true);
 | |
|     }
 | |
|     exports2.hardLinkDir = hardLinkDir;
 | |
|     function _hardLinkDir(src, destDirs, isRoot) {
 | |
|       let files = [];
 | |
|       try {
 | |
|         files = fs_12.default.readdirSync(src);
 | |
|       } catch (err) {
 | |
|         if (!isRoot || err.code !== "ENOENT")
 | |
|           throw err;
 | |
|         (0, logger_1.globalWarn)(`Source directory not found when creating hardLinks for: ${src}. Creating destinations as empty: ${destDirs.join(", ")}`);
 | |
|         for (const dir of destDirs) {
 | |
|           fs_12.default.mkdirSync(dir, { recursive: true });
 | |
|         }
 | |
|         return;
 | |
|       }
 | |
|       for (const file of files) {
 | |
|         if (file === "node_modules")
 | |
|           continue;
 | |
|         const srcFile = path_12.default.join(src, file);
 | |
|         if (fs_12.default.lstatSync(srcFile).isDirectory()) {
 | |
|           const destSubdirs = destDirs.map((destDir) => {
 | |
|             const destSubdir = path_12.default.join(destDir, file);
 | |
|             try {
 | |
|               fs_12.default.mkdirSync(destSubdir, { recursive: true });
 | |
|             } catch (err) {
 | |
|               if (err.code !== "EEXIST")
 | |
|                 throw err;
 | |
|             }
 | |
|             return destSubdir;
 | |
|           });
 | |
|           _hardLinkDir(srcFile, destSubdirs);
 | |
|           continue;
 | |
|         }
 | |
|         for (const destDir of destDirs) {
 | |
|           const destFile = path_12.default.join(destDir, file);
 | |
|           try {
 | |
|             linkOrCopyFile(srcFile, destFile);
 | |
|           } catch (err) {
 | |
|             if (err.code === "ENOENT") {
 | |
|               continue;
 | |
|             }
 | |
|             throw err;
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function linkOrCopyFile(srcFile, destFile) {
 | |
|       try {
 | |
|         linkOrCopy(srcFile, destFile);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT") {
 | |
|           fs_12.default.mkdirSync(path_12.default.dirname(destFile), { recursive: true });
 | |
|           linkOrCopy(srcFile, destFile);
 | |
|           return;
 | |
|         }
 | |
|         if (err.code !== "EEXIST") {
 | |
|           throw err;
 | |
|         }
 | |
|       }
 | |
|     }
 | |
|     function linkOrCopy(srcFile, destFile) {
 | |
|       try {
 | |
|         fs_12.default.linkSync(srcFile, destFile);
 | |
|       } catch (err) {
 | |
|         if (err.code !== "EXDEV")
 | |
|           throw err;
 | |
|         fs_12.default.copyFileSync(srcFile, destFile);
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/is-windows@1.0.2/node_modules/is-windows/index.js
 | |
| var require_is_windows = __commonJS({
 | |
|   "../node_modules/.pnpm/is-windows@1.0.2/node_modules/is-windows/index.js"(exports2, module2) {
 | |
|     (function(factory) {
 | |
|       if (exports2 && typeof exports2 === "object" && typeof module2 !== "undefined") {
 | |
|         module2.exports = factory();
 | |
|       } else if (typeof define === "function" && define.amd) {
 | |
|         define([], factory);
 | |
|       } else if (typeof window !== "undefined") {
 | |
|         window.isWindows = factory();
 | |
|       } else if (typeof global !== "undefined") {
 | |
|         global.isWindows = factory();
 | |
|       } else if (typeof self !== "undefined") {
 | |
|         self.isWindows = factory();
 | |
|       } else {
 | |
|         this.isWindows = factory();
 | |
|       }
 | |
|     })(function() {
 | |
|       "use strict";
 | |
|       return function isWindows() {
 | |
|         return process && (process.platform === "win32" || /^(msys|cygwin)$/.test(process.env.OSTYPE));
 | |
|       };
 | |
|     });
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/better-path-resolve@1.0.0/node_modules/better-path-resolve/index.js
 | |
| var require_better_path_resolve = __commonJS({
 | |
|   "../node_modules/.pnpm/better-path-resolve@1.0.0/node_modules/better-path-resolve/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var path = require("path");
 | |
|     var isWindows = require_is_windows();
 | |
|     module2.exports = isWindows() ? winResolve : path.resolve;
 | |
|     function winResolve(p) {
 | |
|       if (arguments.length === 0)
 | |
|         return path.resolve();
 | |
|       if (typeof p !== "string") {
 | |
|         return path.resolve(p);
 | |
|       }
 | |
|       if (p[1] === ":") {
 | |
|         const cc = p[0].charCodeAt();
 | |
|         if (cc < 65 || cc > 90) {
 | |
|           p = `${p[0].toUpperCase()}${p.substr(1)}`;
 | |
|         }
 | |
|       }
 | |
|       if (p.endsWith(":")) {
 | |
|         return p;
 | |
|       }
 | |
|       return path.resolve(p);
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/symlink-dir@5.2.1/node_modules/symlink-dir/dist/index.js
 | |
| var require_dist3 = __commonJS({
 | |
|   "../node_modules/.pnpm/symlink-dir@5.2.1/node_modules/symlink-dir/dist/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var betterPathResolve = require_better_path_resolve();
 | |
|     var fs_12 = require("fs");
 | |
|     var pathLib = require("path");
 | |
|     var renameOverwrite = require_rename_overwrite();
 | |
|     var IS_WINDOWS = process.platform === "win32" || /^(msys|cygwin)$/.test(process.env.OSTYPE);
 | |
|     var symlinkType = IS_WINDOWS ? "junction" : "dir";
 | |
|     var resolveSrc = IS_WINDOWS ? resolveSrcOnWin : resolveSrcOnNonWin;
 | |
|     function resolveSrcOnWin(src, dest) {
 | |
|       return `${src}\\`;
 | |
|     }
 | |
|     function resolveSrcOnNonWin(src, dest) {
 | |
|       return pathLib.relative(pathLib.dirname(dest), src);
 | |
|     }
 | |
|     function symlinkDir(target, path, opts) {
 | |
|       path = betterPathResolve(path);
 | |
|       target = betterPathResolve(target);
 | |
|       if (target === path)
 | |
|         throw new Error(`Symlink path is the same as the target path (${target})`);
 | |
|       target = resolveSrc(target, path);
 | |
|       return forceSymlink(target, path, opts);
 | |
|     }
 | |
|     async function forceSymlink(target, path, opts) {
 | |
|       try {
 | |
|         await fs_12.promises.symlink(target, path, symlinkType);
 | |
|         return { reused: false };
 | |
|       } catch (err) {
 | |
|         switch (err.code) {
 | |
|           case "ENOENT":
 | |
|             try {
 | |
|               await fs_12.promises.mkdir(pathLib.dirname(path), { recursive: true });
 | |
|             } catch (mkdirError) {
 | |
|               mkdirError.message = `Error while trying to symlink "${target}" to "${path}". The error happened while trying to create the parent directory for the symlink target. Details: ${mkdirError}`;
 | |
|               throw mkdirError;
 | |
|             }
 | |
|             await forceSymlink(target, path, opts);
 | |
|             return { reused: false };
 | |
|           case "EEXIST":
 | |
|           case "EISDIR":
 | |
|             if ((opts === null || opts === void 0 ? void 0 : opts.overwrite) === false) {
 | |
|               throw err;
 | |
|             }
 | |
|             break;
 | |
|           default:
 | |
|             throw err;
 | |
|         }
 | |
|       }
 | |
|       let linkString;
 | |
|       try {
 | |
|         linkString = await fs_12.promises.readlink(path);
 | |
|       } catch (err) {
 | |
|         const parentDir = pathLib.dirname(path);
 | |
|         let warn;
 | |
|         if (opts === null || opts === void 0 ? void 0 : opts.renameTried) {
 | |
|           await fs_12.promises.unlink(path);
 | |
|           warn = `Symlink wanted name was occupied by directory or file. Old entity removed: "${parentDir}${pathLib.sep}{${pathLib.basename(path)}".`;
 | |
|         } else {
 | |
|           const ignore = `.ignored_${pathLib.basename(path)}`;
 | |
|           await renameOverwrite(path, pathLib.join(parentDir, ignore));
 | |
|           warn = `Symlink wanted name was occupied by directory or file. Old entity moved: "${parentDir}${pathLib.sep}{${pathLib.basename(path)} => ${ignore}".`;
 | |
|         }
 | |
|         return {
 | |
|           ...await forceSymlink(target, path, { ...opts, renameTried: true }),
 | |
|           warn
 | |
|         };
 | |
|       }
 | |
|       if (target === linkString) {
 | |
|         return { reused: true };
 | |
|       }
 | |
|       await fs_12.promises.unlink(path);
 | |
|       return await forceSymlink(target, path, opts);
 | |
|     }
 | |
|     symlinkDir["default"] = symlinkDir;
 | |
|     (function(symlinkDir2) {
 | |
|       function sync(target, path, opts) {
 | |
|         path = betterPathResolve(path);
 | |
|         target = betterPathResolve(target);
 | |
|         if (target === path)
 | |
|           throw new Error(`Symlink path is the same as the target path (${target})`);
 | |
|         target = resolveSrc(target, path);
 | |
|         return forceSymlinkSync(target, path, opts);
 | |
|       }
 | |
|       symlinkDir2.sync = sync;
 | |
|     })(symlinkDir || (symlinkDir = {}));
 | |
|     function forceSymlinkSync(target, path, opts) {
 | |
|       try {
 | |
|         (0, fs_12.symlinkSync)(target, path, symlinkType);
 | |
|         return { reused: false };
 | |
|       } catch (err) {
 | |
|         switch (err.code) {
 | |
|           case "ENOENT":
 | |
|             try {
 | |
|               (0, fs_12.mkdirSync)(pathLib.dirname(path), { recursive: true });
 | |
|             } catch (mkdirError) {
 | |
|               mkdirError.message = `Error while trying to symlink "${target}" to "${path}". The error happened while trying to create the parent directory for the symlink target. Details: ${mkdirError}`;
 | |
|               throw mkdirError;
 | |
|             }
 | |
|             forceSymlinkSync(target, path, opts);
 | |
|             return { reused: false };
 | |
|           case "EEXIST":
 | |
|           case "EISDIR":
 | |
|             if ((opts === null || opts === void 0 ? void 0 : opts.overwrite) === false) {
 | |
|               throw err;
 | |
|             }
 | |
|             break;
 | |
|           default:
 | |
|             throw err;
 | |
|         }
 | |
|       }
 | |
|       let linkString;
 | |
|       try {
 | |
|         linkString = (0, fs_12.readlinkSync)(path);
 | |
|       } catch (err) {
 | |
|         const parentDir = pathLib.dirname(path);
 | |
|         let warn;
 | |
|         if (opts === null || opts === void 0 ? void 0 : opts.renameTried) {
 | |
|           (0, fs_12.unlinkSync)(path);
 | |
|           warn = `Symlink wanted name was occupied by directory or file. Old entity removed: "${parentDir}${pathLib.sep}{${pathLib.basename(path)}".`;
 | |
|         } else {
 | |
|           const ignore = `.ignored_${pathLib.basename(path)}`;
 | |
|           renameOverwrite.sync(path, pathLib.join(parentDir, ignore));
 | |
|           warn = `Symlink wanted name was occupied by directory or file. Old entity moved: "${parentDir}${pathLib.sep}{${pathLib.basename(path)} => ${ignore}".`;
 | |
|         }
 | |
|         return {
 | |
|           ...forceSymlinkSync(target, path, { ...opts, renameTried: true }),
 | |
|           warn
 | |
|         };
 | |
|       }
 | |
|       if (target === linkString) {
 | |
|         return { reused: true };
 | |
|       }
 | |
|       (0, fs_12.unlinkSync)(path);
 | |
|       return forceSymlinkSync(target, path, opts);
 | |
|     }
 | |
|     module2.exports = symlinkDir;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../fs/symlink-dependency/lib/symlinkDirectRootDependency.js
 | |
| var require_symlinkDirectRootDependency = __commonJS({
 | |
|   "../fs/symlink-dependency/lib/symlinkDirectRootDependency.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.symlinkDirectRootDependency = void 0;
 | |
|     var fs_12 = require("fs");
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var core_loggers_1 = require_lib6();
 | |
|     var symlink_dir_1 = __importDefault2(require_dist3());
 | |
|     var DEP_TYPE_BY_DEPS_FIELD_NAME = {
 | |
|       dependencies: "prod",
 | |
|       devDependencies: "dev",
 | |
|       optionalDependencies: "optional"
 | |
|     };
 | |
|     async function symlinkDirectRootDependency(dependencyLocation, destModulesDir, importAs, opts) {
 | |
|       let destModulesDirReal;
 | |
|       try {
 | |
|         destModulesDirReal = await fs_12.promises.realpath(destModulesDir);
 | |
|       } catch (err) {
 | |
|         if (err.code === "ENOENT") {
 | |
|           await fs_12.promises.mkdir(destModulesDir, { recursive: true });
 | |
|           destModulesDirReal = await fs_12.promises.realpath(destModulesDir);
 | |
|         } else {
 | |
|           throw err;
 | |
|         }
 | |
|       }
 | |
|       const dest = path_12.default.join(destModulesDirReal, importAs);
 | |
|       const { reused } = await (0, symlink_dir_1.default)(dependencyLocation, dest);
 | |
|       if (reused)
 | |
|         return;
 | |
|       core_loggers_1.rootLogger.debug({
 | |
|         added: {
 | |
|           dependencyType: opts.fromDependenciesField && DEP_TYPE_BY_DEPS_FIELD_NAME[opts.fromDependenciesField],
 | |
|           linkedFrom: dependencyLocation,
 | |
|           name: importAs,
 | |
|           realName: opts.linkedPackage.name,
 | |
|           version: opts.linkedPackage.version
 | |
|         },
 | |
|         prefix: opts.prefix
 | |
|       });
 | |
|     }
 | |
|     exports2.symlinkDirectRootDependency = symlinkDirectRootDependency;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../fs/symlink-dependency/lib/index.js
 | |
| var require_lib11 = __commonJS({
 | |
|   "../fs/symlink-dependency/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
 | |
|       return mod && mod.__esModule ? mod : { "default": mod };
 | |
|     };
 | |
|     Object.defineProperty(exports2, "__esModule", { value: true });
 | |
|     exports2.symlinkDependencySync = exports2.symlinkDependency = exports2.symlinkDirectRootDependency = void 0;
 | |
|     var path_12 = __importDefault2(require("path"));
 | |
|     var core_loggers_1 = require_lib6();
 | |
|     var symlink_dir_1 = __importDefault2(require_dist3());
 | |
|     var symlinkDirectRootDependency_1 = require_symlinkDirectRootDependency();
 | |
|     Object.defineProperty(exports2, "symlinkDirectRootDependency", { enumerable: true, get: function() {
 | |
|       return symlinkDirectRootDependency_1.symlinkDirectRootDependency;
 | |
|     } });
 | |
|     async function symlinkDependency(dependencyRealLocation, destModulesDir, importAs) {
 | |
|       const link = path_12.default.join(destModulesDir, importAs);
 | |
|       core_loggers_1.linkLogger.debug({ target: dependencyRealLocation, link });
 | |
|       return (0, symlink_dir_1.default)(dependencyRealLocation, link);
 | |
|     }
 | |
|     exports2.symlinkDependency = symlinkDependency;
 | |
|     function symlinkDependencySync(dependencyRealLocation, destModulesDir, importAs) {
 | |
|       const link = path_12.default.join(destModulesDir, importAs);
 | |
|       core_loggers_1.linkLogger.debug({ target: dependencyRealLocation, link });
 | |
|       return symlink_dir_1.default.sync(dependencyRealLocation, link);
 | |
|     }
 | |
|     exports2.symlinkDependencySync = symlinkDependencySync;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/is-arrayish@0.2.1/node_modules/is-arrayish/index.js
 | |
| var require_is_arrayish = __commonJS({
 | |
|   "../node_modules/.pnpm/is-arrayish@0.2.1/node_modules/is-arrayish/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = function isArrayish(obj) {
 | |
|       if (!obj) {
 | |
|         return false;
 | |
|       }
 | |
|       return obj instanceof Array || Array.isArray(obj) || obj.length >= 0 && obj.splice instanceof Function;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/error-ex@1.3.2/node_modules/error-ex/index.js
 | |
| var require_error_ex = __commonJS({
 | |
|   "../node_modules/.pnpm/error-ex@1.3.2/node_modules/error-ex/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var util = require("util");
 | |
|     var isArrayish = require_is_arrayish();
 | |
|     var errorEx = function errorEx2(name, properties) {
 | |
|       if (!name || name.constructor !== String) {
 | |
|         properties = name || {};
 | |
|         name = Error.name;
 | |
|       }
 | |
|       var errorExError = function ErrorEXError(message) {
 | |
|         if (!this) {
 | |
|           return new ErrorEXError(message);
 | |
|         }
 | |
|         message = message instanceof Error ? message.message : message || this.message;
 | |
|         Error.call(this, message);
 | |
|         Error.captureStackTrace(this, errorExError);
 | |
|         this.name = name;
 | |
|         Object.defineProperty(this, "message", {
 | |
|           configurable: true,
 | |
|           enumerable: false,
 | |
|           get: function() {
 | |
|             var newMessage = message.split(/\r?\n/g);
 | |
|             for (var key in properties) {
 | |
|               if (!properties.hasOwnProperty(key)) {
 | |
|                 continue;
 | |
|               }
 | |
|               var modifier = properties[key];
 | |
|               if ("message" in modifier) {
 | |
|                 newMessage = modifier.message(this[key], newMessage) || newMessage;
 | |
|                 if (!isArrayish(newMessage)) {
 | |
|                   newMessage = [newMessage];
 | |
|                 }
 | |
|               }
 | |
|             }
 | |
|             return newMessage.join("\n");
 | |
|           },
 | |
|           set: function(v) {
 | |
|             message = v;
 | |
|           }
 | |
|         });
 | |
|         var overwrittenStack = null;
 | |
|         var stackDescriptor = Object.getOwnPropertyDescriptor(this, "stack");
 | |
|         var stackGetter = stackDescriptor.get;
 | |
|         var stackValue = stackDescriptor.value;
 | |
|         delete stackDescriptor.value;
 | |
|         delete stackDescriptor.writable;
 | |
|         stackDescriptor.set = function(newstack) {
 | |
|           overwrittenStack = newstack;
 | |
|         };
 | |
|         stackDescriptor.get = function() {
 | |
|           var stack = (overwrittenStack || (stackGetter ? stackGetter.call(this) : stackValue)).split(/\r?\n+/g);
 | |
|           if (!overwrittenStack) {
 | |
|             stack[0] = this.name + ": " + this.message;
 | |
|           }
 | |
|           var lineCount = 1;
 | |
|           for (var key in properties) {
 | |
|             if (!properties.hasOwnProperty(key)) {
 | |
|               continue;
 | |
|             }
 | |
|             var modifier = properties[key];
 | |
|             if ("line" in modifier) {
 | |
|               var line = modifier.line(this[key]);
 | |
|               if (line) {
 | |
|                 stack.splice(lineCount++, 0, "    " + line);
 | |
|               }
 | |
|             }
 | |
|             if ("stack" in modifier) {
 | |
|               modifier.stack(this[key], stack);
 | |
|             }
 | |
|           }
 | |
|           return stack.join("\n");
 | |
|         };
 | |
|         Object.defineProperty(this, "stack", stackDescriptor);
 | |
|       };
 | |
|       if (Object.setPrototypeOf) {
 | |
|         Object.setPrototypeOf(errorExError.prototype, Error.prototype);
 | |
|         Object.setPrototypeOf(errorExError, Error);
 | |
|       } else {
 | |
|         util.inherits(errorExError, Error);
 | |
|       }
 | |
|       return errorExError;
 | |
|     };
 | |
|     errorEx.append = function(str, def) {
 | |
|       return {
 | |
|         message: function(v, message) {
 | |
|           v = v || def;
 | |
|           if (v) {
 | |
|             message[0] += " " + str.replace("%s", v.toString());
 | |
|           }
 | |
|           return message;
 | |
|         }
 | |
|       };
 | |
|     };
 | |
|     errorEx.line = function(str, def) {
 | |
|       return {
 | |
|         line: function(v) {
 | |
|           v = v || def;
 | |
|           if (v) {
 | |
|             return str.replace("%s", v.toString());
 | |
|           }
 | |
|           return null;
 | |
|         }
 | |
|       };
 | |
|     };
 | |
|     module2.exports = errorEx;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/json-parse-even-better-errors@2.3.1/node_modules/json-parse-even-better-errors/index.js
 | |
| var require_json_parse_even_better_errors = __commonJS({
 | |
|   "../node_modules/.pnpm/json-parse-even-better-errors@2.3.1/node_modules/json-parse-even-better-errors/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var hexify = (char) => {
 | |
|       const h = char.charCodeAt(0).toString(16).toUpperCase();
 | |
|       return "0x" + (h.length % 2 ? "0" : "") + h;
 | |
|     };
 | |
|     var parseError = (e, txt, context) => {
 | |
|       if (!txt) {
 | |
|         return {
 | |
|           message: e.message + " while parsing empty string",
 | |
|           position: 0
 | |
|         };
 | |
|       }
 | |
|       const badToken = e.message.match(/^Unexpected token (.) .*position\s+(\d+)/i);
 | |
|       const errIdx = badToken ? +badToken[2] : e.message.match(/^Unexpected end of JSON.*/i) ? txt.length - 1 : null;
 | |
|       const msg = badToken ? e.message.replace(/^Unexpected token ./, `Unexpected token ${JSON.stringify(badToken[1])} (${hexify(badToken[1])})`) : e.message;
 | |
|       if (errIdx !== null && errIdx !== void 0) {
 | |
|         const start = errIdx <= context ? 0 : errIdx - context;
 | |
|         const end = errIdx + context >= txt.length ? txt.length : errIdx + context;
 | |
|         const slice = (start === 0 ? "" : "...") + txt.slice(start, end) + (end === txt.length ? "" : "...");
 | |
|         const near = txt === slice ? "" : "near ";
 | |
|         return {
 | |
|           message: msg + ` while parsing ${near}${JSON.stringify(slice)}`,
 | |
|           position: errIdx
 | |
|         };
 | |
|       } else {
 | |
|         return {
 | |
|           message: msg + ` while parsing '${txt.slice(0, context * 2)}'`,
 | |
|           position: 0
 | |
|         };
 | |
|       }
 | |
|     };
 | |
|     var JSONParseError = class extends SyntaxError {
 | |
|       constructor(er, txt, context, caller) {
 | |
|         context = context || 20;
 | |
|         const metadata = parseError(er, txt, context);
 | |
|         super(metadata.message);
 | |
|         Object.assign(this, metadata);
 | |
|         this.code = "EJSONPARSE";
 | |
|         this.systemError = er;
 | |
|         Error.captureStackTrace(this, caller || this.constructor);
 | |
|       }
 | |
|       get name() {
 | |
|         return this.constructor.name;
 | |
|       }
 | |
|       set name(n) {
 | |
|       }
 | |
|       get [Symbol.toStringTag]() {
 | |
|         return this.constructor.name;
 | |
|       }
 | |
|     };
 | |
|     var kIndent = Symbol.for("indent");
 | |
|     var kNewline = Symbol.for("newline");
 | |
|     var formatRE = /^\s*[{\[]((?:\r?\n)+)([\s\t]*)/;
 | |
|     var emptyRE = /^(?:\{\}|\[\])((?:\r?\n)+)?$/;
 | |
|     var parseJson = (txt, reviver, context) => {
 | |
|       const parseText = stripBOM(txt);
 | |
|       context = context || 20;
 | |
|       try {
 | |
|         const [, newline = "\n", indent = "  "] = parseText.match(emptyRE) || parseText.match(formatRE) || [, "", ""];
 | |
|         const result = JSON.parse(parseText, reviver);
 | |
|         if (result && typeof result === "object") {
 | |
|           result[kNewline] = newline;
 | |
|           result[kIndent] = indent;
 | |
|         }
 | |
|         return result;
 | |
|       } catch (e) {
 | |
|         if (typeof txt !== "string" && !Buffer.isBuffer(txt)) {
 | |
|           const isEmptyArray = Array.isArray(txt) && txt.length === 0;
 | |
|           throw Object.assign(new TypeError(
 | |
|             `Cannot parse ${isEmptyArray ? "an empty array" : String(txt)}`
 | |
|           ), {
 | |
|             code: "EJSONPARSE",
 | |
|             systemError: e
 | |
|           });
 | |
|         }
 | |
|         throw new JSONParseError(e, parseText, context, parseJson);
 | |
|       }
 | |
|     };
 | |
|     var stripBOM = (txt) => String(txt).replace(/^\uFEFF/, "");
 | |
|     module2.exports = parseJson;
 | |
|     parseJson.JSONParseError = JSONParseError;
 | |
|     parseJson.noExceptions = (txt, reviver) => {
 | |
|       try {
 | |
|         return JSON.parse(stripBOM(txt), reviver);
 | |
|       } catch (e) {
 | |
|       }
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/lines-and-columns@1.2.4/node_modules/lines-and-columns/build/index.js
 | |
| var require_build = __commonJS({
 | |
|   "../node_modules/.pnpm/lines-and-columns@1.2.4/node_modules/lines-and-columns/build/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     exports2.__esModule = true;
 | |
|     exports2.LinesAndColumns = void 0;
 | |
|     var LF = "\n";
 | |
|     var CR = "\r";
 | |
|     var LinesAndColumns = (
 | |
|       /** @class */
 | |
|       function() {
 | |
|         function LinesAndColumns2(string) {
 | |
|           this.string = string;
 | |
|           var offsets = [0];
 | |
|           for (var offset = 0; offset < string.length; ) {
 | |
|             switch (string[offset]) {
 | |
|               case LF:
 | |
|                 offset += LF.length;
 | |
|                 offsets.push(offset);
 | |
|                 break;
 | |
|               case CR:
 | |
|                 offset += CR.length;
 | |
|                 if (string[offset] === LF) {
 | |
|                   offset += LF.length;
 | |
|                 }
 | |
|                 offsets.push(offset);
 | |
|                 break;
 | |
|               default:
 | |
|                 offset++;
 | |
|                 break;
 | |
|             }
 | |
|           }
 | |
|           this.offsets = offsets;
 | |
|         }
 | |
|         LinesAndColumns2.prototype.locationForIndex = function(index) {
 | |
|           if (index < 0 || index > this.string.length) {
 | |
|             return null;
 | |
|           }
 | |
|           var line = 0;
 | |
|           var offsets = this.offsets;
 | |
|           while (offsets[line + 1] <= index) {
 | |
|             line++;
 | |
|           }
 | |
|           var column = index - offsets[line];
 | |
|           return { line, column };
 | |
|         };
 | |
|         LinesAndColumns2.prototype.indexForLocation = function(location) {
 | |
|           var line = location.line, column = location.column;
 | |
|           if (line < 0 || line >= this.offsets.length) {
 | |
|             return null;
 | |
|           }
 | |
|           if (column < 0 || column > this.lengthOfLine(line)) {
 | |
|             return null;
 | |
|           }
 | |
|           return this.offsets[line] + column;
 | |
|         };
 | |
|         LinesAndColumns2.prototype.lengthOfLine = function(line) {
 | |
|           var offset = this.offsets[line];
 | |
|           var nextOffset = line === this.offsets.length - 1 ? this.string.length : this.offsets[line + 1];
 | |
|           return nextOffset - offset;
 | |
|         };
 | |
|         return LinesAndColumns2;
 | |
|       }()
 | |
|     );
 | |
|     exports2.LinesAndColumns = LinesAndColumns;
 | |
|     exports2["default"] = LinesAndColumns;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/js-tokens@4.0.0/node_modules/js-tokens/index.js
 | |
| var require_js_tokens = __commonJS({
 | |
|   "../node_modules/.pnpm/js-tokens@4.0.0/node_modules/js-tokens/index.js"(exports2) {
 | |
|     Object.defineProperty(exports2, "__esModule", {
 | |
|       value: true
 | |
|     });
 | |
|     exports2.default = /((['"])(?:(?!\2|\\).|\\(?:\r\n|[\s\S]))*(\2)?|`(?:[^`\\$]|\\[\s\S]|\$(?!\{)|\$\{(?:[^{}]|\{[^}]*\}?)*\}?)*(`)?)|(\/\/.*)|(\/\*(?:[^*]|\*(?!\/))*(\*\/)?)|(\/(?!\*)(?:\[(?:(?![\]\\]).|\\.)*\]|(?![\/\]\\]).|\\.)+\/(?:(?!\s*(?:\b|[\u0080-\uFFFF$\\'"~({]|[+\-!](?!=)|\.?\d))|[gmiyus]{1,6}\b(?![\u0080-\uFFFF$\\]|\s*(?:[+\-*%&|^<>!=?({]|\/(?![\/*])))))|(0[xX][\da-fA-F]+|0[oO][0-7]+|0[bB][01]+|(?:\d*\.\d+|\d+\.?)(?:[eE][+-]?\d+)?)|((?!\d)(?:(?!\s)[$\w\u0080-\uFFFF]|\\u[\da-fA-F]{4}|\\u\{[\da-fA-F]+\})+)|(--|\+\+|&&|\|\||=>|\.{3}|(?:[+\-\/%&|^]|\*{1,2}|<{1,2}|>{1,3}|!=?|={1,2})=?|[?~.,:;[\](){}])|(\s+)|(^$|[\s\S])/g;
 | |
|     exports2.matchToToken = function(match) {
 | |
|       var token = { type: "invalid", value: match[0], closed: void 0 };
 | |
|       if (match[1])
 | |
|         token.type = "string", token.closed = !!(match[3] || match[4]);
 | |
|       else if (match[5])
 | |
|         token.type = "comment";
 | |
|       else if (match[6])
 | |
|         token.type = "comment", token.closed = !!match[7];
 | |
|       else if (match[8])
 | |
|         token.type = "regex";
 | |
|       else if (match[9])
 | |
|         token.type = "number";
 | |
|       else if (match[10])
 | |
|         token.type = "name";
 | |
|       else if (match[11])
 | |
|         token.type = "punctuator";
 | |
|       else if (match[12])
 | |
|         token.type = "whitespace";
 | |
|       return token;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@babel+helper-validator-identifier@7.22.20/node_modules/@babel/helper-validator-identifier/lib/identifier.js
 | |
| var require_identifier = __commonJS({
 | |
|   "../node_modules/.pnpm/@babel+helper-validator-identifier@7.22.20/node_modules/@babel/helper-validator-identifier/lib/identifier.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", {
 | |
|       value: true
 | |
|     });
 | |
|     exports2.isIdentifierChar = isIdentifierChar;
 | |
|     exports2.isIdentifierName = isIdentifierName;
 | |
|     exports2.isIdentifierStart = isIdentifierStart;
 | |
|     var nonASCIIidentifierStartChars = "\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0560-\u0588\u05D0-\u05EA\u05EF-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u0860-\u086A\u0870-\u0887\u0889-\u088E\u08A0-\u08C9\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u09FC\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C5D\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D04-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E86-\u0E8A\u0E8C-\u0EA3\u0EA5\u0EA7-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u1711\u171F-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1878\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4C\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C88\u1C90-\u1CBA\u1CBD-\u1CBF\u1CE9-\u1CEC\u1CEE-\u1CF3\u1CF5\u1CF6\u1CFA\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312F\u3131-\u318E\u31A0-\u31BF\u31F0-\u31FF\u3400-\u4DBF\u4E00-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7CA\uA7D0\uA7D1\uA7D3\uA7D5-\uA7D9\uA7F2-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA8FE\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB69\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC";
 | |
|     var nonASCIIidentifierChars = "\u200C\u200D\xB7\u0300-\u036F\u0387\u0483-\u0487\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u0610-\u061A\u064B-\u0669\u0670\u06D6-\u06DC\u06DF-\u06E4\u06E7\u06E8\u06EA-\u06ED\u06F0-\u06F9\u0711\u0730-\u074A\u07A6-\u07B0\u07C0-\u07C9\u07EB-\u07F3\u07FD\u0816-\u0819\u081B-\u0823\u0825-\u0827\u0829-\u082D\u0859-\u085B\u0898-\u089F\u08CA-\u08E1\u08E3-\u0903\u093A-\u093C\u093E-\u094F\u0951-\u0957\u0962\u0963\u0966-\u096F\u0981-\u0983\u09BC\u09BE-\u09C4\u09C7\u09C8\u09CB-\u09CD\u09D7\u09E2\u09E3\u09E6-\u09EF\u09FE\u0A01-\u0A03\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A66-\u0A71\u0A75\u0A81-\u0A83\u0ABC\u0ABE-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AE2\u0AE3\u0AE6-\u0AEF\u0AFA-\u0AFF\u0B01-\u0B03\u0B3C\u0B3E-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B55-\u0B57\u0B62\u0B63\u0B66-\u0B6F\u0B82\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD7\u0BE6-\u0BEF\u0C00-\u0C04\u0C3C\u0C3E-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C62\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0CBC\u0CBE-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CE2\u0CE3\u0CE6-\u0CEF\u0CF3\u0D00-\u0D03\u0D3B\u0D3C\u0D3E-\u0D44\u0D46-\u0D48\u0D4A-\u0D4D\u0D57\u0D62\u0D63\u0D66-\u0D6F\u0D81-\u0D83\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E31\u0E34-\u0E3A\u0E47-\u0E4E\u0E50-\u0E59\u0EB1\u0EB4-\u0EBC\u0EC8-\u0ECE\u0ED0-\u0ED9\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E\u0F3F\u0F71-\u0F84\u0F86\u0F87\u0F8D-\u0F97\u0F99-\u0FBC\u0FC6\u102B-\u103E\u1040-\u1049\u1056-\u1059\u105E-\u1060\u1062-\u1064\u1067-\u106D\u1071-\u1074\u1082-\u108D\u108F-\u109D\u135D-\u135F\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17B4-\u17D3\u17DD\u17E0-\u17E9\u180B-\u180D\u180F-\u1819\u18A9\u1920-\u192B\u1930-\u193B\u1946-\u194F\u19D0-\u19DA\u1A17-\u1A1B\u1A55-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AB0-\u1ABD\u1ABF-\u1ACE\u1B00-\u1B04\u1B34-\u1B44\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1B82\u1BA1-\u1BAD\u1BB0-\u1BB9\u1BE6-\u1BF3\u1C24-\u1C37\u1C40-\u1C49\u1C50-\u1C59\u1CD0-\u1CD2\u1CD4-\u1CE8\u1CED\u1CF4\u1CF7-\u1CF9\u1DC0-\u1DFF\u200C\u200D\u203F\u2040\u2054\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2CEF-\u2CF1\u2D7F\u2DE0-\u2DFF\u302A-\u302F\u3099\u309A\u30FB\uA620-\uA629\uA66F\uA674-\uA67D\uA69E\uA69F\uA6F0\uA6F1\uA802\uA806\uA80B\uA823-\uA827\uA82C\uA880\uA881\uA8B4-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F1\uA8FF-\uA909\uA926-\uA92D\uA947-\uA953\uA980-\uA983\uA9B3-\uA9C0\uA9D0-\uA9D9\uA9E5\uA9F0-\uA9F9\uAA29-\uAA36\uAA43\uAA4C\uAA4D\uAA50-\uAA59\uAA7B-\uAA7D\uAAB0\uAAB2-\uAAB4\uAAB7\uAAB8\uAABE\uAABF\uAAC1\uAAEB-\uAAEF\uAAF5\uAAF6\uABE3-\uABEA\uABEC\uABED\uABF0-\uABF9\uFB1E\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFF10-\uFF19\uFF3F\uFF65";
 | |
|     var nonASCIIidentifierStart = new RegExp("[" + nonASCIIidentifierStartChars + "]");
 | |
|     var nonASCIIidentifier = new RegExp("[" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + "]");
 | |
|     nonASCIIidentifierStartChars = nonASCIIidentifierChars = null;
 | |
|     var astralIdentifierStartCodes = [0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48, 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39, 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 68, 310, 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14, 50, 14, 35, 349, 41, 7, 1, 79, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 20, 1, 64, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 159, 52, 19, 3, 21, 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 264, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18, 16, 0, 2, 12, 2, 33, 125, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1071, 18, 5, 4026, 582, 8634, 568, 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 689, 63, 129, 74, 6, 0, 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 43, 8, 8936, 3, 2, 6, 2, 1, 2, 290, 16, 0, 30, 2, 3, 0, 15, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 7, 1845, 30, 7, 5, 262, 61, 147, 44, 11, 6, 17, 0, 322, 29, 19, 43, 485, 27, 757, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4153, 7, 221, 3, 5761, 15, 7472, 16, 621, 2467, 541, 1507, 4938, 6, 4191];
 | |
|     var astralIdentifierCodes = [509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574, 3, 9, 9, 370, 1, 81, 2, 71, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83, 11, 7, 0, 3, 0, 158, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4, 4, 193, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9, 84, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 406, 7, 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1, 2, 4, 9, 9, 330, 3, 10, 1, 2, 0, 49, 6, 4, 4, 14, 9, 5351, 0, 7, 14, 13835, 9, 87, 9, 39, 4, 60, 6, 26, 9, 1014, 0, 2, 54, 8, 3, 82, 0, 12, 1, 19628, 1, 4706, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3, 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16, 3, 6, 2, 1, 2, 4, 101, 0, 161, 6, 10, 9, 357, 0, 62, 13, 499, 13, 983, 6, 110, 6, 6, 9, 4759, 9, 787719, 239];
 | |
|     function isInAstralSet(code, set) {
 | |
|       let pos = 65536;
 | |
|       for (let i = 0, length = set.length; i < length; i += 2) {
 | |
|         pos += set[i];
 | |
|         if (pos > code)
 | |
|           return false;
 | |
|         pos += set[i + 1];
 | |
|         if (pos >= code)
 | |
|           return true;
 | |
|       }
 | |
|       return false;
 | |
|     }
 | |
|     function isIdentifierStart(code) {
 | |
|       if (code < 65)
 | |
|         return code === 36;
 | |
|       if (code <= 90)
 | |
|         return true;
 | |
|       if (code < 97)
 | |
|         return code === 95;
 | |
|       if (code <= 122)
 | |
|         return true;
 | |
|       if (code <= 65535) {
 | |
|         return code >= 170 && nonASCIIidentifierStart.test(String.fromCharCode(code));
 | |
|       }
 | |
|       return isInAstralSet(code, astralIdentifierStartCodes);
 | |
|     }
 | |
|     function isIdentifierChar(code) {
 | |
|       if (code < 48)
 | |
|         return code === 36;
 | |
|       if (code < 58)
 | |
|         return true;
 | |
|       if (code < 65)
 | |
|         return false;
 | |
|       if (code <= 90)
 | |
|         return true;
 | |
|       if (code < 97)
 | |
|         return code === 95;
 | |
|       if (code <= 122)
 | |
|         return true;
 | |
|       if (code <= 65535) {
 | |
|         return code >= 170 && nonASCIIidentifier.test(String.fromCharCode(code));
 | |
|       }
 | |
|       return isInAstralSet(code, astralIdentifierStartCodes) || isInAstralSet(code, astralIdentifierCodes);
 | |
|     }
 | |
|     function isIdentifierName(name) {
 | |
|       let isFirst = true;
 | |
|       for (let i = 0; i < name.length; i++) {
 | |
|         let cp = name.charCodeAt(i);
 | |
|         if ((cp & 64512) === 55296 && i + 1 < name.length) {
 | |
|           const trail = name.charCodeAt(++i);
 | |
|           if ((trail & 64512) === 56320) {
 | |
|             cp = 65536 + ((cp & 1023) << 10) + (trail & 1023);
 | |
|           }
 | |
|         }
 | |
|         if (isFirst) {
 | |
|           isFirst = false;
 | |
|           if (!isIdentifierStart(cp)) {
 | |
|             return false;
 | |
|           }
 | |
|         } else if (!isIdentifierChar(cp)) {
 | |
|           return false;
 | |
|         }
 | |
|       }
 | |
|       return !isFirst;
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@babel+helper-validator-identifier@7.22.20/node_modules/@babel/helper-validator-identifier/lib/keyword.js
 | |
| var require_keyword = __commonJS({
 | |
|   "../node_modules/.pnpm/@babel+helper-validator-identifier@7.22.20/node_modules/@babel/helper-validator-identifier/lib/keyword.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", {
 | |
|       value: true
 | |
|     });
 | |
|     exports2.isKeyword = isKeyword;
 | |
|     exports2.isReservedWord = isReservedWord;
 | |
|     exports2.isStrictBindOnlyReservedWord = isStrictBindOnlyReservedWord;
 | |
|     exports2.isStrictBindReservedWord = isStrictBindReservedWord;
 | |
|     exports2.isStrictReservedWord = isStrictReservedWord;
 | |
|     var reservedWords = {
 | |
|       keyword: ["break", "case", "catch", "continue", "debugger", "default", "do", "else", "finally", "for", "function", "if", "return", "switch", "throw", "try", "var", "const", "while", "with", "new", "this", "super", "class", "extends", "export", "import", "null", "true", "false", "in", "instanceof", "typeof", "void", "delete"],
 | |
|       strict: ["implements", "interface", "let", "package", "private", "protected", "public", "static", "yield"],
 | |
|       strictBind: ["eval", "arguments"]
 | |
|     };
 | |
|     var keywords = new Set(reservedWords.keyword);
 | |
|     var reservedWordsStrictSet = new Set(reservedWords.strict);
 | |
|     var reservedWordsStrictBindSet = new Set(reservedWords.strictBind);
 | |
|     function isReservedWord(word, inModule) {
 | |
|       return inModule && word === "await" || word === "enum";
 | |
|     }
 | |
|     function isStrictReservedWord(word, inModule) {
 | |
|       return isReservedWord(word, inModule) || reservedWordsStrictSet.has(word);
 | |
|     }
 | |
|     function isStrictBindOnlyReservedWord(word) {
 | |
|       return reservedWordsStrictBindSet.has(word);
 | |
|     }
 | |
|     function isStrictBindReservedWord(word, inModule) {
 | |
|       return isStrictReservedWord(word, inModule) || isStrictBindOnlyReservedWord(word);
 | |
|     }
 | |
|     function isKeyword(word) {
 | |
|       return keywords.has(word);
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@babel+helper-validator-identifier@7.22.20/node_modules/@babel/helper-validator-identifier/lib/index.js
 | |
| var require_lib12 = __commonJS({
 | |
|   "../node_modules/.pnpm/@babel+helper-validator-identifier@7.22.20/node_modules/@babel/helper-validator-identifier/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", {
 | |
|       value: true
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isIdentifierChar", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _identifier.isIdentifierChar;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isIdentifierName", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _identifier.isIdentifierName;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isIdentifierStart", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _identifier.isIdentifierStart;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isKeyword", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _keyword.isKeyword;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isReservedWord", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _keyword.isReservedWord;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isStrictBindOnlyReservedWord", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _keyword.isStrictBindOnlyReservedWord;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isStrictBindReservedWord", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _keyword.isStrictBindReservedWord;
 | |
|       }
 | |
|     });
 | |
|     Object.defineProperty(exports2, "isStrictReservedWord", {
 | |
|       enumerable: true,
 | |
|       get: function() {
 | |
|         return _keyword.isStrictReservedWord;
 | |
|       }
 | |
|     });
 | |
|     var _identifier = require_identifier();
 | |
|     var _keyword = require_keyword();
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/escape-string-regexp@1.0.5/node_modules/escape-string-regexp/index.js
 | |
| var require_escape_string_regexp = __commonJS({
 | |
|   "../node_modules/.pnpm/escape-string-regexp@1.0.5/node_modules/escape-string-regexp/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var matchOperatorsRe = /[|\\{}()[\]^$+*?.]/g;
 | |
|     module2.exports = function(str) {
 | |
|       if (typeof str !== "string") {
 | |
|         throw new TypeError("Expected a string");
 | |
|       }
 | |
|       return str.replace(matchOperatorsRe, "\\$&");
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/color-name@1.1.3/node_modules/color-name/index.js
 | |
| var require_color_name = __commonJS({
 | |
|   "../node_modules/.pnpm/color-name@1.1.3/node_modules/color-name/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = {
 | |
|       "aliceblue": [240, 248, 255],
 | |
|       "antiquewhite": [250, 235, 215],
 | |
|       "aqua": [0, 255, 255],
 | |
|       "aquamarine": [127, 255, 212],
 | |
|       "azure": [240, 255, 255],
 | |
|       "beige": [245, 245, 220],
 | |
|       "bisque": [255, 228, 196],
 | |
|       "black": [0, 0, 0],
 | |
|       "blanchedalmond": [255, 235, 205],
 | |
|       "blue": [0, 0, 255],
 | |
|       "blueviolet": [138, 43, 226],
 | |
|       "brown": [165, 42, 42],
 | |
|       "burlywood": [222, 184, 135],
 | |
|       "cadetblue": [95, 158, 160],
 | |
|       "chartreuse": [127, 255, 0],
 | |
|       "chocolate": [210, 105, 30],
 | |
|       "coral": [255, 127, 80],
 | |
|       "cornflowerblue": [100, 149, 237],
 | |
|       "cornsilk": [255, 248, 220],
 | |
|       "crimson": [220, 20, 60],
 | |
|       "cyan": [0, 255, 255],
 | |
|       "darkblue": [0, 0, 139],
 | |
|       "darkcyan": [0, 139, 139],
 | |
|       "darkgoldenrod": [184, 134, 11],
 | |
|       "darkgray": [169, 169, 169],
 | |
|       "darkgreen": [0, 100, 0],
 | |
|       "darkgrey": [169, 169, 169],
 | |
|       "darkkhaki": [189, 183, 107],
 | |
|       "darkmagenta": [139, 0, 139],
 | |
|       "darkolivegreen": [85, 107, 47],
 | |
|       "darkorange": [255, 140, 0],
 | |
|       "darkorchid": [153, 50, 204],
 | |
|       "darkred": [139, 0, 0],
 | |
|       "darksalmon": [233, 150, 122],
 | |
|       "darkseagreen": [143, 188, 143],
 | |
|       "darkslateblue": [72, 61, 139],
 | |
|       "darkslategray": [47, 79, 79],
 | |
|       "darkslategrey": [47, 79, 79],
 | |
|       "darkturquoise": [0, 206, 209],
 | |
|       "darkviolet": [148, 0, 211],
 | |
|       "deeppink": [255, 20, 147],
 | |
|       "deepskyblue": [0, 191, 255],
 | |
|       "dimgray": [105, 105, 105],
 | |
|       "dimgrey": [105, 105, 105],
 | |
|       "dodgerblue": [30, 144, 255],
 | |
|       "firebrick": [178, 34, 34],
 | |
|       "floralwhite": [255, 250, 240],
 | |
|       "forestgreen": [34, 139, 34],
 | |
|       "fuchsia": [255, 0, 255],
 | |
|       "gainsboro": [220, 220, 220],
 | |
|       "ghostwhite": [248, 248, 255],
 | |
|       "gold": [255, 215, 0],
 | |
|       "goldenrod": [218, 165, 32],
 | |
|       "gray": [128, 128, 128],
 | |
|       "green": [0, 128, 0],
 | |
|       "greenyellow": [173, 255, 47],
 | |
|       "grey": [128, 128, 128],
 | |
|       "honeydew": [240, 255, 240],
 | |
|       "hotpink": [255, 105, 180],
 | |
|       "indianred": [205, 92, 92],
 | |
|       "indigo": [75, 0, 130],
 | |
|       "ivory": [255, 255, 240],
 | |
|       "khaki": [240, 230, 140],
 | |
|       "lavender": [230, 230, 250],
 | |
|       "lavenderblush": [255, 240, 245],
 | |
|       "lawngreen": [124, 252, 0],
 | |
|       "lemonchiffon": [255, 250, 205],
 | |
|       "lightblue": [173, 216, 230],
 | |
|       "lightcoral": [240, 128, 128],
 | |
|       "lightcyan": [224, 255, 255],
 | |
|       "lightgoldenrodyellow": [250, 250, 210],
 | |
|       "lightgray": [211, 211, 211],
 | |
|       "lightgreen": [144, 238, 144],
 | |
|       "lightgrey": [211, 211, 211],
 | |
|       "lightpink": [255, 182, 193],
 | |
|       "lightsalmon": [255, 160, 122],
 | |
|       "lightseagreen": [32, 178, 170],
 | |
|       "lightskyblue": [135, 206, 250],
 | |
|       "lightslategray": [119, 136, 153],
 | |
|       "lightslategrey": [119, 136, 153],
 | |
|       "lightsteelblue": [176, 196, 222],
 | |
|       "lightyellow": [255, 255, 224],
 | |
|       "lime": [0, 255, 0],
 | |
|       "limegreen": [50, 205, 50],
 | |
|       "linen": [250, 240, 230],
 | |
|       "magenta": [255, 0, 255],
 | |
|       "maroon": [128, 0, 0],
 | |
|       "mediumaquamarine": [102, 205, 170],
 | |
|       "mediumblue": [0, 0, 205],
 | |
|       "mediumorchid": [186, 85, 211],
 | |
|       "mediumpurple": [147, 112, 219],
 | |
|       "mediumseagreen": [60, 179, 113],
 | |
|       "mediumslateblue": [123, 104, 238],
 | |
|       "mediumspringgreen": [0, 250, 154],
 | |
|       "mediumturquoise": [72, 209, 204],
 | |
|       "mediumvioletred": [199, 21, 133],
 | |
|       "midnightblue": [25, 25, 112],
 | |
|       "mintcream": [245, 255, 250],
 | |
|       "mistyrose": [255, 228, 225],
 | |
|       "moccasin": [255, 228, 181],
 | |
|       "navajowhite": [255, 222, 173],
 | |
|       "navy": [0, 0, 128],
 | |
|       "oldlace": [253, 245, 230],
 | |
|       "olive": [128, 128, 0],
 | |
|       "olivedrab": [107, 142, 35],
 | |
|       "orange": [255, 165, 0],
 | |
|       "orangered": [255, 69, 0],
 | |
|       "orchid": [218, 112, 214],
 | |
|       "palegoldenrod": [238, 232, 170],
 | |
|       "palegreen": [152, 251, 152],
 | |
|       "paleturquoise": [175, 238, 238],
 | |
|       "palevioletred": [219, 112, 147],
 | |
|       "papayawhip": [255, 239, 213],
 | |
|       "peachpuff": [255, 218, 185],
 | |
|       "peru": [205, 133, 63],
 | |
|       "pink": [255, 192, 203],
 | |
|       "plum": [221, 160, 221],
 | |
|       "powderblue": [176, 224, 230],
 | |
|       "purple": [128, 0, 128],
 | |
|       "rebeccapurple": [102, 51, 153],
 | |
|       "red": [255, 0, 0],
 | |
|       "rosybrown": [188, 143, 143],
 | |
|       "royalblue": [65, 105, 225],
 | |
|       "saddlebrown": [139, 69, 19],
 | |
|       "salmon": [250, 128, 114],
 | |
|       "sandybrown": [244, 164, 96],
 | |
|       "seagreen": [46, 139, 87],
 | |
|       "seashell": [255, 245, 238],
 | |
|       "sienna": [160, 82, 45],
 | |
|       "silver": [192, 192, 192],
 | |
|       "skyblue": [135, 206, 235],
 | |
|       "slateblue": [106, 90, 205],
 | |
|       "slategray": [112, 128, 144],
 | |
|       "slategrey": [112, 128, 144],
 | |
|       "snow": [255, 250, 250],
 | |
|       "springgreen": [0, 255, 127],
 | |
|       "steelblue": [70, 130, 180],
 | |
|       "tan": [210, 180, 140],
 | |
|       "teal": [0, 128, 128],
 | |
|       "thistle": [216, 191, 216],
 | |
|       "tomato": [255, 99, 71],
 | |
|       "turquoise": [64, 224, 208],
 | |
|       "violet": [238, 130, 238],
 | |
|       "wheat": [245, 222, 179],
 | |
|       "white": [255, 255, 255],
 | |
|       "whitesmoke": [245, 245, 245],
 | |
|       "yellow": [255, 255, 0],
 | |
|       "yellowgreen": [154, 205, 50]
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/color-convert@1.9.3/node_modules/color-convert/conversions.js
 | |
| var require_conversions = __commonJS({
 | |
|   "../node_modules/.pnpm/color-convert@1.9.3/node_modules/color-convert/conversions.js"(exports2, module2) {
 | |
|     var cssKeywords = require_color_name();
 | |
|     var reverseKeywords = {};
 | |
|     for (key in cssKeywords) {
 | |
|       if (cssKeywords.hasOwnProperty(key)) {
 | |
|         reverseKeywords[cssKeywords[key]] = key;
 | |
|       }
 | |
|     }
 | |
|     var key;
 | |
|     var convert = module2.exports = {
 | |
|       rgb: { channels: 3, labels: "rgb" },
 | |
|       hsl: { channels: 3, labels: "hsl" },
 | |
|       hsv: { channels: 3, labels: "hsv" },
 | |
|       hwb: { channels: 3, labels: "hwb" },
 | |
|       cmyk: { channels: 4, labels: "cmyk" },
 | |
|       xyz: { channels: 3, labels: "xyz" },
 | |
|       lab: { channels: 3, labels: "lab" },
 | |
|       lch: { channels: 3, labels: "lch" },
 | |
|       hex: { channels: 1, labels: ["hex"] },
 | |
|       keyword: { channels: 1, labels: ["keyword"] },
 | |
|       ansi16: { channels: 1, labels: ["ansi16"] },
 | |
|       ansi256: { channels: 1, labels: ["ansi256"] },
 | |
|       hcg: { channels: 3, labels: ["h", "c", "g"] },
 | |
|       apple: { channels: 3, labels: ["r16", "g16", "b16"] },
 | |
|       gray: { channels: 1, labels: ["gray"] }
 | |
|     };
 | |
|     for (model in convert) {
 | |
|       if (convert.hasOwnProperty(model)) {
 | |
|         if (!("channels" in convert[model])) {
 | |
|           throw new Error("missing channels property: " + model);
 | |
|         }
 | |
|         if (!("labels" in convert[model])) {
 | |
|           throw new Error("missing channel labels property: " + model);
 | |
|         }
 | |
|         if (convert[model].labels.length !== convert[model].channels) {
 | |
|           throw new Error("channel and label counts mismatch: " + model);
 | |
|         }
 | |
|         channels = convert[model].channels;
 | |
|         labels = convert[model].labels;
 | |
|         delete convert[model].channels;
 | |
|         delete convert[model].labels;
 | |
|         Object.defineProperty(convert[model], "channels", { value: channels });
 | |
|         Object.defineProperty(convert[model], "labels", { value: labels });
 | |
|       }
 | |
|     }
 | |
|     var channels;
 | |
|     var labels;
 | |
|     var model;
 | |
|     convert.rgb.hsl = function(rgb) {
 | |
|       var r = rgb[0] / 255;
 | |
|       var g = rgb[1] / 255;
 | |
|       var b = rgb[2] / 255;
 | |
|       var min = Math.min(r, g, b);
 | |
|       var max = Math.max(r, g, b);
 | |
|       var delta = max - min;
 | |
|       var h;
 | |
|       var s;
 | |
|       var l;
 | |
|       if (max === min) {
 | |
|         h = 0;
 | |
|       } else if (r === max) {
 | |
|         h = (g - b) / delta;
 | |
|       } else if (g === max) {
 | |
|         h = 2 + (b - r) / delta;
 | |
|       } else if (b === max) {
 | |
|         h = 4 + (r - g) / delta;
 | |
|       }
 | |
|       h = Math.min(h * 60, 360);
 | |
|       if (h < 0) {
 | |
|         h += 360;
 | |
|       }
 | |
|       l = (min + max) / 2;
 | |
|       if (max === min) {
 | |
|         s = 0;
 | |
|       } else if (l <= 0.5) {
 | |
|         s = delta / (max + min);
 | |
|       } else {
 | |
|         s = delta / (2 - max - min);
 | |
|       }
 | |
|       return [h, s * 100, l * 100];
 | |
|     };
 | |
|     convert.rgb.hsv = function(rgb) {
 | |
|       var rdif;
 | |
|       var gdif;
 | |
|       var bdif;
 | |
|       var h;
 | |
|       var s;
 | |
|       var r = rgb[0] / 255;
 | |
|       var g = rgb[1] / 255;
 | |
|       var b = rgb[2] / 255;
 | |
|       var v = Math.max(r, g, b);
 | |
|       var diff = v - Math.min(r, g, b);
 | |
|       var diffc = function(c) {
 | |
|         return (v - c) / 6 / diff + 1 / 2;
 | |
|       };
 | |
|       if (diff === 0) {
 | |
|         h = s = 0;
 | |
|       } else {
 | |
|         s = diff / v;
 | |
|         rdif = diffc(r);
 | |
|         gdif = diffc(g);
 | |
|         bdif = diffc(b);
 | |
|         if (r === v) {
 | |
|           h = bdif - gdif;
 | |
|         } else if (g === v) {
 | |
|           h = 1 / 3 + rdif - bdif;
 | |
|         } else if (b === v) {
 | |
|           h = 2 / 3 + gdif - rdif;
 | |
|         }
 | |
|         if (h < 0) {
 | |
|           h += 1;
 | |
|         } else if (h > 1) {
 | |
|           h -= 1;
 | |
|         }
 | |
|       }
 | |
|       return [
 | |
|         h * 360,
 | |
|         s * 100,
 | |
|         v * 100
 | |
|       ];
 | |
|     };
 | |
|     convert.rgb.hwb = function(rgb) {
 | |
|       var r = rgb[0];
 | |
|       var g = rgb[1];
 | |
|       var b = rgb[2];
 | |
|       var h = convert.rgb.hsl(rgb)[0];
 | |
|       var w = 1 / 255 * Math.min(r, Math.min(g, b));
 | |
|       b = 1 - 1 / 255 * Math.max(r, Math.max(g, b));
 | |
|       return [h, w * 100, b * 100];
 | |
|     };
 | |
|     convert.rgb.cmyk = function(rgb) {
 | |
|       var r = rgb[0] / 255;
 | |
|       var g = rgb[1] / 255;
 | |
|       var b = rgb[2] / 255;
 | |
|       var c;
 | |
|       var m;
 | |
|       var y;
 | |
|       var k;
 | |
|       k = Math.min(1 - r, 1 - g, 1 - b);
 | |
|       c = (1 - r - k) / (1 - k) || 0;
 | |
|       m = (1 - g - k) / (1 - k) || 0;
 | |
|       y = (1 - b - k) / (1 - k) || 0;
 | |
|       return [c * 100, m * 100, y * 100, k * 100];
 | |
|     };
 | |
|     function comparativeDistance(x, y) {
 | |
|       return Math.pow(x[0] - y[0], 2) + Math.pow(x[1] - y[1], 2) + Math.pow(x[2] - y[2], 2);
 | |
|     }
 | |
|     convert.rgb.keyword = function(rgb) {
 | |
|       var reversed = reverseKeywords[rgb];
 | |
|       if (reversed) {
 | |
|         return reversed;
 | |
|       }
 | |
|       var currentClosestDistance = Infinity;
 | |
|       var currentClosestKeyword;
 | |
|       for (var keyword in cssKeywords) {
 | |
|         if (cssKeywords.hasOwnProperty(keyword)) {
 | |
|           var value = cssKeywords[keyword];
 | |
|           var distance = comparativeDistance(rgb, value);
 | |
|           if (distance < currentClosestDistance) {
 | |
|             currentClosestDistance = distance;
 | |
|             currentClosestKeyword = keyword;
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return currentClosestKeyword;
 | |
|     };
 | |
|     convert.keyword.rgb = function(keyword) {
 | |
|       return cssKeywords[keyword];
 | |
|     };
 | |
|     convert.rgb.xyz = function(rgb) {
 | |
|       var r = rgb[0] / 255;
 | |
|       var g = rgb[1] / 255;
 | |
|       var b = rgb[2] / 255;
 | |
|       r = r > 0.04045 ? Math.pow((r + 0.055) / 1.055, 2.4) : r / 12.92;
 | |
|       g = g > 0.04045 ? Math.pow((g + 0.055) / 1.055, 2.4) : g / 12.92;
 | |
|       b = b > 0.04045 ? Math.pow((b + 0.055) / 1.055, 2.4) : b / 12.92;
 | |
|       var x = r * 0.4124 + g * 0.3576 + b * 0.1805;
 | |
|       var y = r * 0.2126 + g * 0.7152 + b * 0.0722;
 | |
|       var z = r * 0.0193 + g * 0.1192 + b * 0.9505;
 | |
|       return [x * 100, y * 100, z * 100];
 | |
|     };
 | |
|     convert.rgb.lab = function(rgb) {
 | |
|       var xyz = convert.rgb.xyz(rgb);
 | |
|       var x = xyz[0];
 | |
|       var y = xyz[1];
 | |
|       var z = xyz[2];
 | |
|       var l;
 | |
|       var a;
 | |
|       var b;
 | |
|       x /= 95.047;
 | |
|       y /= 100;
 | |
|       z /= 108.883;
 | |
|       x = x > 8856e-6 ? Math.pow(x, 1 / 3) : 7.787 * x + 16 / 116;
 | |
|       y = y > 8856e-6 ? Math.pow(y, 1 / 3) : 7.787 * y + 16 / 116;
 | |
|       z = z > 8856e-6 ? Math.pow(z, 1 / 3) : 7.787 * z + 16 / 116;
 | |
|       l = 116 * y - 16;
 | |
|       a = 500 * (x - y);
 | |
|       b = 200 * (y - z);
 | |
|       return [l, a, b];
 | |
|     };
 | |
|     convert.hsl.rgb = function(hsl) {
 | |
|       var h = hsl[0] / 360;
 | |
|       var s = hsl[1] / 100;
 | |
|       var l = hsl[2] / 100;
 | |
|       var t1;
 | |
|       var t2;
 | |
|       var t3;
 | |
|       var rgb;
 | |
|       var val;
 | |
|       if (s === 0) {
 | |
|         val = l * 255;
 | |
|         return [val, val, val];
 | |
|       }
 | |
|       if (l < 0.5) {
 | |
|         t2 = l * (1 + s);
 | |
|       } else {
 | |
|         t2 = l + s - l * s;
 | |
|       }
 | |
|       t1 = 2 * l - t2;
 | |
|       rgb = [0, 0, 0];
 | |
|       for (var i = 0; i < 3; i++) {
 | |
|         t3 = h + 1 / 3 * -(i - 1);
 | |
|         if (t3 < 0) {
 | |
|           t3++;
 | |
|         }
 | |
|         if (t3 > 1) {
 | |
|           t3--;
 | |
|         }
 | |
|         if (6 * t3 < 1) {
 | |
|           val = t1 + (t2 - t1) * 6 * t3;
 | |
|         } else if (2 * t3 < 1) {
 | |
|           val = t2;
 | |
|         } else if (3 * t3 < 2) {
 | |
|           val = t1 + (t2 - t1) * (2 / 3 - t3) * 6;
 | |
|         } else {
 | |
|           val = t1;
 | |
|         }
 | |
|         rgb[i] = val * 255;
 | |
|       }
 | |
|       return rgb;
 | |
|     };
 | |
|     convert.hsl.hsv = function(hsl) {
 | |
|       var h = hsl[0];
 | |
|       var s = hsl[1] / 100;
 | |
|       var l = hsl[2] / 100;
 | |
|       var smin = s;
 | |
|       var lmin = Math.max(l, 0.01);
 | |
|       var sv;
 | |
|       var v;
 | |
|       l *= 2;
 | |
|       s *= l <= 1 ? l : 2 - l;
 | |
|       smin *= lmin <= 1 ? lmin : 2 - lmin;
 | |
|       v = (l + s) / 2;
 | |
|       sv = l === 0 ? 2 * smin / (lmin + smin) : 2 * s / (l + s);
 | |
|       return [h, sv * 100, v * 100];
 | |
|     };
 | |
|     convert.hsv.rgb = function(hsv) {
 | |
|       var h = hsv[0] / 60;
 | |
|       var s = hsv[1] / 100;
 | |
|       var v = hsv[2] / 100;
 | |
|       var hi = Math.floor(h) % 6;
 | |
|       var f = h - Math.floor(h);
 | |
|       var p = 255 * v * (1 - s);
 | |
|       var q = 255 * v * (1 - s * f);
 | |
|       var t = 255 * v * (1 - s * (1 - f));
 | |
|       v *= 255;
 | |
|       switch (hi) {
 | |
|         case 0:
 | |
|           return [v, t, p];
 | |
|         case 1:
 | |
|           return [q, v, p];
 | |
|         case 2:
 | |
|           return [p, v, t];
 | |
|         case 3:
 | |
|           return [p, q, v];
 | |
|         case 4:
 | |
|           return [t, p, v];
 | |
|         case 5:
 | |
|           return [v, p, q];
 | |
|       }
 | |
|     };
 | |
|     convert.hsv.hsl = function(hsv) {
 | |
|       var h = hsv[0];
 | |
|       var s = hsv[1] / 100;
 | |
|       var v = hsv[2] / 100;
 | |
|       var vmin = Math.max(v, 0.01);
 | |
|       var lmin;
 | |
|       var sl;
 | |
|       var l;
 | |
|       l = (2 - s) * v;
 | |
|       lmin = (2 - s) * vmin;
 | |
|       sl = s * vmin;
 | |
|       sl /= lmin <= 1 ? lmin : 2 - lmin;
 | |
|       sl = sl || 0;
 | |
|       l /= 2;
 | |
|       return [h, sl * 100, l * 100];
 | |
|     };
 | |
|     convert.hwb.rgb = function(hwb) {
 | |
|       var h = hwb[0] / 360;
 | |
|       var wh = hwb[1] / 100;
 | |
|       var bl = hwb[2] / 100;
 | |
|       var ratio = wh + bl;
 | |
|       var i;
 | |
|       var v;
 | |
|       var f;
 | |
|       var n;
 | |
|       if (ratio > 1) {
 | |
|         wh /= ratio;
 | |
|         bl /= ratio;
 | |
|       }
 | |
|       i = Math.floor(6 * h);
 | |
|       v = 1 - bl;
 | |
|       f = 6 * h - i;
 | |
|       if ((i & 1) !== 0) {
 | |
|         f = 1 - f;
 | |
|       }
 | |
|       n = wh + f * (v - wh);
 | |
|       var r;
 | |
|       var g;
 | |
|       var b;
 | |
|       switch (i) {
 | |
|         default:
 | |
|         case 6:
 | |
|         case 0:
 | |
|           r = v;
 | |
|           g = n;
 | |
|           b = wh;
 | |
|           break;
 | |
|         case 1:
 | |
|           r = n;
 | |
|           g = v;
 | |
|           b = wh;
 | |
|           break;
 | |
|         case 2:
 | |
|           r = wh;
 | |
|           g = v;
 | |
|           b = n;
 | |
|           break;
 | |
|         case 3:
 | |
|           r = wh;
 | |
|           g = n;
 | |
|           b = v;
 | |
|           break;
 | |
|         case 4:
 | |
|           r = n;
 | |
|           g = wh;
 | |
|           b = v;
 | |
|           break;
 | |
|         case 5:
 | |
|           r = v;
 | |
|           g = wh;
 | |
|           b = n;
 | |
|           break;
 | |
|       }
 | |
|       return [r * 255, g * 255, b * 255];
 | |
|     };
 | |
|     convert.cmyk.rgb = function(cmyk) {
 | |
|       var c = cmyk[0] / 100;
 | |
|       var m = cmyk[1] / 100;
 | |
|       var y = cmyk[2] / 100;
 | |
|       var k = cmyk[3] / 100;
 | |
|       var r;
 | |
|       var g;
 | |
|       var b;
 | |
|       r = 1 - Math.min(1, c * (1 - k) + k);
 | |
|       g = 1 - Math.min(1, m * (1 - k) + k);
 | |
|       b = 1 - Math.min(1, y * (1 - k) + k);
 | |
|       return [r * 255, g * 255, b * 255];
 | |
|     };
 | |
|     convert.xyz.rgb = function(xyz) {
 | |
|       var x = xyz[0] / 100;
 | |
|       var y = xyz[1] / 100;
 | |
|       var z = xyz[2] / 100;
 | |
|       var r;
 | |
|       var g;
 | |
|       var b;
 | |
|       r = x * 3.2406 + y * -1.5372 + z * -0.4986;
 | |
|       g = x * -0.9689 + y * 1.8758 + z * 0.0415;
 | |
|       b = x * 0.0557 + y * -0.204 + z * 1.057;
 | |
|       r = r > 31308e-7 ? 1.055 * Math.pow(r, 1 / 2.4) - 0.055 : r * 12.92;
 | |
|       g = g > 31308e-7 ? 1.055 * Math.pow(g, 1 / 2.4) - 0.055 : g * 12.92;
 | |
|       b = b > 31308e-7 ? 1.055 * Math.pow(b, 1 / 2.4) - 0.055 : b * 12.92;
 | |
|       r = Math.min(Math.max(0, r), 1);
 | |
|       g = Math.min(Math.max(0, g), 1);
 | |
|       b = Math.min(Math.max(0, b), 1);
 | |
|       return [r * 255, g * 255, b * 255];
 | |
|     };
 | |
|     convert.xyz.lab = function(xyz) {
 | |
|       var x = xyz[0];
 | |
|       var y = xyz[1];
 | |
|       var z = xyz[2];
 | |
|       var l;
 | |
|       var a;
 | |
|       var b;
 | |
|       x /= 95.047;
 | |
|       y /= 100;
 | |
|       z /= 108.883;
 | |
|       x = x > 8856e-6 ? Math.pow(x, 1 / 3) : 7.787 * x + 16 / 116;
 | |
|       y = y > 8856e-6 ? Math.pow(y, 1 / 3) : 7.787 * y + 16 / 116;
 | |
|       z = z > 8856e-6 ? Math.pow(z, 1 / 3) : 7.787 * z + 16 / 116;
 | |
|       l = 116 * y - 16;
 | |
|       a = 500 * (x - y);
 | |
|       b = 200 * (y - z);
 | |
|       return [l, a, b];
 | |
|     };
 | |
|     convert.lab.xyz = function(lab) {
 | |
|       var l = lab[0];
 | |
|       var a = lab[1];
 | |
|       var b = lab[2];
 | |
|       var x;
 | |
|       var y;
 | |
|       var z;
 | |
|       y = (l + 16) / 116;
 | |
|       x = a / 500 + y;
 | |
|       z = y - b / 200;
 | |
|       var y2 = Math.pow(y, 3);
 | |
|       var x2 = Math.pow(x, 3);
 | |
|       var z2 = Math.pow(z, 3);
 | |
|       y = y2 > 8856e-6 ? y2 : (y - 16 / 116) / 7.787;
 | |
|       x = x2 > 8856e-6 ? x2 : (x - 16 / 116) / 7.787;
 | |
|       z = z2 > 8856e-6 ? z2 : (z - 16 / 116) / 7.787;
 | |
|       x *= 95.047;
 | |
|       y *= 100;
 | |
|       z *= 108.883;
 | |
|       return [x, y, z];
 | |
|     };
 | |
|     convert.lab.lch = function(lab) {
 | |
|       var l = lab[0];
 | |
|       var a = lab[1];
 | |
|       var b = lab[2];
 | |
|       var hr;
 | |
|       var h;
 | |
|       var c;
 | |
|       hr = Math.atan2(b, a);
 | |
|       h = hr * 360 / 2 / Math.PI;
 | |
|       if (h < 0) {
 | |
|         h += 360;
 | |
|       }
 | |
|       c = Math.sqrt(a * a + b * b);
 | |
|       return [l, c, h];
 | |
|     };
 | |
|     convert.lch.lab = function(lch) {
 | |
|       var l = lch[0];
 | |
|       var c = lch[1];
 | |
|       var h = lch[2];
 | |
|       var a;
 | |
|       var b;
 | |
|       var hr;
 | |
|       hr = h / 360 * 2 * Math.PI;
 | |
|       a = c * Math.cos(hr);
 | |
|       b = c * Math.sin(hr);
 | |
|       return [l, a, b];
 | |
|     };
 | |
|     convert.rgb.ansi16 = function(args) {
 | |
|       var r = args[0];
 | |
|       var g = args[1];
 | |
|       var b = args[2];
 | |
|       var value = 1 in arguments ? arguments[1] : convert.rgb.hsv(args)[2];
 | |
|       value = Math.round(value / 50);
 | |
|       if (value === 0) {
 | |
|         return 30;
 | |
|       }
 | |
|       var ansi = 30 + (Math.round(b / 255) << 2 | Math.round(g / 255) << 1 | Math.round(r / 255));
 | |
|       if (value === 2) {
 | |
|         ansi += 60;
 | |
|       }
 | |
|       return ansi;
 | |
|     };
 | |
|     convert.hsv.ansi16 = function(args) {
 | |
|       return convert.rgb.ansi16(convert.hsv.rgb(args), args[2]);
 | |
|     };
 | |
|     convert.rgb.ansi256 = function(args) {
 | |
|       var r = args[0];
 | |
|       var g = args[1];
 | |
|       var b = args[2];
 | |
|       if (r === g && g === b) {
 | |
|         if (r < 8) {
 | |
|           return 16;
 | |
|         }
 | |
|         if (r > 248) {
 | |
|           return 231;
 | |
|         }
 | |
|         return Math.round((r - 8) / 247 * 24) + 232;
 | |
|       }
 | |
|       var ansi = 16 + 36 * Math.round(r / 255 * 5) + 6 * Math.round(g / 255 * 5) + Math.round(b / 255 * 5);
 | |
|       return ansi;
 | |
|     };
 | |
|     convert.ansi16.rgb = function(args) {
 | |
|       var color = args % 10;
 | |
|       if (color === 0 || color === 7) {
 | |
|         if (args > 50) {
 | |
|           color += 3.5;
 | |
|         }
 | |
|         color = color / 10.5 * 255;
 | |
|         return [color, color, color];
 | |
|       }
 | |
|       var mult = (~~(args > 50) + 1) * 0.5;
 | |
|       var r = (color & 1) * mult * 255;
 | |
|       var g = (color >> 1 & 1) * mult * 255;
 | |
|       var b = (color >> 2 & 1) * mult * 255;
 | |
|       return [r, g, b];
 | |
|     };
 | |
|     convert.ansi256.rgb = function(args) {
 | |
|       if (args >= 232) {
 | |
|         var c = (args - 232) * 10 + 8;
 | |
|         return [c, c, c];
 | |
|       }
 | |
|       args -= 16;
 | |
|       var rem;
 | |
|       var r = Math.floor(args / 36) / 5 * 255;
 | |
|       var g = Math.floor((rem = args % 36) / 6) / 5 * 255;
 | |
|       var b = rem % 6 / 5 * 255;
 | |
|       return [r, g, b];
 | |
|     };
 | |
|     convert.rgb.hex = function(args) {
 | |
|       var integer = ((Math.round(args[0]) & 255) << 16) + ((Math.round(args[1]) & 255) << 8) + (Math.round(args[2]) & 255);
 | |
|       var string = integer.toString(16).toUpperCase();
 | |
|       return "000000".substring(string.length) + string;
 | |
|     };
 | |
|     convert.hex.rgb = function(args) {
 | |
|       var match = args.toString(16).match(/[a-f0-9]{6}|[a-f0-9]{3}/i);
 | |
|       if (!match) {
 | |
|         return [0, 0, 0];
 | |
|       }
 | |
|       var colorString = match[0];
 | |
|       if (match[0].length === 3) {
 | |
|         colorString = colorString.split("").map(function(char) {
 | |
|           return char + char;
 | |
|         }).join("");
 | |
|       }
 | |
|       var integer = parseInt(colorString, 16);
 | |
|       var r = integer >> 16 & 255;
 | |
|       var g = integer >> 8 & 255;
 | |
|       var b = integer & 255;
 | |
|       return [r, g, b];
 | |
|     };
 | |
|     convert.rgb.hcg = function(rgb) {
 | |
|       var r = rgb[0] / 255;
 | |
|       var g = rgb[1] / 255;
 | |
|       var b = rgb[2] / 255;
 | |
|       var max = Math.max(Math.max(r, g), b);
 | |
|       var min = Math.min(Math.min(r, g), b);
 | |
|       var chroma = max - min;
 | |
|       var grayscale;
 | |
|       var hue;
 | |
|       if (chroma < 1) {
 | |
|         grayscale = min / (1 - chroma);
 | |
|       } else {
 | |
|         grayscale = 0;
 | |
|       }
 | |
|       if (chroma <= 0) {
 | |
|         hue = 0;
 | |
|       } else if (max === r) {
 | |
|         hue = (g - b) / chroma % 6;
 | |
|       } else if (max === g) {
 | |
|         hue = 2 + (b - r) / chroma;
 | |
|       } else {
 | |
|         hue = 4 + (r - g) / chroma + 4;
 | |
|       }
 | |
|       hue /= 6;
 | |
|       hue %= 1;
 | |
|       return [hue * 360, chroma * 100, grayscale * 100];
 | |
|     };
 | |
|     convert.hsl.hcg = function(hsl) {
 | |
|       var s = hsl[1] / 100;
 | |
|       var l = hsl[2] / 100;
 | |
|       var c = 1;
 | |
|       var f = 0;
 | |
|       if (l < 0.5) {
 | |
|         c = 2 * s * l;
 | |
|       } else {
 | |
|         c = 2 * s * (1 - l);
 | |
|       }
 | |
|       if (c < 1) {
 | |
|         f = (l - 0.5 * c) / (1 - c);
 | |
|       }
 | |
|       return [hsl[0], c * 100, f * 100];
 | |
|     };
 | |
|     convert.hsv.hcg = function(hsv) {
 | |
|       var s = hsv[1] / 100;
 | |
|       var v = hsv[2] / 100;
 | |
|       var c = s * v;
 | |
|       var f = 0;
 | |
|       if (c < 1) {
 | |
|         f = (v - c) / (1 - c);
 | |
|       }
 | |
|       return [hsv[0], c * 100, f * 100];
 | |
|     };
 | |
|     convert.hcg.rgb = function(hcg) {
 | |
|       var h = hcg[0] / 360;
 | |
|       var c = hcg[1] / 100;
 | |
|       var g = hcg[2] / 100;
 | |
|       if (c === 0) {
 | |
|         return [g * 255, g * 255, g * 255];
 | |
|       }
 | |
|       var pure = [0, 0, 0];
 | |
|       var hi = h % 1 * 6;
 | |
|       var v = hi % 1;
 | |
|       var w = 1 - v;
 | |
|       var mg = 0;
 | |
|       switch (Math.floor(hi)) {
 | |
|         case 0:
 | |
|           pure[0] = 1;
 | |
|           pure[1] = v;
 | |
|           pure[2] = 0;
 | |
|           break;
 | |
|         case 1:
 | |
|           pure[0] = w;
 | |
|           pure[1] = 1;
 | |
|           pure[2] = 0;
 | |
|           break;
 | |
|         case 2:
 | |
|           pure[0] = 0;
 | |
|           pure[1] = 1;
 | |
|           pure[2] = v;
 | |
|           break;
 | |
|         case 3:
 | |
|           pure[0] = 0;
 | |
|           pure[1] = w;
 | |
|           pure[2] = 1;
 | |
|           break;
 | |
|         case 4:
 | |
|           pure[0] = v;
 | |
|           pure[1] = 0;
 | |
|           pure[2] = 1;
 | |
|           break;
 | |
|         default:
 | |
|           pure[0] = 1;
 | |
|           pure[1] = 0;
 | |
|           pure[2] = w;
 | |
|       }
 | |
|       mg = (1 - c) * g;
 | |
|       return [
 | |
|         (c * pure[0] + mg) * 255,
 | |
|         (c * pure[1] + mg) * 255,
 | |
|         (c * pure[2] + mg) * 255
 | |
|       ];
 | |
|     };
 | |
|     convert.hcg.hsv = function(hcg) {
 | |
|       var c = hcg[1] / 100;
 | |
|       var g = hcg[2] / 100;
 | |
|       var v = c + g * (1 - c);
 | |
|       var f = 0;
 | |
|       if (v > 0) {
 | |
|         f = c / v;
 | |
|       }
 | |
|       return [hcg[0], f * 100, v * 100];
 | |
|     };
 | |
|     convert.hcg.hsl = function(hcg) {
 | |
|       var c = hcg[1] / 100;
 | |
|       var g = hcg[2] / 100;
 | |
|       var l = g * (1 - c) + 0.5 * c;
 | |
|       var s = 0;
 | |
|       if (l > 0 && l < 0.5) {
 | |
|         s = c / (2 * l);
 | |
|       } else if (l >= 0.5 && l < 1) {
 | |
|         s = c / (2 * (1 - l));
 | |
|       }
 | |
|       return [hcg[0], s * 100, l * 100];
 | |
|     };
 | |
|     convert.hcg.hwb = function(hcg) {
 | |
|       var c = hcg[1] / 100;
 | |
|       var g = hcg[2] / 100;
 | |
|       var v = c + g * (1 - c);
 | |
|       return [hcg[0], (v - c) * 100, (1 - v) * 100];
 | |
|     };
 | |
|     convert.hwb.hcg = function(hwb) {
 | |
|       var w = hwb[1] / 100;
 | |
|       var b = hwb[2] / 100;
 | |
|       var v = 1 - b;
 | |
|       var c = v - w;
 | |
|       var g = 0;
 | |
|       if (c < 1) {
 | |
|         g = (v - c) / (1 - c);
 | |
|       }
 | |
|       return [hwb[0], c * 100, g * 100];
 | |
|     };
 | |
|     convert.apple.rgb = function(apple) {
 | |
|       return [apple[0] / 65535 * 255, apple[1] / 65535 * 255, apple[2] / 65535 * 255];
 | |
|     };
 | |
|     convert.rgb.apple = function(rgb) {
 | |
|       return [rgb[0] / 255 * 65535, rgb[1] / 255 * 65535, rgb[2] / 255 * 65535];
 | |
|     };
 | |
|     convert.gray.rgb = function(args) {
 | |
|       return [args[0] / 100 * 255, args[0] / 100 * 255, args[0] / 100 * 255];
 | |
|     };
 | |
|     convert.gray.hsl = convert.gray.hsv = function(args) {
 | |
|       return [0, 0, args[0]];
 | |
|     };
 | |
|     convert.gray.hwb = function(gray) {
 | |
|       return [0, 100, gray[0]];
 | |
|     };
 | |
|     convert.gray.cmyk = function(gray) {
 | |
|       return [0, 0, 0, gray[0]];
 | |
|     };
 | |
|     convert.gray.lab = function(gray) {
 | |
|       return [gray[0], 0, 0];
 | |
|     };
 | |
|     convert.gray.hex = function(gray) {
 | |
|       var val = Math.round(gray[0] / 100 * 255) & 255;
 | |
|       var integer = (val << 16) + (val << 8) + val;
 | |
|       var string = integer.toString(16).toUpperCase();
 | |
|       return "000000".substring(string.length) + string;
 | |
|     };
 | |
|     convert.rgb.gray = function(rgb) {
 | |
|       var val = (rgb[0] + rgb[1] + rgb[2]) / 3;
 | |
|       return [val / 255 * 100];
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/color-convert@1.9.3/node_modules/color-convert/route.js
 | |
| var require_route = __commonJS({
 | |
|   "../node_modules/.pnpm/color-convert@1.9.3/node_modules/color-convert/route.js"(exports2, module2) {
 | |
|     var conversions = require_conversions();
 | |
|     function buildGraph() {
 | |
|       var graph = {};
 | |
|       var models = Object.keys(conversions);
 | |
|       for (var len = models.length, i = 0; i < len; i++) {
 | |
|         graph[models[i]] = {
 | |
|           // http://jsperf.com/1-vs-infinity
 | |
|           // micro-opt, but this is simple.
 | |
|           distance: -1,
 | |
|           parent: null
 | |
|         };
 | |
|       }
 | |
|       return graph;
 | |
|     }
 | |
|     function deriveBFS(fromModel) {
 | |
|       var graph = buildGraph();
 | |
|       var queue = [fromModel];
 | |
|       graph[fromModel].distance = 0;
 | |
|       while (queue.length) {
 | |
|         var current = queue.pop();
 | |
|         var adjacents = Object.keys(conversions[current]);
 | |
|         for (var len = adjacents.length, i = 0; i < len; i++) {
 | |
|           var adjacent = adjacents[i];
 | |
|           var node = graph[adjacent];
 | |
|           if (node.distance === -1) {
 | |
|             node.distance = graph[current].distance + 1;
 | |
|             node.parent = current;
 | |
|             queue.unshift(adjacent);
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return graph;
 | |
|     }
 | |
|     function link(from, to) {
 | |
|       return function(args) {
 | |
|         return to(from(args));
 | |
|       };
 | |
|     }
 | |
|     function wrapConversion(toModel, graph) {
 | |
|       var path = [graph[toModel].parent, toModel];
 | |
|       var fn = conversions[graph[toModel].parent][toModel];
 | |
|       var cur = graph[toModel].parent;
 | |
|       while (graph[cur].parent) {
 | |
|         path.unshift(graph[cur].parent);
 | |
|         fn = link(conversions[graph[cur].parent][cur], fn);
 | |
|         cur = graph[cur].parent;
 | |
|       }
 | |
|       fn.conversion = path;
 | |
|       return fn;
 | |
|     }
 | |
|     module2.exports = function(fromModel) {
 | |
|       var graph = deriveBFS(fromModel);
 | |
|       var conversion = {};
 | |
|       var models = Object.keys(graph);
 | |
|       for (var len = models.length, i = 0; i < len; i++) {
 | |
|         var toModel = models[i];
 | |
|         var node = graph[toModel];
 | |
|         if (node.parent === null) {
 | |
|           continue;
 | |
|         }
 | |
|         conversion[toModel] = wrapConversion(toModel, graph);
 | |
|       }
 | |
|       return conversion;
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/color-convert@1.9.3/node_modules/color-convert/index.js
 | |
| var require_color_convert = __commonJS({
 | |
|   "../node_modules/.pnpm/color-convert@1.9.3/node_modules/color-convert/index.js"(exports2, module2) {
 | |
|     var conversions = require_conversions();
 | |
|     var route = require_route();
 | |
|     var convert = {};
 | |
|     var models = Object.keys(conversions);
 | |
|     function wrapRaw(fn) {
 | |
|       var wrappedFn = function(args) {
 | |
|         if (args === void 0 || args === null) {
 | |
|           return args;
 | |
|         }
 | |
|         if (arguments.length > 1) {
 | |
|           args = Array.prototype.slice.call(arguments);
 | |
|         }
 | |
|         return fn(args);
 | |
|       };
 | |
|       if ("conversion" in fn) {
 | |
|         wrappedFn.conversion = fn.conversion;
 | |
|       }
 | |
|       return wrappedFn;
 | |
|     }
 | |
|     function wrapRounded(fn) {
 | |
|       var wrappedFn = function(args) {
 | |
|         if (args === void 0 || args === null) {
 | |
|           return args;
 | |
|         }
 | |
|         if (arguments.length > 1) {
 | |
|           args = Array.prototype.slice.call(arguments);
 | |
|         }
 | |
|         var result = fn(args);
 | |
|         if (typeof result === "object") {
 | |
|           for (var len = result.length, i = 0; i < len; i++) {
 | |
|             result[i] = Math.round(result[i]);
 | |
|           }
 | |
|         }
 | |
|         return result;
 | |
|       };
 | |
|       if ("conversion" in fn) {
 | |
|         wrappedFn.conversion = fn.conversion;
 | |
|       }
 | |
|       return wrappedFn;
 | |
|     }
 | |
|     models.forEach(function(fromModel) {
 | |
|       convert[fromModel] = {};
 | |
|       Object.defineProperty(convert[fromModel], "channels", { value: conversions[fromModel].channels });
 | |
|       Object.defineProperty(convert[fromModel], "labels", { value: conversions[fromModel].labels });
 | |
|       var routes = route(fromModel);
 | |
|       var routeModels = Object.keys(routes);
 | |
|       routeModels.forEach(function(toModel) {
 | |
|         var fn = routes[toModel];
 | |
|         convert[fromModel][toModel] = wrapRounded(fn);
 | |
|         convert[fromModel][toModel].raw = wrapRaw(fn);
 | |
|       });
 | |
|     });
 | |
|     module2.exports = convert;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/ansi-styles@3.2.1/node_modules/ansi-styles/index.js
 | |
| var require_ansi_styles = __commonJS({
 | |
|   "../node_modules/.pnpm/ansi-styles@3.2.1/node_modules/ansi-styles/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var colorConvert = require_color_convert();
 | |
|     var wrapAnsi16 = (fn, offset) => function() {
 | |
|       const code = fn.apply(colorConvert, arguments);
 | |
|       return `\x1B[${code + offset}m`;
 | |
|     };
 | |
|     var wrapAnsi256 = (fn, offset) => function() {
 | |
|       const code = fn.apply(colorConvert, arguments);
 | |
|       return `\x1B[${38 + offset};5;${code}m`;
 | |
|     };
 | |
|     var wrapAnsi16m = (fn, offset) => function() {
 | |
|       const rgb = fn.apply(colorConvert, arguments);
 | |
|       return `\x1B[${38 + offset};2;${rgb[0]};${rgb[1]};${rgb[2]}m`;
 | |
|     };
 | |
|     function assembleStyles() {
 | |
|       const codes = /* @__PURE__ */ new Map();
 | |
|       const styles = {
 | |
|         modifier: {
 | |
|           reset: [0, 0],
 | |
|           // 21 isn't widely supported and 22 does the same thing
 | |
|           bold: [1, 22],
 | |
|           dim: [2, 22],
 | |
|           italic: [3, 23],
 | |
|           underline: [4, 24],
 | |
|           inverse: [7, 27],
 | |
|           hidden: [8, 28],
 | |
|           strikethrough: [9, 29]
 | |
|         },
 | |
|         color: {
 | |
|           black: [30, 39],
 | |
|           red: [31, 39],
 | |
|           green: [32, 39],
 | |
|           yellow: [33, 39],
 | |
|           blue: [34, 39],
 | |
|           magenta: [35, 39],
 | |
|           cyan: [36, 39],
 | |
|           white: [37, 39],
 | |
|           gray: [90, 39],
 | |
|           // Bright color
 | |
|           redBright: [91, 39],
 | |
|           greenBright: [92, 39],
 | |
|           yellowBright: [93, 39],
 | |
|           blueBright: [94, 39],
 | |
|           magentaBright: [95, 39],
 | |
|           cyanBright: [96, 39],
 | |
|           whiteBright: [97, 39]
 | |
|         },
 | |
|         bgColor: {
 | |
|           bgBlack: [40, 49],
 | |
|           bgRed: [41, 49],
 | |
|           bgGreen: [42, 49],
 | |
|           bgYellow: [43, 49],
 | |
|           bgBlue: [44, 49],
 | |
|           bgMagenta: [45, 49],
 | |
|           bgCyan: [46, 49],
 | |
|           bgWhite: [47, 49],
 | |
|           // Bright color
 | |
|           bgBlackBright: [100, 49],
 | |
|           bgRedBright: [101, 49],
 | |
|           bgGreenBright: [102, 49],
 | |
|           bgYellowBright: [103, 49],
 | |
|           bgBlueBright: [104, 49],
 | |
|           bgMagentaBright: [105, 49],
 | |
|           bgCyanBright: [106, 49],
 | |
|           bgWhiteBright: [107, 49]
 | |
|         }
 | |
|       };
 | |
|       styles.color.grey = styles.color.gray;
 | |
|       for (const groupName of Object.keys(styles)) {
 | |
|         const group = styles[groupName];
 | |
|         for (const styleName of Object.keys(group)) {
 | |
|           const style = group[styleName];
 | |
|           styles[styleName] = {
 | |
|             open: `\x1B[${style[0]}m`,
 | |
|             close: `\x1B[${style[1]}m`
 | |
|           };
 | |
|           group[styleName] = styles[styleName];
 | |
|           codes.set(style[0], style[1]);
 | |
|         }
 | |
|         Object.defineProperty(styles, groupName, {
 | |
|           value: group,
 | |
|           enumerable: false
 | |
|         });
 | |
|         Object.defineProperty(styles, "codes", {
 | |
|           value: codes,
 | |
|           enumerable: false
 | |
|         });
 | |
|       }
 | |
|       const ansi2ansi = (n) => n;
 | |
|       const rgb2rgb = (r, g, b) => [r, g, b];
 | |
|       styles.color.close = "\x1B[39m";
 | |
|       styles.bgColor.close = "\x1B[49m";
 | |
|       styles.color.ansi = {
 | |
|         ansi: wrapAnsi16(ansi2ansi, 0)
 | |
|       };
 | |
|       styles.color.ansi256 = {
 | |
|         ansi256: wrapAnsi256(ansi2ansi, 0)
 | |
|       };
 | |
|       styles.color.ansi16m = {
 | |
|         rgb: wrapAnsi16m(rgb2rgb, 0)
 | |
|       };
 | |
|       styles.bgColor.ansi = {
 | |
|         ansi: wrapAnsi16(ansi2ansi, 10)
 | |
|       };
 | |
|       styles.bgColor.ansi256 = {
 | |
|         ansi256: wrapAnsi256(ansi2ansi, 10)
 | |
|       };
 | |
|       styles.bgColor.ansi16m = {
 | |
|         rgb: wrapAnsi16m(rgb2rgb, 10)
 | |
|       };
 | |
|       for (let key of Object.keys(colorConvert)) {
 | |
|         if (typeof colorConvert[key] !== "object") {
 | |
|           continue;
 | |
|         }
 | |
|         const suite = colorConvert[key];
 | |
|         if (key === "ansi16") {
 | |
|           key = "ansi";
 | |
|         }
 | |
|         if ("ansi16" in suite) {
 | |
|           styles.color.ansi[key] = wrapAnsi16(suite.ansi16, 0);
 | |
|           styles.bgColor.ansi[key] = wrapAnsi16(suite.ansi16, 10);
 | |
|         }
 | |
|         if ("ansi256" in suite) {
 | |
|           styles.color.ansi256[key] = wrapAnsi256(suite.ansi256, 0);
 | |
|           styles.bgColor.ansi256[key] = wrapAnsi256(suite.ansi256, 10);
 | |
|         }
 | |
|         if ("rgb" in suite) {
 | |
|           styles.color.ansi16m[key] = wrapAnsi16m(suite.rgb, 0);
 | |
|           styles.bgColor.ansi16m[key] = wrapAnsi16m(suite.rgb, 10);
 | |
|         }
 | |
|       }
 | |
|       return styles;
 | |
|     }
 | |
|     Object.defineProperty(module2, "exports", {
 | |
|       enumerable: true,
 | |
|       get: assembleStyles
 | |
|     });
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/has-flag@3.0.0/node_modules/has-flag/index.js
 | |
| var require_has_flag = __commonJS({
 | |
|   "../node_modules/.pnpm/has-flag@3.0.0/node_modules/has-flag/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     module2.exports = (flag, argv) => {
 | |
|       argv = argv || process.argv;
 | |
|       const prefix = flag.startsWith("-") ? "" : flag.length === 1 ? "-" : "--";
 | |
|       const pos = argv.indexOf(prefix + flag);
 | |
|       const terminatorPos = argv.indexOf("--");
 | |
|       return pos !== -1 && (terminatorPos === -1 ? true : pos < terminatorPos);
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/supports-color@5.5.0/node_modules/supports-color/index.js
 | |
| var require_supports_color = __commonJS({
 | |
|   "../node_modules/.pnpm/supports-color@5.5.0/node_modules/supports-color/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var os = require("os");
 | |
|     var hasFlag = require_has_flag();
 | |
|     var env = process.env;
 | |
|     var forceColor;
 | |
|     if (hasFlag("no-color") || hasFlag("no-colors") || hasFlag("color=false")) {
 | |
|       forceColor = false;
 | |
|     } else if (hasFlag("color") || hasFlag("colors") || hasFlag("color=true") || hasFlag("color=always")) {
 | |
|       forceColor = true;
 | |
|     }
 | |
|     if ("FORCE_COLOR" in env) {
 | |
|       forceColor = env.FORCE_COLOR.length === 0 || parseInt(env.FORCE_COLOR, 10) !== 0;
 | |
|     }
 | |
|     function translateLevel(level) {
 | |
|       if (level === 0) {
 | |
|         return false;
 | |
|       }
 | |
|       return {
 | |
|         level,
 | |
|         hasBasic: true,
 | |
|         has256: level >= 2,
 | |
|         has16m: level >= 3
 | |
|       };
 | |
|     }
 | |
|     function supportsColor(stream) {
 | |
|       if (forceColor === false) {
 | |
|         return 0;
 | |
|       }
 | |
|       if (hasFlag("color=16m") || hasFlag("color=full") || hasFlag("color=truecolor")) {
 | |
|         return 3;
 | |
|       }
 | |
|       if (hasFlag("color=256")) {
 | |
|         return 2;
 | |
|       }
 | |
|       if (stream && !stream.isTTY && forceColor !== true) {
 | |
|         return 0;
 | |
|       }
 | |
|       const min = forceColor ? 1 : 0;
 | |
|       if (process.platform === "win32") {
 | |
|         const osRelease = os.release().split(".");
 | |
|         if (Number(process.versions.node.split(".")[0]) >= 8 && Number(osRelease[0]) >= 10 && Number(osRelease[2]) >= 10586) {
 | |
|           return Number(osRelease[2]) >= 14931 ? 3 : 2;
 | |
|         }
 | |
|         return 1;
 | |
|       }
 | |
|       if ("CI" in env) {
 | |
|         if (["TRAVIS", "CIRCLECI", "APPVEYOR", "GITLAB_CI"].some((sign) => sign in env) || env.CI_NAME === "codeship") {
 | |
|           return 1;
 | |
|         }
 | |
|         return min;
 | |
|       }
 | |
|       if ("TEAMCITY_VERSION" in env) {
 | |
|         return /^(9\.(0*[1-9]\d*)\.|\d{2,}\.)/.test(env.TEAMCITY_VERSION) ? 1 : 0;
 | |
|       }
 | |
|       if (env.COLORTERM === "truecolor") {
 | |
|         return 3;
 | |
|       }
 | |
|       if ("TERM_PROGRAM" in env) {
 | |
|         const version = parseInt((env.TERM_PROGRAM_VERSION || "").split(".")[0], 10);
 | |
|         switch (env.TERM_PROGRAM) {
 | |
|           case "iTerm.app":
 | |
|             return version >= 3 ? 3 : 2;
 | |
|           case "Apple_Terminal":
 | |
|             return 2;
 | |
|         }
 | |
|       }
 | |
|       if (/-256(color)?$/i.test(env.TERM)) {
 | |
|         return 2;
 | |
|       }
 | |
|       if (/^screen|^xterm|^vt100|^vt220|^rxvt|color|ansi|cygwin|linux/i.test(env.TERM)) {
 | |
|         return 1;
 | |
|       }
 | |
|       if ("COLORTERM" in env) {
 | |
|         return 1;
 | |
|       }
 | |
|       if (env.TERM === "dumb") {
 | |
|         return min;
 | |
|       }
 | |
|       return min;
 | |
|     }
 | |
|     function getSupportLevel(stream) {
 | |
|       const level = supportsColor(stream);
 | |
|       return translateLevel(level);
 | |
|     }
 | |
|     module2.exports = {
 | |
|       supportsColor: getSupportLevel,
 | |
|       stdout: getSupportLevel(process.stdout),
 | |
|       stderr: getSupportLevel(process.stderr)
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/chalk@2.4.2/node_modules/chalk/templates.js
 | |
| var require_templates = __commonJS({
 | |
|   "../node_modules/.pnpm/chalk@2.4.2/node_modules/chalk/templates.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var TEMPLATE_REGEX = /(?:\\(u[a-f\d]{4}|x[a-f\d]{2}|.))|(?:\{(~)?(\w+(?:\([^)]*\))?(?:\.\w+(?:\([^)]*\))?)*)(?:[ \t]|(?=\r?\n)))|(\})|((?:.|[\r\n\f])+?)/gi;
 | |
|     var STYLE_REGEX = /(?:^|\.)(\w+)(?:\(([^)]*)\))?/g;
 | |
|     var STRING_REGEX = /^(['"])((?:\\.|(?!\1)[^\\])*)\1$/;
 | |
|     var ESCAPE_REGEX = /\\(u[a-f\d]{4}|x[a-f\d]{2}|.)|([^\\])/gi;
 | |
|     var ESCAPES = /* @__PURE__ */ new Map([
 | |
|       ["n", "\n"],
 | |
|       ["r", "\r"],
 | |
|       ["t", "	"],
 | |
|       ["b", "\b"],
 | |
|       ["f", "\f"],
 | |
|       ["v", "\v"],
 | |
|       ["0", "\0"],
 | |
|       ["\\", "\\"],
 | |
|       ["e", "\x1B"],
 | |
|       ["a", "\x07"]
 | |
|     ]);
 | |
|     function unescape(c) {
 | |
|       if (c[0] === "u" && c.length === 5 || c[0] === "x" && c.length === 3) {
 | |
|         return String.fromCharCode(parseInt(c.slice(1), 16));
 | |
|       }
 | |
|       return ESCAPES.get(c) || c;
 | |
|     }
 | |
|     function parseArguments(name, args) {
 | |
|       const results = [];
 | |
|       const chunks = args.trim().split(/\s*,\s*/g);
 | |
|       let matches;
 | |
|       for (const chunk of chunks) {
 | |
|         if (!isNaN(chunk)) {
 | |
|           results.push(Number(chunk));
 | |
|         } else if (matches = chunk.match(STRING_REGEX)) {
 | |
|           results.push(matches[2].replace(ESCAPE_REGEX, (m, escape, chr) => escape ? unescape(escape) : chr));
 | |
|         } else {
 | |
|           throw new Error(`Invalid Chalk template style argument: ${chunk} (in style '${name}')`);
 | |
|         }
 | |
|       }
 | |
|       return results;
 | |
|     }
 | |
|     function parseStyle(style) {
 | |
|       STYLE_REGEX.lastIndex = 0;
 | |
|       const results = [];
 | |
|       let matches;
 | |
|       while ((matches = STYLE_REGEX.exec(style)) !== null) {
 | |
|         const name = matches[1];
 | |
|         if (matches[2]) {
 | |
|           const args = parseArguments(name, matches[2]);
 | |
|           results.push([name].concat(args));
 | |
|         } else {
 | |
|           results.push([name]);
 | |
|         }
 | |
|       }
 | |
|       return results;
 | |
|     }
 | |
|     function buildStyle(chalk, styles) {
 | |
|       const enabled = {};
 | |
|       for (const layer of styles) {
 | |
|         for (const style of layer.styles) {
 | |
|           enabled[style[0]] = layer.inverse ? null : style.slice(1);
 | |
|         }
 | |
|       }
 | |
|       let current = chalk;
 | |
|       for (const styleName of Object.keys(enabled)) {
 | |
|         if (Array.isArray(enabled[styleName])) {
 | |
|           if (!(styleName in current)) {
 | |
|             throw new Error(`Unknown Chalk style: ${styleName}`);
 | |
|           }
 | |
|           if (enabled[styleName].length > 0) {
 | |
|             current = current[styleName].apply(current, enabled[styleName]);
 | |
|           } else {
 | |
|             current = current[styleName];
 | |
|           }
 | |
|         }
 | |
|       }
 | |
|       return current;
 | |
|     }
 | |
|     module2.exports = (chalk, tmp) => {
 | |
|       const styles = [];
 | |
|       const chunks = [];
 | |
|       let chunk = [];
 | |
|       tmp.replace(TEMPLATE_REGEX, (m, escapeChar, inverse, style, close, chr) => {
 | |
|         if (escapeChar) {
 | |
|           chunk.push(unescape(escapeChar));
 | |
|         } else if (style) {
 | |
|           const str = chunk.join("");
 | |
|           chunk = [];
 | |
|           chunks.push(styles.length === 0 ? str : buildStyle(chalk, styles)(str));
 | |
|           styles.push({ inverse, styles: parseStyle(style) });
 | |
|         } else if (close) {
 | |
|           if (styles.length === 0) {
 | |
|             throw new Error("Found extraneous } in Chalk template literal");
 | |
|           }
 | |
|           chunks.push(buildStyle(chalk, styles)(chunk.join("")));
 | |
|           chunk = [];
 | |
|           styles.pop();
 | |
|         } else {
 | |
|           chunk.push(chr);
 | |
|         }
 | |
|       });
 | |
|       chunks.push(chunk.join(""));
 | |
|       if (styles.length > 0) {
 | |
|         const errMsg = `Chalk template literal is missing ${styles.length} closing bracket${styles.length === 1 ? "" : "s"} (\`}\`)`;
 | |
|         throw new Error(errMsg);
 | |
|       }
 | |
|       return chunks.join("");
 | |
|     };
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/chalk@2.4.2/node_modules/chalk/index.js
 | |
| var require_chalk = __commonJS({
 | |
|   "../node_modules/.pnpm/chalk@2.4.2/node_modules/chalk/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var escapeStringRegexp = require_escape_string_regexp();
 | |
|     var ansiStyles = require_ansi_styles();
 | |
|     var stdoutColor = require_supports_color().stdout;
 | |
|     var template = require_templates();
 | |
|     var isSimpleWindowsTerm = process.platform === "win32" && !(process.env.TERM || "").toLowerCase().startsWith("xterm");
 | |
|     var levelMapping = ["ansi", "ansi", "ansi256", "ansi16m"];
 | |
|     var skipModels = /* @__PURE__ */ new Set(["gray"]);
 | |
|     var styles = /* @__PURE__ */ Object.create(null);
 | |
|     function applyOptions(obj, options) {
 | |
|       options = options || {};
 | |
|       const scLevel = stdoutColor ? stdoutColor.level : 0;
 | |
|       obj.level = options.level === void 0 ? scLevel : options.level;
 | |
|       obj.enabled = "enabled" in options ? options.enabled : obj.level > 0;
 | |
|     }
 | |
|     function Chalk(options) {
 | |
|       if (!this || !(this instanceof Chalk) || this.template) {
 | |
|         const chalk = {};
 | |
|         applyOptions(chalk, options);
 | |
|         chalk.template = function() {
 | |
|           const args = [].slice.call(arguments);
 | |
|           return chalkTag.apply(null, [chalk.template].concat(args));
 | |
|         };
 | |
|         Object.setPrototypeOf(chalk, Chalk.prototype);
 | |
|         Object.setPrototypeOf(chalk.template, chalk);
 | |
|         chalk.template.constructor = Chalk;
 | |
|         return chalk.template;
 | |
|       }
 | |
|       applyOptions(this, options);
 | |
|     }
 | |
|     if (isSimpleWindowsTerm) {
 | |
|       ansiStyles.blue.open = "\x1B[94m";
 | |
|     }
 | |
|     for (const key of Object.keys(ansiStyles)) {
 | |
|       ansiStyles[key].closeRe = new RegExp(escapeStringRegexp(ansiStyles[key].close), "g");
 | |
|       styles[key] = {
 | |
|         get() {
 | |
|           const codes = ansiStyles[key];
 | |
|           return build.call(this, this._styles ? this._styles.concat(codes) : [codes], this._empty, key);
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     styles.visible = {
 | |
|       get() {
 | |
|         return build.call(this, this._styles || [], true, "visible");
 | |
|       }
 | |
|     };
 | |
|     ansiStyles.color.closeRe = new RegExp(escapeStringRegexp(ansiStyles.color.close), "g");
 | |
|     for (const model of Object.keys(ansiStyles.color.ansi)) {
 | |
|       if (skipModels.has(model)) {
 | |
|         continue;
 | |
|       }
 | |
|       styles[model] = {
 | |
|         get() {
 | |
|           const level = this.level;
 | |
|           return function() {
 | |
|             const open = ansiStyles.color[levelMapping[level]][model].apply(null, arguments);
 | |
|             const codes = {
 | |
|               open,
 | |
|               close: ansiStyles.color.close,
 | |
|               closeRe: ansiStyles.color.closeRe
 | |
|             };
 | |
|             return build.call(this, this._styles ? this._styles.concat(codes) : [codes], this._empty, model);
 | |
|           };
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     ansiStyles.bgColor.closeRe = new RegExp(escapeStringRegexp(ansiStyles.bgColor.close), "g");
 | |
|     for (const model of Object.keys(ansiStyles.bgColor.ansi)) {
 | |
|       if (skipModels.has(model)) {
 | |
|         continue;
 | |
|       }
 | |
|       const bgModel = "bg" + model[0].toUpperCase() + model.slice(1);
 | |
|       styles[bgModel] = {
 | |
|         get() {
 | |
|           const level = this.level;
 | |
|           return function() {
 | |
|             const open = ansiStyles.bgColor[levelMapping[level]][model].apply(null, arguments);
 | |
|             const codes = {
 | |
|               open,
 | |
|               close: ansiStyles.bgColor.close,
 | |
|               closeRe: ansiStyles.bgColor.closeRe
 | |
|             };
 | |
|             return build.call(this, this._styles ? this._styles.concat(codes) : [codes], this._empty, model);
 | |
|           };
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     var proto = Object.defineProperties(() => {
 | |
|     }, styles);
 | |
|     function build(_styles, _empty, key) {
 | |
|       const builder = function() {
 | |
|         return applyStyle.apply(builder, arguments);
 | |
|       };
 | |
|       builder._styles = _styles;
 | |
|       builder._empty = _empty;
 | |
|       const self2 = this;
 | |
|       Object.defineProperty(builder, "level", {
 | |
|         enumerable: true,
 | |
|         get() {
 | |
|           return self2.level;
 | |
|         },
 | |
|         set(level) {
 | |
|           self2.level = level;
 | |
|         }
 | |
|       });
 | |
|       Object.defineProperty(builder, "enabled", {
 | |
|         enumerable: true,
 | |
|         get() {
 | |
|           return self2.enabled;
 | |
|         },
 | |
|         set(enabled) {
 | |
|           self2.enabled = enabled;
 | |
|         }
 | |
|       });
 | |
|       builder.hasGrey = this.hasGrey || key === "gray" || key === "grey";
 | |
|       builder.__proto__ = proto;
 | |
|       return builder;
 | |
|     }
 | |
|     function applyStyle() {
 | |
|       const args = arguments;
 | |
|       const argsLen = args.length;
 | |
|       let str = String(arguments[0]);
 | |
|       if (argsLen === 0) {
 | |
|         return "";
 | |
|       }
 | |
|       if (argsLen > 1) {
 | |
|         for (let a = 1; a < argsLen; a++) {
 | |
|           str += " " + args[a];
 | |
|         }
 | |
|       }
 | |
|       if (!this.enabled || this.level <= 0 || !str) {
 | |
|         return this._empty ? "" : str;
 | |
|       }
 | |
|       const originalDim = ansiStyles.dim.open;
 | |
|       if (isSimpleWindowsTerm && this.hasGrey) {
 | |
|         ansiStyles.dim.open = "";
 | |
|       }
 | |
|       for (const code of this._styles.slice().reverse()) {
 | |
|         str = code.open + str.replace(code.closeRe, code.open) + code.close;
 | |
|         str = str.replace(/\r?\n/g, `${code.close}$&${code.open}`);
 | |
|       }
 | |
|       ansiStyles.dim.open = originalDim;
 | |
|       return str;
 | |
|     }
 | |
|     function chalkTag(chalk, strings) {
 | |
|       if (!Array.isArray(strings)) {
 | |
|         return [].slice.call(arguments, 1).join(" ");
 | |
|       }
 | |
|       const args = [].slice.call(arguments, 2);
 | |
|       const parts = [strings.raw[0]];
 | |
|       for (let i = 1; i < strings.length; i++) {
 | |
|         parts.push(String(args[i - 1]).replace(/[{}\\]/g, "\\$&"));
 | |
|         parts.push(String(strings.raw[i]));
 | |
|       }
 | |
|       return template(chalk, parts.join(""));
 | |
|     }
 | |
|     Object.defineProperties(Chalk.prototype, styles);
 | |
|     module2.exports = Chalk();
 | |
|     module2.exports.supportsColor = stdoutColor;
 | |
|     module2.exports.default = module2.exports;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@babel+highlight@7.23.4/node_modules/@babel/highlight/lib/index.js
 | |
| var require_lib13 = __commonJS({
 | |
|   "../node_modules/.pnpm/@babel+highlight@7.23.4/node_modules/@babel/highlight/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", {
 | |
|       value: true
 | |
|     });
 | |
|     exports2.default = highlight;
 | |
|     exports2.shouldHighlight = shouldHighlight;
 | |
|     var _jsTokens = require_js_tokens();
 | |
|     var _helperValidatorIdentifier = require_lib12();
 | |
|     var _chalk = _interopRequireWildcard(require_chalk(), true);
 | |
|     function _getRequireWildcardCache(e) {
 | |
|       if ("function" != typeof WeakMap)
 | |
|         return null;
 | |
|       var r = /* @__PURE__ */ new WeakMap(), t = /* @__PURE__ */ new WeakMap();
 | |
|       return (_getRequireWildcardCache = function(e2) {
 | |
|         return e2 ? t : r;
 | |
|       })(e);
 | |
|     }
 | |
|     function _interopRequireWildcard(e, r) {
 | |
|       if (!r && e && e.__esModule)
 | |
|         return e;
 | |
|       if (null === e || "object" != typeof e && "function" != typeof e)
 | |
|         return { default: e };
 | |
|       var t = _getRequireWildcardCache(r);
 | |
|       if (t && t.has(e))
 | |
|         return t.get(e);
 | |
|       var n = { __proto__: null }, a = Object.defineProperty && Object.getOwnPropertyDescriptor;
 | |
|       for (var u in e)
 | |
|         if ("default" !== u && Object.prototype.hasOwnProperty.call(e, u)) {
 | |
|           var i = a ? Object.getOwnPropertyDescriptor(e, u) : null;
 | |
|           i && (i.get || i.set) ? Object.defineProperty(n, u, i) : n[u] = e[u];
 | |
|         }
 | |
|       return n.default = e, t && t.set(e, n), n;
 | |
|     }
 | |
|     var sometimesKeywords = /* @__PURE__ */ new Set(["as", "async", "from", "get", "of", "set"]);
 | |
|     function getDefs(chalk) {
 | |
|       return {
 | |
|         keyword: chalk.cyan,
 | |
|         capitalized: chalk.yellow,
 | |
|         jsxIdentifier: chalk.yellow,
 | |
|         punctuator: chalk.yellow,
 | |
|         number: chalk.magenta,
 | |
|         string: chalk.green,
 | |
|         regex: chalk.magenta,
 | |
|         comment: chalk.grey,
 | |
|         invalid: chalk.white.bgRed.bold
 | |
|       };
 | |
|     }
 | |
|     var NEWLINE = /\r\n|[\n\r\u2028\u2029]/;
 | |
|     var BRACKET = /^[()[\]{}]$/;
 | |
|     var tokenize;
 | |
|     {
 | |
|       const JSX_TAG = /^[a-z][\w-]*$/i;
 | |
|       const getTokenType = function(token, offset, text) {
 | |
|         if (token.type === "name") {
 | |
|           if ((0, _helperValidatorIdentifier.isKeyword)(token.value) || (0, _helperValidatorIdentifier.isStrictReservedWord)(token.value, true) || sometimesKeywords.has(token.value)) {
 | |
|             return "keyword";
 | |
|           }
 | |
|           if (JSX_TAG.test(token.value) && (text[offset - 1] === "<" || text.slice(offset - 2, offset) == "</")) {
 | |
|             return "jsxIdentifier";
 | |
|           }
 | |
|           if (token.value[0] !== token.value[0].toLowerCase()) {
 | |
|             return "capitalized";
 | |
|           }
 | |
|         }
 | |
|         if (token.type === "punctuator" && BRACKET.test(token.value)) {
 | |
|           return "bracket";
 | |
|         }
 | |
|         if (token.type === "invalid" && (token.value === "@" || token.value === "#")) {
 | |
|           return "punctuator";
 | |
|         }
 | |
|         return token.type;
 | |
|       };
 | |
|       tokenize = function* (text) {
 | |
|         let match;
 | |
|         while (match = _jsTokens.default.exec(text)) {
 | |
|           const token = _jsTokens.matchToToken(match);
 | |
|           yield {
 | |
|             type: getTokenType(token, match.index, text),
 | |
|             value: token.value
 | |
|           };
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|     function highlightTokens(defs, text) {
 | |
|       let highlighted = "";
 | |
|       for (const {
 | |
|         type,
 | |
|         value
 | |
|       } of tokenize(text)) {
 | |
|         const colorize = defs[type];
 | |
|         if (colorize) {
 | |
|           highlighted += value.split(NEWLINE).map((str) => colorize(str)).join("\n");
 | |
|         } else {
 | |
|           highlighted += value;
 | |
|         }
 | |
|       }
 | |
|       return highlighted;
 | |
|     }
 | |
|     function shouldHighlight(options) {
 | |
|       return _chalk.default.level > 0 || options.forceColor;
 | |
|     }
 | |
|     var chalkWithForcedColor = void 0;
 | |
|     function getChalk(forceColor) {
 | |
|       if (forceColor) {
 | |
|         var _chalkWithForcedColor;
 | |
|         (_chalkWithForcedColor = chalkWithForcedColor) != null ? _chalkWithForcedColor : chalkWithForcedColor = new _chalk.default.constructor({
 | |
|           enabled: true,
 | |
|           level: 1
 | |
|         });
 | |
|         return chalkWithForcedColor;
 | |
|       }
 | |
|       return _chalk.default;
 | |
|     }
 | |
|     {
 | |
|       exports2.getChalk = (options) => getChalk(options.forceColor);
 | |
|     }
 | |
|     function highlight(code, options = {}) {
 | |
|       if (code !== "" && shouldHighlight(options)) {
 | |
|         const defs = getDefs(getChalk(options.forceColor));
 | |
|         return highlightTokens(defs, code);
 | |
|       } else {
 | |
|         return code;
 | |
|       }
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/@babel+code-frame@7.23.5/node_modules/@babel/code-frame/lib/index.js
 | |
| var require_lib14 = __commonJS({
 | |
|   "../node_modules/.pnpm/@babel+code-frame@7.23.5/node_modules/@babel/code-frame/lib/index.js"(exports2) {
 | |
|     "use strict";
 | |
|     Object.defineProperty(exports2, "__esModule", {
 | |
|       value: true
 | |
|     });
 | |
|     exports2.codeFrameColumns = codeFrameColumns;
 | |
|     exports2.default = _default;
 | |
|     var _highlight = require_lib13();
 | |
|     var _chalk = _interopRequireWildcard(require_chalk(), true);
 | |
|     function _getRequireWildcardCache(e) {
 | |
|       if ("function" != typeof WeakMap)
 | |
|         return null;
 | |
|       var r = /* @__PURE__ */ new WeakMap(), t = /* @__PURE__ */ new WeakMap();
 | |
|       return (_getRequireWildcardCache = function(e2) {
 | |
|         return e2 ? t : r;
 | |
|       })(e);
 | |
|     }
 | |
|     function _interopRequireWildcard(e, r) {
 | |
|       if (!r && e && e.__esModule)
 | |
|         return e;
 | |
|       if (null === e || "object" != typeof e && "function" != typeof e)
 | |
|         return { default: e };
 | |
|       var t = _getRequireWildcardCache(r);
 | |
|       if (t && t.has(e))
 | |
|         return t.get(e);
 | |
|       var n = { __proto__: null }, a = Object.defineProperty && Object.getOwnPropertyDescriptor;
 | |
|       for (var u in e)
 | |
|         if ("default" !== u && Object.prototype.hasOwnProperty.call(e, u)) {
 | |
|           var i = a ? Object.getOwnPropertyDescriptor(e, u) : null;
 | |
|           i && (i.get || i.set) ? Object.defineProperty(n, u, i) : n[u] = e[u];
 | |
|         }
 | |
|       return n.default = e, t && t.set(e, n), n;
 | |
|     }
 | |
|     var chalkWithForcedColor = void 0;
 | |
|     function getChalk(forceColor) {
 | |
|       if (forceColor) {
 | |
|         var _chalkWithForcedColor;
 | |
|         (_chalkWithForcedColor = chalkWithForcedColor) != null ? _chalkWithForcedColor : chalkWithForcedColor = new _chalk.default.constructor({
 | |
|           enabled: true,
 | |
|           level: 1
 | |
|         });
 | |
|         return chalkWithForcedColor;
 | |
|       }
 | |
|       return _chalk.default;
 | |
|     }
 | |
|     var deprecationWarningShown = false;
 | |
|     function getDefs(chalk) {
 | |
|       return {
 | |
|         gutter: chalk.grey,
 | |
|         marker: chalk.red.bold,
 | |
|         message: chalk.red.bold
 | |
|       };
 | |
|     }
 | |
|     var NEWLINE = /\r\n|[\n\r\u2028\u2029]/;
 | |
|     function getMarkerLines(loc, source, opts) {
 | |
|       const startLoc = Object.assign({
 | |
|         column: 0,
 | |
|         line: -1
 | |
|       }, loc.start);
 | |
|       const endLoc = Object.assign({}, startLoc, loc.end);
 | |
|       const {
 | |
|         linesAbove = 2,
 | |
|         linesBelow = 3
 | |
|       } = opts || {};
 | |
|       const startLine = startLoc.line;
 | |
|       const startColumn = startLoc.column;
 | |
|       const endLine = endLoc.line;
 | |
|       const endColumn = endLoc.column;
 | |
|       let start = Math.max(startLine - (linesAbove + 1), 0);
 | |
|       let end = Math.min(source.length, endLine + linesBelow);
 | |
|       if (startLine === -1) {
 | |
|         start = 0;
 | |
|       }
 | |
|       if (endLine === -1) {
 | |
|         end = source.length;
 | |
|       }
 | |
|       const lineDiff = endLine - startLine;
 | |
|       const markerLines = {};
 | |
|       if (lineDiff) {
 | |
|         for (let i = 0; i <= lineDiff; i++) {
 | |
|           const lineNumber = i + startLine;
 | |
|           if (!startColumn) {
 | |
|             markerLines[lineNumber] = true;
 | |
|           } else if (i === 0) {
 | |
|             const sourceLength = source[lineNumber - 1].length;
 | |
|             markerLines[lineNumber] = [startColumn, sourceLength - startColumn + 1];
 | |
|           } else if (i === lineDiff) {
 | |
|             markerLines[lineNumber] = [0, endColumn];
 | |
|           } else {
 | |
|             const sourceLength = source[lineNumber - i].length;
 | |
|             markerLines[lineNumber] = [0, sourceLength];
 | |
|           }
 | |
|         }
 | |
|       } else {
 | |
|         if (startColumn === endColumn) {
 | |
|           if (startColumn) {
 | |
|             markerLines[startLine] = [startColumn, 0];
 | |
|           } else {
 | |
|             markerLines[startLine] = true;
 | |
|           }
 | |
|         } else {
 | |
|           markerLines[startLine] = [startColumn, endColumn - startColumn];
 | |
|         }
 | |
|       }
 | |
|       return {
 | |
|         start,
 | |
|         end,
 | |
|         markerLines
 | |
|       };
 | |
|     }
 | |
|     function codeFrameColumns(rawLines, loc, opts = {}) {
 | |
|       const highlighted = (opts.highlightCode || opts.forceColor) && (0, _highlight.shouldHighlight)(opts);
 | |
|       const chalk = getChalk(opts.forceColor);
 | |
|       const defs = getDefs(chalk);
 | |
|       const maybeHighlight = (chalkFn, string) => {
 | |
|         return highlighted ? chalkFn(string) : string;
 | |
|       };
 | |
|       const lines = rawLines.split(NEWLINE);
 | |
|       const {
 | |
|         start,
 | |
|         end,
 | |
|         markerLines
 | |
|       } = getMarkerLines(loc, lines, opts);
 | |
|       const hasColumns = loc.start && typeof loc.start.column === "number";
 | |
|       const numberMaxWidth = String(end).length;
 | |
|       const highlightedLines = highlighted ? (0, _highlight.default)(rawLines, opts) : rawLines;
 | |
|       let frame = highlightedLines.split(NEWLINE, end).slice(start, end).map((line, index) => {
 | |
|         const number = start + 1 + index;
 | |
|         const paddedNumber = ` ${number}`.slice(-numberMaxWidth);
 | |
|         const gutter = ` ${paddedNumber} |`;
 | |
|         const hasMarker = markerLines[number];
 | |
|         const lastMarkerLine = !markerLines[number + 1];
 | |
|         if (hasMarker) {
 | |
|           let markerLine = "";
 | |
|           if (Array.isArray(hasMarker)) {
 | |
|             const markerSpacing = line.slice(0, Math.max(hasMarker[0] - 1, 0)).replace(/[^\t]/g, " ");
 | |
|             const numberOfMarkers = hasMarker[1] || 1;
 | |
|             markerLine = ["\n ", maybeHighlight(defs.gutter, gutter.replace(/\d/g, " ")), " ", markerSpacing, maybeHighlight(defs.marker, "^").repeat(numberOfMarkers)].join("");
 | |
|             if (lastMarkerLine && opts.message) {
 | |
|               markerLine += " " + maybeHighlight(defs.message, opts.message);
 | |
|             }
 | |
|           }
 | |
|           return [maybeHighlight(defs.marker, ">"), maybeHighlight(defs.gutter, gutter), line.length > 0 ? ` ${line}` : "", markerLine].join("");
 | |
|         } else {
 | |
|           return ` ${maybeHighlight(defs.gutter, gutter)}${line.length > 0 ? ` ${line}` : ""}`;
 | |
|         }
 | |
|       }).join("\n");
 | |
|       if (opts.message && !hasColumns) {
 | |
|         frame = `${" ".repeat(numberMaxWidth + 1)}${opts.message}
 | |
| ${frame}`;
 | |
|       }
 | |
|       if (highlighted) {
 | |
|         return chalk.reset(frame);
 | |
|       } else {
 | |
|         return frame;
 | |
|       }
 | |
|     }
 | |
|     function _default(rawLines, lineNumber, colNumber, opts = {}) {
 | |
|       if (!deprecationWarningShown) {
 | |
|         deprecationWarningShown = true;
 | |
|         const message = "Passing lineNumber and colNumber is deprecated to @babel/code-frame. Please use `codeFrameColumns`.";
 | |
|         if (process.emitWarning) {
 | |
|           process.emitWarning(message, "DeprecationWarning");
 | |
|         } else {
 | |
|           const deprecationError = new Error(message);
 | |
|           deprecationError.name = "DeprecationWarning";
 | |
|           console.warn(new Error(message));
 | |
|         }
 | |
|       }
 | |
|       colNumber = Math.max(colNumber, 0);
 | |
|       const location = {
 | |
|         start: {
 | |
|           column: colNumber,
 | |
|           line: lineNumber
 | |
|         }
 | |
|       };
 | |
|       return codeFrameColumns(rawLines, location, opts);
 | |
|     }
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/parse-json@5.2.0/node_modules/parse-json/index.js
 | |
| var require_parse_json = __commonJS({
 | |
|   "../node_modules/.pnpm/parse-json@5.2.0/node_modules/parse-json/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var errorEx = require_error_ex();
 | |
|     var fallback = require_json_parse_even_better_errors();
 | |
|     var { default: LinesAndColumns } = require_build();
 | |
|     var { codeFrameColumns } = require_lib14();
 | |
|     var JSONError = errorEx("JSONError", {
 | |
|       fileName: errorEx.append("in %s"),
 | |
|       codeFrame: errorEx.append("\n\n%s\n")
 | |
|     });
 | |
|     var parseJson = (string, reviver, filename) => {
 | |
|       if (typeof reviver === "string") {
 | |
|         filename = reviver;
 | |
|         reviver = null;
 | |
|       }
 | |
|       try {
 | |
|         try {
 | |
|           return JSON.parse(string, reviver);
 | |
|         } catch (error) {
 | |
|           fallback(string, reviver);
 | |
|           throw error;
 | |
|         }
 | |
|       } catch (error) {
 | |
|         error.message = error.message.replace(/\n/g, "");
 | |
|         const indexMatch = error.message.match(/in JSON at position (\d+) while parsing/);
 | |
|         const jsonError = new JSONError(error);
 | |
|         if (filename) {
 | |
|           jsonError.fileName = filename;
 | |
|         }
 | |
|         if (indexMatch && indexMatch.length > 0) {
 | |
|           const lines = new LinesAndColumns(string);
 | |
|           const index = Number(indexMatch[1]);
 | |
|           const location = lines.locationForIndex(index);
 | |
|           const codeFrame = codeFrameColumns(
 | |
|             string,
 | |
|             { start: { line: location.line + 1, column: location.column + 1 } },
 | |
|             { highlightCode: true }
 | |
|           );
 | |
|           jsonError.codeFrame = codeFrame;
 | |
|         }
 | |
|         throw jsonError;
 | |
|       }
 | |
|     };
 | |
|     parseJson.JSONError = JSONError;
 | |
|     module2.exports = parseJson;
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../node_modules/.pnpm/load-json-file@6.2.0/node_modules/load-json-file/index.js
 | |
| var require_load_json_file = __commonJS({
 | |
|   "../node_modules/.pnpm/load-json-file@6.2.0/node_modules/load-json-file/index.js"(exports2, module2) {
 | |
|     "use strict";
 | |
|     var path = require("path");
 | |
|     var { promisify } = require("util");
 | |
|     var fs = require_graceful_fs();
 | |
|     var stripBom = require_strip_bom();
 | |
|     var parseJson = require_parse_json();
 | |
|     var parse = (data, filePath, options = {}) => {
 | |
|       data = stripBom(data);
 | |
|       if (typeof options.beforeParse === "function") {
 | |
|         data = options.beforeParse(data);
 | |
|       }
 | |
|       return parseJson(data, options.reviver, path.relative(process.cwd(), filePath));
 | |
|     };
 | |
|     module2.exports = async (filePath, options) => parse(await promisify(fs.readFile)(filePath, "utf8"), filePath, options);
 | |
|     module2.exports.sync = (filePath, options) => parse(fs.readFileSync(filePath, "utf8"), filePath, options);
 | |
|   }
 | |
| });
 | |
| 
 | |
| // ../worker/lib/worker.js
 | |
| var __createBinding = exports && exports.__createBinding || (Object.create ? function(o, m, k, k2) {
 | |
|   if (k2 === void 0)
 | |
|     k2 = k;
 | |
|   var desc = Object.getOwnPropertyDescriptor(m, k);
 | |
|   if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
 | |
|     desc = { enumerable: true, get: function() {
 | |
|       return m[k];
 | |
|     } };
 | |
|   }
 | |
|   Object.defineProperty(o, k2, desc);
 | |
| } : function(o, m, k, k2) {
 | |
|   if (k2 === void 0)
 | |
|     k2 = k;
 | |
|   o[k2] = m[k];
 | |
| });
 | |
| var __setModuleDefault = exports && exports.__setModuleDefault || (Object.create ? function(o, v) {
 | |
|   Object.defineProperty(o, "default", { enumerable: true, value: v });
 | |
| } : function(o, v) {
 | |
|   o["default"] = v;
 | |
| });
 | |
| var __importStar = exports && exports.__importStar || function(mod) {
 | |
|   if (mod && mod.__esModule)
 | |
|     return mod;
 | |
|   var result = {};
 | |
|   if (mod != null) {
 | |
|     for (var k in mod)
 | |
|       if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k))
 | |
|         __createBinding(result, mod, k);
 | |
|   }
 | |
|   __setModuleDefault(result, mod);
 | |
|   return result;
 | |
| };
 | |
| var __importDefault = exports && exports.__importDefault || function(mod) {
 | |
|   return mod && mod.__esModule ? mod : { "default": mod };
 | |
| };
 | |
| Object.defineProperty(exports, "__esModule", { value: true });
 | |
| var path_1 = __importDefault(require("path"));
 | |
| var fs_1 = __importDefault(require("fs"));
 | |
| var graceful_fs_1 = __importDefault(require_lib());
 | |
| var crypto = __importStar(require("crypto"));
 | |
| var create_cafs_store_1 = require_lib9();
 | |
| var fs_hard_link_dir_1 = require_lib10();
 | |
| var store_cafs_1 = require_lib4();
 | |
| var symlink_dependency_1 = require_lib11();
 | |
| var load_json_file_1 = require_load_json_file();
 | |
| var worker_threads_1 = require("worker_threads");
 | |
| var INTEGRITY_REGEX = /^([^-]+)-([A-Za-z0-9+/=]+)$/;
 | |
| worker_threads_1.parentPort.on("message", handleMessage);
 | |
| var cafsCache = /* @__PURE__ */ new Map();
 | |
| var cafsStoreCache = /* @__PURE__ */ new Map();
 | |
| var cafsLocker = /* @__PURE__ */ new Map();
 | |
| async function handleMessage(message) {
 | |
|   if (message === false) {
 | |
|     worker_threads_1.parentPort.off("message", handleMessage);
 | |
|     process.exit(0);
 | |
|   }
 | |
|   try {
 | |
|     switch (message.type) {
 | |
|       case "extract": {
 | |
|         worker_threads_1.parentPort.postMessage(addTarballToStore(message));
 | |
|         break;
 | |
|       }
 | |
|       case "link": {
 | |
|         worker_threads_1.parentPort.postMessage(importPackage(message));
 | |
|         break;
 | |
|       }
 | |
|       case "add-dir": {
 | |
|         worker_threads_1.parentPort.postMessage(addFilesFromDir(message));
 | |
|         break;
 | |
|       }
 | |
|       case "readPkgFromCafs": {
 | |
|         const { cafsDir, filesIndexFile, readManifest, verifyStoreIntegrity } = message;
 | |
|         let pkgFilesIndex;
 | |
|         try {
 | |
|           pkgFilesIndex = (0, load_json_file_1.sync)(filesIndexFile);
 | |
|         } catch {
 | |
|         }
 | |
|         if (!pkgFilesIndex) {
 | |
|           worker_threads_1.parentPort.postMessage({
 | |
|             status: "success",
 | |
|             value: {
 | |
|               verified: false,
 | |
|               pkgFilesIndex: null
 | |
|             }
 | |
|           });
 | |
|           return;
 | |
|         }
 | |
|         let verifyResult;
 | |
|         if (verifyStoreIntegrity) {
 | |
|           verifyResult = (0, store_cafs_1.checkPkgFilesIntegrity)(cafsDir, pkgFilesIndex, readManifest);
 | |
|         } else {
 | |
|           verifyResult = {
 | |
|             passed: true,
 | |
|             manifest: readManifest ? (0, store_cafs_1.readManifestFromStore)(cafsDir, pkgFilesIndex) : void 0
 | |
|           };
 | |
|         }
 | |
|         worker_threads_1.parentPort.postMessage({
 | |
|           status: "success",
 | |
|           value: {
 | |
|             verified: verifyResult.passed,
 | |
|             manifest: verifyResult.manifest,
 | |
|             pkgFilesIndex
 | |
|           }
 | |
|         });
 | |
|         break;
 | |
|       }
 | |
|       case "symlinkAllModules": {
 | |
|         worker_threads_1.parentPort.postMessage(symlinkAllModules(message));
 | |
|         break;
 | |
|       }
 | |
|       case "hardLinkDir": {
 | |
|         (0, fs_hard_link_dir_1.hardLinkDir)(message.src, message.destDirs);
 | |
|         worker_threads_1.parentPort.postMessage({ status: "success" });
 | |
|         break;
 | |
|       }
 | |
|     }
 | |
|   } catch (e) {
 | |
|     worker_threads_1.parentPort.postMessage({ status: "error", error: e.toString() });
 | |
|   }
 | |
| }
 | |
| function addTarballToStore({ buffer, cafsDir, integrity, filesIndexFile, pkg, readManifest }) {
 | |
|   if (integrity) {
 | |
|     const [, algo, integrityHash] = integrity.match(INTEGRITY_REGEX);
 | |
|     const normalizedRemoteHash = Buffer.from(integrityHash, "base64").toString("hex");
 | |
|     const calculatedHash = crypto.createHash(algo).update(buffer).digest("hex");
 | |
|     if (calculatedHash !== normalizedRemoteHash) {
 | |
|       return {
 | |
|         status: "error",
 | |
|         error: {
 | |
|           type: "integrity_validation_failed",
 | |
|           algorithm: algo,
 | |
|           expected: integrity,
 | |
|           found: `${algo}-${Buffer.from(calculatedHash, "hex").toString("base64")}`
 | |
|         }
 | |
|       };
 | |
|     }
 | |
|   }
 | |
|   if (!cafsCache.has(cafsDir)) {
 | |
|     cafsCache.set(cafsDir, (0, store_cafs_1.createCafs)(cafsDir));
 | |
|   }
 | |
|   const cafs = cafsCache.get(cafsDir);
 | |
|   const { filesIndex, manifest } = cafs.addFilesFromTarball(buffer, readManifest);
 | |
|   const { filesIntegrity, filesMap } = processFilesIndex(filesIndex);
 | |
|   writeFilesIndexFile(filesIndexFile, { pkg: pkg ?? {}, files: filesIntegrity });
 | |
|   return { status: "success", value: { filesIndex: filesMap, manifest } };
 | |
| }
 | |
| function addFilesFromDir({ dir, cafsDir, filesIndexFile, sideEffectsCacheKey, pkg, readManifest }) {
 | |
|   if (!cafsCache.has(cafsDir)) {
 | |
|     cafsCache.set(cafsDir, (0, store_cafs_1.createCafs)(cafsDir));
 | |
|   }
 | |
|   const cafs = cafsCache.get(cafsDir);
 | |
|   const { filesIndex, manifest } = cafs.addFilesFromDir(dir, readManifest);
 | |
|   const { filesIntegrity, filesMap } = processFilesIndex(filesIndex);
 | |
|   if (sideEffectsCacheKey) {
 | |
|     let filesIndex2;
 | |
|     try {
 | |
|       filesIndex2 = (0, load_json_file_1.sync)(filesIndexFile);
 | |
|     } catch {
 | |
|       filesIndex2 = { files: filesIntegrity };
 | |
|     }
 | |
|     filesIndex2.sideEffects = filesIndex2.sideEffects ?? {};
 | |
|     filesIndex2.sideEffects[sideEffectsCacheKey] = filesIntegrity;
 | |
|     writeJsonFile(filesIndexFile, filesIndex2);
 | |
|   } else {
 | |
|     writeFilesIndexFile(filesIndexFile, { pkg: pkg ?? {}, files: filesIntegrity });
 | |
|   }
 | |
|   return { status: "success", value: { filesIndex: filesMap, manifest } };
 | |
| }
 | |
| function processFilesIndex(filesIndex) {
 | |
|   const filesIntegrity = {};
 | |
|   const filesMap = {};
 | |
|   for (const [k, { checkedAt, filePath, integrity, mode, size }] of Object.entries(filesIndex)) {
 | |
|     filesIntegrity[k] = {
 | |
|       checkedAt,
 | |
|       integrity: integrity.toString(),
 | |
|       // TODO: use the raw Integrity object
 | |
|       mode,
 | |
|       size
 | |
|     };
 | |
|     filesMap[k] = filePath;
 | |
|   }
 | |
|   return { filesIntegrity, filesMap };
 | |
| }
 | |
| function importPackage({ storeDir, packageImportMethod, filesResponse, sideEffectsCacheKey, targetDir, requiresBuild, force, keepModulesDir, disableRelinkLocalDirDeps }) {
 | |
|   const cacheKey = JSON.stringify({ storeDir, packageImportMethod });
 | |
|   if (!cafsStoreCache.has(cacheKey)) {
 | |
|     cafsStoreCache.set(cacheKey, (0, create_cafs_store_1.createCafsStore)(storeDir, { packageImportMethod, cafsLocker }));
 | |
|   }
 | |
|   const cafsStore = cafsStoreCache.get(cacheKey);
 | |
|   const { importMethod, isBuilt } = cafsStore.importPackage(targetDir, {
 | |
|     filesResponse,
 | |
|     force,
 | |
|     disableRelinkLocalDirDeps,
 | |
|     requiresBuild,
 | |
|     sideEffectsCacheKey,
 | |
|     keepModulesDir
 | |
|   });
 | |
|   return { status: "success", value: { isBuilt, importMethod } };
 | |
| }
 | |
| function symlinkAllModules(opts) {
 | |
|   for (const dep of opts.deps) {
 | |
|     for (const [alias, pkgDir] of Object.entries(dep.children)) {
 | |
|       if (alias !== dep.name) {
 | |
|         (0, symlink_dependency_1.symlinkDependencySync)(pkgDir, dep.modules, alias);
 | |
|       }
 | |
|     }
 | |
|   }
 | |
|   return { status: "success" };
 | |
| }
 | |
| function writeFilesIndexFile(filesIndexFile, { pkg, files }) {
 | |
|   writeJsonFile(filesIndexFile, {
 | |
|     name: pkg.name,
 | |
|     version: pkg.version,
 | |
|     files
 | |
|   });
 | |
| }
 | |
| function writeJsonFile(filePath, data) {
 | |
|   const targetDir = path_1.default.dirname(filePath);
 | |
|   fs_1.default.mkdirSync(targetDir, { recursive: true });
 | |
|   const temp = `${filePath.slice(0, -11)}${process.pid}`;
 | |
|   graceful_fs_1.default.writeFileSync(temp, JSON.stringify(data));
 | |
|   (0, store_cafs_1.optimisticRenameOverwrite)(temp, filePath);
 | |
| }
 | |
| process.on("uncaughtException", (err) => {
 | |
|   console.error(err);
 | |
| });
 | |
| /*! Bundled license information:
 | |
| 
 | |
| safe-buffer/index.js:
 | |
|   (*! safe-buffer. MIT License. Feross Aboukhadijeh <https://feross.org/opensource> *)
 | |
| 
 | |
| is-windows/index.js:
 | |
|   (*!
 | |
|    * is-windows <https://github.com/jonschlinkert/is-windows>
 | |
|    *
 | |
|    * Copyright © 2015-2018, Jon Schlinkert.
 | |
|    * Released under the MIT License.
 | |
|    *)
 | |
| */
 |