prez-lib 4.0.2 → 4.0.3
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/prez-lib.js +45 -7
- package/dist/prez-lib.umd.cjs +1 -1
- package/package.json +1 -1
package/dist/prez-lib.js
CHANGED
|
@@ -1156,6 +1156,7 @@ class uo {
|
|
|
1156
1156
|
this._n3Mode && (m = 1, x = "^");
|
|
1157
1157
|
break;
|
|
1158
1158
|
}
|
|
1159
|
+
// Fall through in case the type is an IRI
|
|
1159
1160
|
case "<":
|
|
1160
1161
|
if (R = this._unescapedIri.exec(n))
|
|
1161
1162
|
x = "IRI", I = R[1];
|
|
@@ -1198,6 +1199,7 @@ class uo {
|
|
|
1198
1199
|
x = ".", m = 1;
|
|
1199
1200
|
break;
|
|
1200
1201
|
}
|
|
1202
|
+
// Fall through to numerical case (could be a decimal dot)
|
|
1201
1203
|
case "0":
|
|
1202
1204
|
case "1":
|
|
1203
1205
|
case "2":
|
|
@@ -1661,22 +1663,27 @@ class Fi {
|
|
|
1661
1663
|
// ### `_readInTopContext` reads a token when in the top context
|
|
1662
1664
|
_readInTopContext(e) {
|
|
1663
1665
|
switch (e.type) {
|
|
1666
|
+
// If an EOF token arrives in the top context, signal that we're done
|
|
1664
1667
|
case "eof":
|
|
1665
1668
|
return this._graph !== null ? this._error("Unclosed graph", e) : (delete this._prefixes._, this._callback(null, null, this._prefixes));
|
|
1669
|
+
// It could be a prefix declaration
|
|
1666
1670
|
case "PREFIX":
|
|
1667
1671
|
this._sparqlStyle = !0;
|
|
1668
1672
|
case "@prefix":
|
|
1669
1673
|
return this._readPrefix;
|
|
1674
|
+
// It could be a base declaration
|
|
1670
1675
|
case "BASE":
|
|
1671
1676
|
this._sparqlStyle = !0;
|
|
1672
1677
|
case "@base":
|
|
1673
1678
|
return this._readBaseIRI;
|
|
1679
|
+
// It could be a graph
|
|
1674
1680
|
case "{":
|
|
1675
1681
|
if (this._supportsNamedGraphs)
|
|
1676
1682
|
return this._graph = "", this._subject = null, this._readSubject;
|
|
1677
1683
|
case "GRAPH":
|
|
1678
1684
|
if (this._supportsNamedGraphs)
|
|
1679
1685
|
return this._readNamedGraphLabel;
|
|
1686
|
+
// Otherwise, the next token must be a subject
|
|
1680
1687
|
default:
|
|
1681
1688
|
return this._readSubject(e);
|
|
1682
1689
|
}
|
|
@@ -1685,6 +1692,7 @@ class Fi {
|
|
|
1685
1692
|
_readEntity(e, r) {
|
|
1686
1693
|
let n;
|
|
1687
1694
|
switch (e.type) {
|
|
1695
|
+
// Read a relative or absolute IRI
|
|
1688
1696
|
case "IRI":
|
|
1689
1697
|
case "typeIRI":
|
|
1690
1698
|
const i = this._resolveIRI(e.value);
|
|
@@ -1692,6 +1700,7 @@ class Fi {
|
|
|
1692
1700
|
return this._error("Invalid IRI", e);
|
|
1693
1701
|
n = this._factory.namedNode(i);
|
|
1694
1702
|
break;
|
|
1703
|
+
// Read a prefixed name
|
|
1695
1704
|
case "type":
|
|
1696
1705
|
case "prefixed":
|
|
1697
1706
|
const a = this._prefixes[e.prefix];
|
|
@@ -1699,12 +1708,15 @@ class Fi {
|
|
|
1699
1708
|
return this._error(`Undefined prefix "${e.prefix}:"`, e);
|
|
1700
1709
|
n = this._factory.namedNode(a + e.value);
|
|
1701
1710
|
break;
|
|
1711
|
+
// Read a blank node
|
|
1702
1712
|
case "blank":
|
|
1703
1713
|
n = this._factory.blankNode(this._prefixes[e.prefix] + e.value);
|
|
1704
1714
|
break;
|
|
1715
|
+
// Read a variable
|
|
1705
1716
|
case "var":
|
|
1706
1717
|
n = this._factory.variable(e.value.substr(1));
|
|
1707
1718
|
break;
|
|
1719
|
+
// Everything else is not an entity
|
|
1708
1720
|
default:
|
|
1709
1721
|
return this._error(`Expected entity but got ${e.type}`, e);
|
|
1710
1722
|
}
|
|
@@ -1918,12 +1930,14 @@ class Fi {
|
|
|
1918
1930
|
_completeLiteral(e) {
|
|
1919
1931
|
let r = this._factory.literal(this._literalValue);
|
|
1920
1932
|
switch (e.type) {
|
|
1933
|
+
// Create a datatyped literal
|
|
1921
1934
|
case "type":
|
|
1922
1935
|
case "typeIRI":
|
|
1923
1936
|
const n = this._readEntity(e);
|
|
1924
1937
|
if (n === void 0) return;
|
|
1925
1938
|
r = this._factory.literal(this._literalValue, n), e = null;
|
|
1926
1939
|
break;
|
|
1940
|
+
// Create a language-tagged string
|
|
1927
1941
|
case "langcode":
|
|
1928
1942
|
r = this._factory.literal(this._literalValue, e.value), e = null;
|
|
1929
1943
|
break;
|
|
@@ -1949,27 +1963,33 @@ class Fi {
|
|
|
1949
1963
|
let r, n = this._graph;
|
|
1950
1964
|
const i = this._subject, a = this._inversePredicate;
|
|
1951
1965
|
switch (e.type) {
|
|
1966
|
+
// A closing brace ends a graph
|
|
1952
1967
|
case "}":
|
|
1953
1968
|
if (this._graph === null)
|
|
1954
1969
|
return this._error("Unexpected graph closing", e);
|
|
1955
1970
|
if (this._n3Mode)
|
|
1956
1971
|
return this._readFormulaTail(e);
|
|
1957
1972
|
this._graph = null;
|
|
1973
|
+
// A dot just ends the statement, without sharing anything with the next
|
|
1958
1974
|
case ".":
|
|
1959
1975
|
this._subject = null, r = this._contextStack.length ? this._readSubject : this._readInTopContext, a && (this._inversePredicate = !1);
|
|
1960
1976
|
break;
|
|
1977
|
+
// Semicolon means the subject is shared; predicate and object are different
|
|
1961
1978
|
case ";":
|
|
1962
1979
|
r = this._readPredicate;
|
|
1963
1980
|
break;
|
|
1981
|
+
// Comma means both the subject and predicate are shared; the object is different
|
|
1964
1982
|
case ",":
|
|
1965
1983
|
r = this._readObject;
|
|
1966
1984
|
break;
|
|
1985
|
+
// {| means that the current triple is annotated with predicate-object pairs.
|
|
1967
1986
|
case "{|":
|
|
1968
1987
|
if (!this._supportsRDFStar)
|
|
1969
1988
|
return this._error("Unexpected RDF-star syntax", e);
|
|
1970
1989
|
const l = this._predicate, u = this._object;
|
|
1971
1990
|
this._subject = this._factory.quad(i, l, u, this.DEFAULTGRAPH), r = this._readPredicate;
|
|
1972
1991
|
break;
|
|
1992
|
+
// |} means that the current quoted triple in annotation syntax is finalized.
|
|
1973
1993
|
case "|}":
|
|
1974
1994
|
if (this._subject.termType !== "Quad")
|
|
1975
1995
|
return this._error("Unexpected asserted triple closing", e);
|
|
@@ -1992,9 +2012,11 @@ class Fi {
|
|
|
1992
2012
|
_readBlankNodePunctuation(e) {
|
|
1993
2013
|
let r;
|
|
1994
2014
|
switch (e.type) {
|
|
2015
|
+
// Semicolon means the subject is shared; predicate and object are different
|
|
1995
2016
|
case ";":
|
|
1996
2017
|
r = this._readPredicate;
|
|
1997
2018
|
break;
|
|
2019
|
+
// Comma means both the subject and predicate are shared; the object is different
|
|
1998
2020
|
case ",":
|
|
1999
2021
|
r = this._readObject;
|
|
2000
2022
|
break;
|
|
@@ -2078,10 +2100,13 @@ class Fi {
|
|
|
2078
2100
|
// ### `_readPath` reads a potential path
|
|
2079
2101
|
_readPath(e) {
|
|
2080
2102
|
switch (e.type) {
|
|
2103
|
+
// Forward path
|
|
2081
2104
|
case "!":
|
|
2082
2105
|
return this._readForwardPath;
|
|
2106
|
+
// Backward path
|
|
2083
2107
|
case "^":
|
|
2084
2108
|
return this._readBackwardPath;
|
|
2109
|
+
// Not a path; resume reading where we left off
|
|
2085
2110
|
default:
|
|
2086
2111
|
const r = this._contextStack, n = r.length && r[r.length - 1];
|
|
2087
2112
|
if (n && n.type === "item") {
|
|
@@ -2160,12 +2185,16 @@ class Fi {
|
|
|
2160
2185
|
if (!e.length)
|
|
2161
2186
|
return this._base;
|
|
2162
2187
|
switch (e[0]) {
|
|
2188
|
+
// Resolve relative fragment IRIs against the base IRI
|
|
2163
2189
|
case "#":
|
|
2164
2190
|
return this._base + e;
|
|
2191
|
+
// Resolve relative query string IRIs by replacing the query string
|
|
2165
2192
|
case "?":
|
|
2166
2193
|
return this._base.replace(/(?:\?.*)?$/, e);
|
|
2194
|
+
// Resolve root-relative IRIs at the root of the base IRI
|
|
2167
2195
|
case "/":
|
|
2168
2196
|
return (e[1] === "/" ? this._baseScheme : this._baseRoot) + this._removeDotSegments(e);
|
|
2197
|
+
// Resolve all other IRIs at the base IRI's path
|
|
2169
2198
|
default:
|
|
2170
2199
|
return /^[^/:]*:/.test(e) ? null : this._removeDotSegments(this._basePath + e);
|
|
2171
2200
|
}
|
|
@@ -2178,25 +2207,31 @@ class Fi {
|
|
|
2178
2207
|
let n = "", i = -1, a = -1, l = 0, u = "/";
|
|
2179
2208
|
for (; i < r; ) {
|
|
2180
2209
|
switch (u) {
|
|
2210
|
+
// The path starts with the first slash after the authority
|
|
2181
2211
|
case ":":
|
|
2182
2212
|
if (a < 0 && e[++i] === "/" && e[++i] === "/")
|
|
2183
2213
|
for (; (a = i + 1) < r && e[a] !== "/"; )
|
|
2184
2214
|
i = a;
|
|
2185
2215
|
break;
|
|
2216
|
+
// Don't modify a query string or fragment
|
|
2186
2217
|
case "?":
|
|
2187
2218
|
case "#":
|
|
2188
2219
|
i = r;
|
|
2189
2220
|
break;
|
|
2221
|
+
// Handle '/.' or '/..' path segments
|
|
2190
2222
|
case "/":
|
|
2191
2223
|
if (e[i + 1] === ".")
|
|
2192
2224
|
switch (u = e[++i + 1], u) {
|
|
2225
|
+
// Remove a '/.' segment
|
|
2193
2226
|
case "/":
|
|
2194
2227
|
n += e.substring(l, i - 1), l = i + 1;
|
|
2195
2228
|
break;
|
|
2229
|
+
// Remove a trailing '/.' segment
|
|
2196
2230
|
case void 0:
|
|
2197
2231
|
case "?":
|
|
2198
2232
|
case "#":
|
|
2199
2233
|
return n + e.substring(l, i) + e.substr(i + 1);
|
|
2234
|
+
// Remove a '/..' segment
|
|
2200
2235
|
case ".":
|
|
2201
2236
|
if (u = e[++i + 1], u === void 0 || u === "/" || u === "?" || u === "#") {
|
|
2202
2237
|
if (n += e.substring(l, i - 2), (l = n.lastIndexOf("/")) >= a && (n = n.substr(0, l)), u !== "/")
|
|
@@ -2423,11 +2458,14 @@ class Ci {
|
|
|
2423
2458
|
blank(e, r) {
|
|
2424
2459
|
let n = e, i, a;
|
|
2425
2460
|
switch (e === void 0 ? n = [] : e.termType ? n = [{ predicate: e, object: r }] : "length" in e || (n = [e]), a = n.length) {
|
|
2461
|
+
// Generate an empty blank node
|
|
2426
2462
|
case 0:
|
|
2427
2463
|
return new $t("[]");
|
|
2464
|
+
// Generate a non-nested one-triple blank node
|
|
2428
2465
|
case 1:
|
|
2429
2466
|
if (i = n[0], !(i.object instanceof $t))
|
|
2430
2467
|
return new $t(`[ ${this._encodePredicate(i.predicate)} ${this._encodeObject(i.object)} ]`);
|
|
2468
|
+
// Generate a multi-triple or nested blank node
|
|
2431
2469
|
default:
|
|
2432
2470
|
let l = "[";
|
|
2433
2471
|
for (let u = 0; u < a; u++)
|
|
@@ -4301,13 +4339,13 @@ function _r() {
|
|
|
4301
4339
|
T("readableAddChunk", h);
|
|
4302
4340
|
const k = c._readableState;
|
|
4303
4341
|
let ge;
|
|
4304
|
-
if (k.state & D
|
|
4342
|
+
if ((k.state & D) === 0 && (typeof h == "string" ? (j = j || k.defaultEncoding, k.encoding !== j && (L && k.encoding ? h = v.from(h, j).toString(k.encoding) : (h = v.from(h, j), j = ""))) : h instanceof v ? j = "" : R._isUint8Array(h) ? (h = R._uint8ArrayToBuffer(h), j = "") : h != null && (ge = new oe("chunk", ["string", "Buffer", "Uint8Array"], h))), ge)
|
|
4305
4343
|
ue(c, ge);
|
|
4306
4344
|
else if (h === null)
|
|
4307
4345
|
k.state &= -9, s(c, k);
|
|
4308
|
-
else if (k.state & D || h && h.length > 0)
|
|
4346
|
+
else if ((k.state & D) !== 0 || h && h.length > 0)
|
|
4309
4347
|
if (L)
|
|
4310
|
-
if (k.state & M) ue(c, new P());
|
|
4348
|
+
if ((k.state & M) !== 0) ue(c, new P());
|
|
4311
4349
|
else {
|
|
4312
4350
|
if (k.destroyed || k.errored) return !1;
|
|
4313
4351
|
vt(c, k, h, !0);
|
|
@@ -4323,7 +4361,7 @@ function _r() {
|
|
|
4323
4361
|
return !k.ended && (k.length < k.highWaterMark || k.length === 0);
|
|
4324
4362
|
}
|
|
4325
4363
|
function vt(c, h, j, L) {
|
|
4326
|
-
h.flowing && h.length === 0 && !h.sync && c.listenerCount("data") > 0 ? (h.state & F ? h.awaitDrainWriters.clear() : h.awaitDrainWriters = null, h.dataEmitted = !0, c.emit("data", j)) : (h.length += h.objectMode ? 1 : j.length, L ? h.buffer.unshift(j) : h.buffer.push(j), h.state & We && o(c)), b(c, h);
|
|
4364
|
+
h.flowing && h.length === 0 && !h.sync && c.listenerCount("data") > 0 ? ((h.state & F) !== 0 ? h.awaitDrainWriters.clear() : h.awaitDrainWriters = null, h.dataEmitted = !0, c.emit("data", j)) : (h.length += h.objectMode ? 1 : j.length, L ? h.buffer.unshift(j) : h.buffer.push(j), (h.state & We) !== 0 && o(c)), b(c, h);
|
|
4327
4365
|
}
|
|
4328
4366
|
O.prototype.isPaused = function() {
|
|
4329
4367
|
const c = this._readableState;
|
|
@@ -4344,7 +4382,7 @@ function _r() {
|
|
|
4344
4382
|
return c--, c |= c >>> 1, c |= c >>> 2, c |= c >>> 4, c |= c >>> 8, c |= c >>> 16, c++, c;
|
|
4345
4383
|
}
|
|
4346
4384
|
function f(c, h) {
|
|
4347
|
-
return c <= 0 || h.length === 0 && h.ended ? 0 : h.state & D ? 1 : n(c) ? h.flowing && h.length ? h.buffer.first().length : h.length : c <= h.length ? c : h.ended ? h.length : 0;
|
|
4385
|
+
return c <= 0 || h.length === 0 && h.ended ? 0 : (h.state & D) !== 0 ? 1 : n(c) ? h.flowing && h.length ? h.buffer.first().length : h.length : c <= h.length ? c : h.ended ? h.length : 0;
|
|
4348
4386
|
}
|
|
4349
4387
|
O.prototype.read = function(c) {
|
|
4350
4388
|
T("read", c), c === void 0 ? c = NaN : r(c) || (c = i(c, 10));
|
|
@@ -6332,7 +6370,7 @@ class Nu {
|
|
|
6332
6370
|
}
|
|
6333
6371
|
class Se {
|
|
6334
6372
|
constructor(e, r) {
|
|
6335
|
-
this._size = 0, this._graphs = /* @__PURE__ */ Object.create(null), !r && e && !e[0] && (r = e, e = null), r = r || {}, this._factory = r.factory || ft, this._entityIndex = r.entityIndex || new Nu({ factory: this._factory }), this._entities = this._entityIndex._entities, this._termFromId = this._entityIndex._termFromId.bind(this._entityIndex), this._termToNumericId = this._entityIndex._termToNumericId.bind(this._entityIndex), this._termToNewNumericId = this._entityIndex._termToNewNumericId.bind(this._entityIndex), e && this.
|
|
6373
|
+
this._size = 0, this._graphs = /* @__PURE__ */ Object.create(null), !r && e && !e[0] && typeof e.match != "function" && (r = e, e = null), r = r || {}, this._factory = r.factory || ft, this._entityIndex = r.entityIndex || new Nu({ factory: this._factory }), this._entities = this._entityIndex._entities, this._termFromId = this._entityIndex._termFromId.bind(this._entityIndex), this._termToNumericId = this._entityIndex._termToNumericId.bind(this._entityIndex), this._termToNewNumericId = this._entityIndex._termToNewNumericId.bind(this._entityIndex), e && this.addAll(e);
|
|
6336
6374
|
}
|
|
6337
6375
|
// ## Public properties
|
|
6338
6376
|
// ### `size` returns the number of quads in the store
|
|
@@ -6613,7 +6651,7 @@ class Se {
|
|
|
6613
6651
|
// Setting any field to `undefined` or `null` indicates a wildcard.
|
|
6614
6652
|
some(e, r, n, i, a) {
|
|
6615
6653
|
for (const l of this.readQuads(r, n, i, a))
|
|
6616
|
-
if (e(l))
|
|
6654
|
+
if (e(l, this))
|
|
6617
6655
|
return !0;
|
|
6618
6656
|
return !1;
|
|
6619
6657
|
}
|
package/dist/prez-lib.umd.cjs
CHANGED
|
@@ -24,6 +24,6 @@
|
|
|
24
24
|
`:`
|
|
25
25
|
}
|
|
26
26
|
`),this._subject=null),this._write=this._blockedWrite;let r=e&&((n,i)=>{r=null,e(n,i)});if(this._endStream)try{return this._outputStream.end(r)}catch{}r&&r()}}function zn(t){let e=go[t];return e===void 0&&(t.length===1?(e=t.charCodeAt(0).toString(16),e="\\u0000".substr(0,6-e.length)+e):(e=((t.charCodeAt(0)-55296)*1024+t.charCodeAt(1)+9216).toString(16),e="\\U00000000".substr(0,10-e.length)+e)),e}function qn(t){return t.replace(/[\]\/\(\)\*\+\?\.\\\$]/g,"\\$&")}var Hn={exports:{}},Pr={exports:{}},oe={AggregateError:class extends Error{constructor(e){if(!Array.isArray(e))throw new TypeError(`Expected input to be an Array, got ${typeof e}`);let r="";for(let n=0;n<e.length;n++)r+=` ${e[n].stack}
|
|
27
|
-
`;super(r),this.name="AggregateError",this.errors=e}},ArrayIsArray(t){return Array.isArray(t)},ArrayPrototypeIncludes(t,e){return t.includes(e)},ArrayPrototypeIndexOf(t,e){return t.indexOf(e)},ArrayPrototypeJoin(t,e){return t.join(e)},ArrayPrototypeMap(t,e){return t.map(e)},ArrayPrototypePop(t,e){return t.pop(e)},ArrayPrototypePush(t,e){return t.push(e)},ArrayPrototypeSlice(t,e,r){return t.slice(e,r)},Error,FunctionPrototypeCall(t,e,...r){return t.call(e,...r)},FunctionPrototypeSymbolHasInstance(t,e){return Function.prototype[Symbol.hasInstance].call(t,e)},MathFloor:Math.floor,Number,NumberIsInteger:Number.isInteger,NumberIsNaN:Number.isNaN,NumberMAX_SAFE_INTEGER:Number.MAX_SAFE_INTEGER,NumberMIN_SAFE_INTEGER:Number.MIN_SAFE_INTEGER,NumberParseInt:Number.parseInt,ObjectDefineProperties(t,e){return Object.defineProperties(t,e)},ObjectDefineProperty(t,e,r){return Object.defineProperty(t,e,r)},ObjectGetOwnPropertyDescriptor(t,e){return Object.getOwnPropertyDescriptor(t,e)},ObjectKeys(t){return Object.keys(t)},ObjectSetPrototypeOf(t,e){return Object.setPrototypeOf(t,e)},Promise,PromisePrototypeCatch(t,e){return t.catch(e)},PromisePrototypeThen(t,e,r){return t.then(e,r)},PromiseReject(t){return Promise.reject(t)},PromiseResolve(t){return Promise.resolve(t)},ReflectApply:Reflect.apply,RegExpPrototypeTest(t,e){return t.test(e)},SafeSet:Set,String,StringPrototypeSlice(t,e,r){return t.slice(e,r)},StringPrototypeToLowerCase(t){return t.toLowerCase()},StringPrototypeToUpperCase(t){return t.toUpperCase()},StringPrototypeTrim(t){return t.trim()},Symbol,SymbolFor:Symbol.for,SymbolAsyncIterator:Symbol.asyncIterator,SymbolHasInstance:Symbol.hasInstance,SymbolIterator:Symbol.iterator,SymbolDispose:Symbol.dispose||Symbol("Symbol.dispose"),SymbolAsyncDispose:Symbol.asyncDispose||Symbol("Symbol.asyncDispose"),TypedArrayPrototypeSet(t,e,r){return t.set(e,r)},Boolean,Uint8Array},Qn={exports:{}},Vn={format(t,...e){return t.replace(/%([sdifj])/g,function(...[r,n]){const i=e.shift();return n==="f"?i.toFixed(6):n==="j"?JSON.stringify(i):n==="s"&&typeof i=="object"?`${i.constructor!==Object?i.constructor.name:""} {}`.trim():i.toString()})},inspect(t){switch(typeof t){case"string":if(t.includes("'"))if(t.includes('"')){if(!t.includes("`")&&!t.includes("${"))return`\`${t}\``}else return`"${t}"`;return`'${t}'`;case"number":return isNaN(t)?"NaN":Object.is(t,-0)?String(t):t;case"bigint":return`${String(t)}n`;case"boolean":case"undefined":return String(t);case"object":return"{}"}}};const{format:wo,inspect:Jt}=Vn,{AggregateError:mo}=oe,xo=globalThis.AggregateError||mo,Eo=Symbol("kIsNodeError"),So=["string","function","number","object","Function","Object","boolean","bigint","symbol"],Io=/^([A-Z][a-z0-9]*)+$/,Ro="__node_internal_",er={};function at(t,e){if(!t)throw new er.ERR_INTERNAL_ASSERTION(e)}function Kn(t){let e="",r=t.length;const n=t[0]==="-"?1:0;for(;r>=n+4;r-=3)e=`_${t.slice(r-3,r)}${e}`;return`${t.slice(0,r)}${e}`}function Ao(t,e,r){if(typeof e=="function")return at(e.length<=r.length,`Code: ${t}; The provided arguments length (${r.length}) does not match the required ones (${e.length}).`),e(...r);const n=(e.match(/%[dfijoOs]/g)||[]).length;return at(n===r.length,`Code: ${t}; The provided arguments length (${r.length}) does not match the required ones (${n}).`),r.length===0?e:wo(e,...r)}function be(t,e,r){r||(r=Error);class n extends r{constructor(...a){super(Ao(t,e,a))}toString(){return`${this.name} [${t}]: ${this.message}`}}Object.defineProperties(n.prototype,{name:{value:r.name,writable:!0,enumerable:!1,configurable:!0},toString:{value(){return`${this.name} [${t}]: ${this.message}`},writable:!0,enumerable:!1,configurable:!0}}),n.prototype.code=t,n.prototype[Eo]=!0,er[t]=n}function Yn(t){const e=Ro+t.name;return Object.defineProperty(t,"name",{value:e}),t}function To(t,e){if(t&&e&&t!==e){if(Array.isArray(e.errors))return e.errors.push(t),e;const r=new xo([e,t],e.message);return r.code=e.code,r}return t||e}let vo=class extends Error{constructor(e="The operation was aborted",r=void 0){if(r!==void 0&&typeof r!="object")throw new er.ERR_INVALID_ARG_TYPE("options","Object",r);super(e,r),this.code="ABORT_ERR",this.name="AbortError"}};be("ERR_ASSERTION","%s",Error),be("ERR_INVALID_ARG_TYPE",(t,e,r)=>{at(typeof t=="string","'name' must be a string"),Array.isArray(e)||(e=[e]);let n="The ";t.endsWith(" argument")?n+=`${t} `:n+=`"${t}" ${t.includes(".")?"property":"argument"} `,n+="must be ";const i=[],a=[],l=[];for(const p of e)at(typeof p=="string","All expected entries have to be of type string"),So.includes(p)?i.push(p.toLowerCase()):Io.test(p)?a.push(p):(at(p!=="object",'The value "object" should be written as "Object"'),l.push(p));if(a.length>0){const p=i.indexOf("object");p!==-1&&(i.splice(i,p,1),a.push("Object"))}if(i.length>0){switch(i.length){case 1:n+=`of type ${i[0]}`;break;case 2:n+=`one of type ${i[0]} or ${i[1]}`;break;default:{const p=i.pop();n+=`one of type ${i.join(", ")}, or ${p}`}}(a.length>0||l.length>0)&&(n+=" or ")}if(a.length>0){switch(a.length){case 1:n+=`an instance of ${a[0]}`;break;case 2:n+=`an instance of ${a[0]} or ${a[1]}`;break;default:{const p=a.pop();n+=`an instance of ${a.join(", ")}, or ${p}`}}l.length>0&&(n+=" or ")}switch(l.length){case 0:break;case 1:l[0].toLowerCase()!==l[0]&&(n+="an "),n+=`${l[0]}`;break;case 2:n+=`one of ${l[0]} or ${l[1]}`;break;default:{const p=l.pop();n+=`one of ${l.join(", ")}, or ${p}`}}if(r==null)n+=`. Received ${r}`;else if(typeof r=="function"&&r.name)n+=`. Received function ${r.name}`;else if(typeof r=="object"){var u;if((u=r.constructor)!==null&&u!==void 0&&u.name)n+=`. Received an instance of ${r.constructor.name}`;else{const p=Jt(r,{depth:-1});n+=`. Received ${p}`}}else{let p=Jt(r,{colors:!1});p.length>25&&(p=`${p.slice(0,25)}...`),n+=`. Received type ${typeof r} (${p})`}return n},TypeError),be("ERR_INVALID_ARG_VALUE",(t,e,r="is invalid")=>{let n=Jt(e);return n.length>128&&(n=n.slice(0,128)+"..."),`The ${t.includes(".")?"property":"argument"} '${t}' ${r}. Received ${n}`},TypeError),be("ERR_INVALID_RETURN_VALUE",(t,e,r)=>{var n;const i=r!=null&&(n=r.constructor)!==null&&n!==void 0&&n.name?`instance of ${r.constructor.name}`:`type ${typeof r}`;return`Expected ${t} to be returned from the "${e}" function but got ${i}.`},TypeError),be("ERR_MISSING_ARGS",(...t)=>{at(t.length>0,"At least one arg needs to be specified");let e;const r=t.length;switch(t=(Array.isArray(t)?t:[t]).map(n=>`"${n}"`).join(" or "),r){case 1:e+=`The ${t[0]} argument`;break;case 2:e+=`The ${t[0]} and ${t[1]} arguments`;break;default:{const n=t.pop();e+=`The ${t.join(", ")}, and ${n} arguments`}break}return`${e} must be specified`},TypeError),be("ERR_OUT_OF_RANGE",(t,e,r)=>{at(e,'Missing "range" argument');let n;if(Number.isInteger(r)&&Math.abs(r)>2**32)n=Kn(String(r));else if(typeof r=="bigint"){n=String(r);const i=BigInt(2)**BigInt(32);(r>i||r<-i)&&(n=Kn(n)),n+="n"}else n=Jt(r);return`The value of "${t}" is out of range. It must be ${e}. Received ${n}`},RangeError),be("ERR_MULTIPLE_CALLBACK","Callback called multiple times",Error),be("ERR_METHOD_NOT_IMPLEMENTED","The %s method is not implemented",Error),be("ERR_STREAM_ALREADY_FINISHED","Cannot call %s after a stream was finished",Error),be("ERR_STREAM_CANNOT_PIPE","Cannot pipe, not readable",Error),be("ERR_STREAM_DESTROYED","Cannot call %s after a stream was destroyed",Error),be("ERR_STREAM_NULL_VALUES","May not write null values to stream",TypeError),be("ERR_STREAM_PREMATURE_CLOSE","Premature close",Error),be("ERR_STREAM_PUSH_AFTER_EOF","stream.push() after EOF",Error),be("ERR_STREAM_UNSHIFT_AFTER_END_EVENT","stream.unshift() after end event",Error),be("ERR_STREAM_WRITE_AFTER_END","write after end",Error),be("ERR_UNKNOWN_ENCODING","Unknown encoding: %s",TypeError);var xe={AbortError:vo,aggregateTwoErrors:Yn(To),hideStackFrames:Yn,codes:er},Ct={exports:{}},Xn;function Ot(){if(Xn)return Ct.exports;Xn=1;const{AbortController:t,AbortSignal:e}=typeof self<"u"?self:typeof window<"u"?window:void 0;return Ct.exports=t,Ct.exports.AbortSignal=e,Ct.exports.default=t,Ct.exports}var jr={exports:{}},St=typeof Reflect=="object"?Reflect:null,Zn=St&&typeof St.apply=="function"?St.apply:function(e,r,n){return Function.prototype.apply.call(e,r,n)},tr;St&&typeof St.ownKeys=="function"?tr=St.ownKeys:Object.getOwnPropertySymbols?tr=function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:tr=function(e){return Object.getOwnPropertyNames(e)};function No(t){console&&console.warn&&console.warn(t)}var Jn=Number.isNaN||function(e){return e!==e};function X(){X.init.call(this)}jr.exports=X,jr.exports.once=$o,X.EventEmitter=X,X.prototype._events=void 0,X.prototype._eventsCount=0,X.prototype._maxListeners=void 0;var ei=10;function rr(t){if(typeof t!="function")throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof t)}Object.defineProperty(X,"defaultMaxListeners",{enumerable:!0,get:function(){return ei},set:function(t){if(typeof t!="number"||t<0||Jn(t))throw new RangeError('The value of "defaultMaxListeners" is out of range. It must be a non-negative number. Received '+t+".");ei=t}}),X.init=function(){(this._events===void 0||this._events===Object.getPrototypeOf(this)._events)&&(this._events=Object.create(null),this._eventsCount=0),this._maxListeners=this._maxListeners||void 0},X.prototype.setMaxListeners=function(e){if(typeof e!="number"||e<0||Jn(e))throw new RangeError('The value of "n" is out of range. It must be a non-negative number. Received '+e+".");return this._maxListeners=e,this};function ti(t){return t._maxListeners===void 0?X.defaultMaxListeners:t._maxListeners}X.prototype.getMaxListeners=function(){return ti(this)},X.prototype.emit=function(e){for(var r=[],n=1;n<arguments.length;n++)r.push(arguments[n]);var i=e==="error",a=this._events;if(a!==void 0)i=i&&a.error===void 0;else if(!i)return!1;if(i){var l;if(r.length>0&&(l=r[0]),l instanceof Error)throw l;var u=new Error("Unhandled error."+(l?" ("+l.message+")":""));throw u.context=l,u}var p=a[e];if(p===void 0)return!1;if(typeof p=="function")Zn(p,this,r);else for(var _=p.length,y=oi(p,_),n=0;n<_;++n)Zn(y[n],this,r);return!0};function ri(t,e,r,n){var i,a,l;if(rr(r),a=t._events,a===void 0?(a=t._events=Object.create(null),t._eventsCount=0):(a.newListener!==void 0&&(t.emit("newListener",e,r.listener?r.listener:r),a=t._events),l=a[e]),l===void 0)l=a[e]=r,++t._eventsCount;else if(typeof l=="function"?l=a[e]=n?[r,l]:[l,r]:n?l.unshift(r):l.push(r),i=ti(t),i>0&&l.length>i&&!l.warned){l.warned=!0;var u=new Error("Possible EventEmitter memory leak detected. "+l.length+" "+String(e)+" listeners added. Use emitter.setMaxListeners() to increase limit");u.name="MaxListenersExceededWarning",u.emitter=t,u.type=e,u.count=l.length,No(u)}return t}X.prototype.addListener=function(e,r){return ri(this,e,r,!1)},X.prototype.on=X.prototype.addListener,X.prototype.prependListener=function(e,r){return ri(this,e,r,!0)};function Po(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,arguments.length===0?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function ni(t,e,r){var n={fired:!1,wrapFn:void 0,target:t,type:e,listener:r},i=Po.bind(n);return i.listener=r,n.wrapFn=i,i}X.prototype.once=function(e,r){return rr(r),this.on(e,ni(this,e,r)),this},X.prototype.prependOnceListener=function(e,r){return rr(r),this.prependListener(e,ni(this,e,r)),this},X.prototype.removeListener=function(e,r){var n,i,a,l,u;if(rr(r),i=this._events,i===void 0)return this;if(n=i[e],n===void 0)return this;if(n===r||n.listener===r)--this._eventsCount===0?this._events=Object.create(null):(delete i[e],i.removeListener&&this.emit("removeListener",e,n.listener||r));else if(typeof n!="function"){for(a=-1,l=n.length-1;l>=0;l--)if(n[l]===r||n[l].listener===r){u=n[l].listener,a=l;break}if(a<0)return this;a===0?n.shift():jo(n,a),n.length===1&&(i[e]=n[0]),i.removeListener!==void 0&&this.emit("removeListener",e,u||r)}return this},X.prototype.off=X.prototype.removeListener,X.prototype.removeAllListeners=function(e){var r,n,i;if(n=this._events,n===void 0)return this;if(n.removeListener===void 0)return arguments.length===0?(this._events=Object.create(null),this._eventsCount=0):n[e]!==void 0&&(--this._eventsCount===0?this._events=Object.create(null):delete n[e]),this;if(arguments.length===0){var a=Object.keys(n),l;for(i=0;i<a.length;++i)l=a[i],l!=="removeListener"&&this.removeAllListeners(l);return this.removeAllListeners("removeListener"),this._events=Object.create(null),this._eventsCount=0,this}if(r=n[e],typeof r=="function")this.removeListener(e,r);else if(r!==void 0)for(i=r.length-1;i>=0;i--)this.removeListener(e,r[i]);return this};function ii(t,e,r){var n=t._events;if(n===void 0)return[];var i=n[e];return i===void 0?[]:typeof i=="function"?r?[i.listener||i]:[i]:r?Lo(i):oi(i,i.length)}X.prototype.listeners=function(e){return ii(this,e,!0)},X.prototype.rawListeners=function(e){return ii(this,e,!1)},X.listenerCount=function(t,e){return typeof t.listenerCount=="function"?t.listenerCount(e):si.call(t,e)},X.prototype.listenerCount=si;function si(t){var e=this._events;if(e!==void 0){var r=e[t];if(typeof r=="function")return 1;if(r!==void 0)return r.length}return 0}X.prototype.eventNames=function(){return this._eventsCount>0?tr(this._events):[]};function oi(t,e){for(var r=new Array(e),n=0;n<e;++n)r[n]=t[n];return r}function jo(t,e){for(;e+1<t.length;e++)t[e]=t[e+1];t.pop()}function Lo(t){for(var e=new Array(t.length),r=0;r<e.length;++r)e[r]=t[r].listener||t[r];return e}function $o(t,e){return new Promise(function(r,n){function i(l){t.removeListener(e,a),n(l)}function a(){typeof t.removeListener=="function"&&t.removeListener("error",i),r([].slice.call(arguments))}ai(t,e,a,{once:!0}),e!=="error"&&Bo(t,i,{once:!0})})}function Bo(t,e,r){typeof t.on=="function"&&ai(t,"error",e,r)}function ai(t,e,r,n){if(typeof t.on=="function")n.once?t.once(e,r):t.on(e,r);else if(typeof t.addEventListener=="function")t.addEventListener(e,function i(a){n.once&&t.removeEventListener(e,i),r(a)});else throw new TypeError('The "emitter" argument must be of type EventEmitter. Received type '+typeof t)}var nr=jr.exports;(function(t){const e=Fe,{format:r,inspect:n}=Vn,{codes:{ERR_INVALID_ARG_TYPE:i}}=xe,{kResistStopPropagation:a,AggregateError:l,SymbolDispose:u}=oe,p=globalThis.AbortSignal||Ot().AbortSignal,_=globalThis.AbortController||Ot().AbortController,y=Object.getPrototypeOf(async function(){}).constructor,x=globalThis.Blob||e.Blob,I=typeof x<"u"?function(v){return v instanceof x}:function(v){return!1},S=(m,v)=>{if(m!==void 0&&(m===null||typeof m!="object"||!("aborted"in m)))throw new i(v,"AbortSignal",m)},R=(m,v)=>{if(typeof m!="function")throw new i(v,"Function",m)};t.exports={AggregateError:l,kEmptyObject:Object.freeze({}),once(m){let v=!1;return function(...$){v||(v=!0,m.apply(this,$))}},createDeferredPromise:function(){let m,v;return{promise:new Promise((B,T)=>{m=B,v=T}),resolve:m,reject:v}},promisify(m){return new Promise((v,$)=>{m((B,...T)=>B?$(B):v(...T))})},debuglog(){return function(){}},format:r,inspect:n,types:{isAsyncFunction(m){return m instanceof y},isArrayBufferView(m){return ArrayBuffer.isView(m)}},isBlob:I,deprecate(m,v){return m},addAbortListener:nr.addAbortListener||function(v,$){if(v===void 0)throw new i("signal","AbortSignal",v);S(v,"signal"),R($,"listener");let B;return v.aborted?queueMicrotask(()=>$()):(v.addEventListener("abort",$,{__proto__:null,once:!0,[a]:!0}),B=()=>{v.removeEventListener("abort",$)}),{__proto__:null,[u](){var T;(T=B)===null||T===void 0||T()}}},AbortSignalAny:p.any||function(v){if(v.length===1)return v[0];const $=new _,B=()=>$.abort();return v.forEach(T=>{S(T,"signals"),T.addEventListener("abort",B,{once:!0})}),$.signal.addEventListener("abort",()=>{v.forEach(T=>T.removeEventListener("abort",B))},{once:!0}),$.signal}},t.exports.promisify.custom=Symbol.for("nodejs.util.promisify.custom")})(Qn);var Se=Qn.exports,Lr={};const{ArrayIsArray:li,ArrayPrototypeIncludes:Fo,ArrayPrototypeJoin:ko,ArrayPrototypeMap:Co,NumberIsInteger:$r,NumberIsNaN:Ku,NumberMAX_SAFE_INTEGER:Oo,NumberMIN_SAFE_INTEGER:Mo,NumberParseInt:Yu,ObjectPrototypeHasOwnProperty:Do,RegExpPrototypeExec:Xu,String:Uo,StringPrototypeToUpperCase:Zu,StringPrototypeTrim:Ju}=oe,{hideStackFrames:Ne,codes:{ERR_SOCKET_BAD_PORT:ef,ERR_INVALID_ARG_TYPE:Pe,ERR_INVALID_ARG_VALUE:ui,ERR_OUT_OF_RANGE:It,ERR_UNKNOWN_SIGNAL:tf}}=xe,{normalizeEncoding:rf}=Se,{isAsyncFunction:Wo,isArrayBufferView:Go}=Se.types,zo=Ne((t,e,r=Mo,n=Oo)=>{if(typeof t!="number")throw new Pe(e,"number",t);if(!$r(t))throw new It(e,"an integer",t);if(t<r||t>n)throw new It(e,`>= ${r} && <= ${n}`,t)});Ne((t,e,r=-2147483648,n=2147483647)=>{if(typeof t!="number")throw new Pe(e,"number",t);if(!$r(t))throw new It(e,"an integer",t);if(t<r||t>n)throw new It(e,`>= ${r} && <= ${n}`,t)}),Ne((t,e,r=!1)=>{if(typeof t!="number")throw new Pe(e,"number",t);if(!$r(t))throw new It(e,"an integer",t);const n=r?1:0,i=4294967295;if(t<n||t>i)throw new It(e,`>= ${n} && <= ${i}`,t)}),Ne((t,e,r)=>{if(!Fo(r,t)){const i="must be one of: "+ko(Co(r,a=>typeof a=="string"?`'${a}'`:Uo(a)),", ");throw new ui(e,t,i)}});function qo(t,e){if(typeof t!="boolean")throw new Pe(e,"boolean",t)}function Br(t,e,r){return t==null||!Do(t,e)?r:t[e]}const Ho=Ne((t,e,r=null)=>{const n=Br(r,"allowArray",!1),i=Br(r,"allowFunction",!1);if(!Br(r,"nullable",!1)&&t===null||!n&&li(t)||typeof t!="object"&&(!i||typeof t!="function"))throw new Pe(e,"Object",t)});Ne((t,e)=>{if(t!=null&&typeof t!="object"&&typeof t!="function")throw new Pe(e,"a dictionary",t)}),Ne((t,e,r=0)=>{if(!li(t))throw new Pe(e,"Array",t);if(t.length<r){const n=`must be longer than ${r}`;throw new ui(e,t,n)}}),Ne((t,e="buffer")=>{if(!Go(t))throw new Pe(e,["Buffer","TypedArray","DataView"],t)});const Qo=Ne((t,e)=>{if(t!==void 0&&(t===null||typeof t!="object"||!("aborted"in t)))throw new Pe(e,"AbortSignal",t)}),Vo=Ne((t,e)=>{if(typeof t!="function")throw new Pe(e,"Function",t)});Ne((t,e)=>{if(typeof t!="function"||Wo(t))throw new Pe(e,"Function",t)}),Ne((t,e)=>{if(t!==void 0)throw new Pe(e,"undefined",t)});var Mt={validateBoolean:qo,validateFunction:Vo,validateInteger:zo,validateObject:Ho,validateAbortSignal:Qo},Fr={exports:{}},fi={exports:{}},de=fi.exports={},Ce,Oe;function kr(){throw new Error("setTimeout has not been defined")}function Cr(){throw new Error("clearTimeout has not been defined")}(function(){try{typeof setTimeout=="function"?Ce=setTimeout:Ce=kr}catch{Ce=kr}try{typeof clearTimeout=="function"?Oe=clearTimeout:Oe=Cr}catch{Oe=Cr}})();function ci(t){if(Ce===setTimeout)return setTimeout(t,0);if((Ce===kr||!Ce)&&setTimeout)return Ce=setTimeout,setTimeout(t,0);try{return Ce(t,0)}catch{try{return Ce.call(null,t,0)}catch{return Ce.call(this,t,0)}}}function Ko(t){if(Oe===clearTimeout)return clearTimeout(t);if((Oe===Cr||!Oe)&&clearTimeout)return Oe=clearTimeout,clearTimeout(t);try{return Oe(t)}catch{try{return Oe.call(null,t)}catch{return Oe.call(this,t)}}}var ze=[],Rt=!1,lt,ir=-1;function Yo(){!Rt||!lt||(Rt=!1,lt.length?ze=lt.concat(ze):ir=-1,ze.length&&di())}function di(){if(!Rt){var t=ci(Yo);Rt=!0;for(var e=ze.length;e;){for(lt=ze,ze=[];++ir<e;)lt&<[ir].run();ir=-1,e=ze.length}lt=null,Rt=!1,Ko(t)}}de.nextTick=function(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var r=1;r<arguments.length;r++)e[r-1]=arguments[r];ze.push(new hi(t,e)),ze.length===1&&!Rt&&ci(di)};function hi(t,e){this.fun=t,this.array=e}hi.prototype.run=function(){this.fun.apply(null,this.array)},de.title="browser",de.browser=!0,de.env={},de.argv=[],de.version="",de.versions={};function qe(){}de.on=qe,de.addListener=qe,de.once=qe,de.off=qe,de.removeListener=qe,de.removeAllListeners=qe,de.emit=qe,de.prependListener=qe,de.prependOnceListener=qe,de.listeners=function(t){return[]},de.binding=function(t){throw new Error("process.binding is not supported")},de.cwd=function(){return"/"},de.chdir=function(t){throw new Error("process.chdir is not supported")},de.umask=function(){return 0};var ut=fi.exports;const{SymbolAsyncIterator:pi,SymbolIterator:_i,SymbolFor:ft}=oe,bi=ft("nodejs.stream.destroyed"),Xo=ft("nodejs.stream.errored"),yi=ft("nodejs.stream.readable"),gi=ft("nodejs.stream.writable"),Zo=ft("nodejs.stream.disturbed"),Jo=ft("nodejs.webstream.isClosedPromise"),ea=ft("nodejs.webstream.controllerErrorFunction");function Or(t,e=!1){var r;return!!(t&&typeof t.pipe=="function"&&typeof t.on=="function"&&(!e||typeof t.pause=="function"&&typeof t.resume=="function")&&(!t._writableState||((r=t._readableState)===null||r===void 0?void 0:r.readable)!==!1)&&(!t._writableState||t._readableState))}function sr(t){var e;return!!(t&&typeof t.write=="function"&&typeof t.on=="function"&&(!t._readableState||((e=t._writableState)===null||e===void 0?void 0:e.writable)!==!1))}function ta(t){return!!(t&&typeof t.pipe=="function"&&t._readableState&&typeof t.on=="function"&&typeof t.write=="function")}function Me(t){return t&&(t._readableState||t._writableState||typeof t.write=="function"&&typeof t.on=="function"||typeof t.pipe=="function"&&typeof t.on=="function")}function wi(t){return!!(t&&!Me(t)&&typeof t.pipeThrough=="function"&&typeof t.getReader=="function"&&typeof t.cancel=="function")}function mi(t){return!!(t&&!Me(t)&&typeof t.getWriter=="function"&&typeof t.abort=="function")}function xi(t){return!!(t&&!Me(t)&&typeof t.readable=="object"&&typeof t.writable=="object")}function ra(t){return wi(t)||mi(t)||xi(t)}function na(t,e){return t==null?!1:e===!0?typeof t[pi]=="function":e===!1?typeof t[_i]=="function":typeof t[pi]=="function"||typeof t[_i]=="function"}function or(t){if(!Me(t))return null;const e=t._writableState,r=t._readableState,n=e||r;return!!(t.destroyed||t[bi]||n!=null&&n.destroyed)}function ia(t){if(!sr(t))return null;if(t.writableEnded===!0)return!0;const e=t._writableState;return e!=null&&e.errored?!1:typeof(e==null?void 0:e.ended)!="boolean"?null:e.ended}function sa(t,e){if(!sr(t))return null;if(t.writableFinished===!0)return!0;const r=t._writableState;return r!=null&&r.errored?!1:typeof(r==null?void 0:r.finished)!="boolean"?null:!!(r.finished||e===!1&&r.ended===!0&&r.length===0)}function Ei(t,e){if(!Or(t))return null;const r=t._readableState;return r!=null&&r.errored?!1:typeof(r==null?void 0:r.endEmitted)!="boolean"?null:!!(r.endEmitted||e===!1&&r.ended===!0&&r.length===0)}function Si(t){return t&&t[yi]!=null?t[yi]:typeof(t==null?void 0:t.readable)!="boolean"?null:or(t)?!1:Or(t)&&t.readable&&!Ei(t)}function Ii(t){return t&&t[gi]!=null?t[gi]:typeof(t==null?void 0:t.writable)!="boolean"?null:or(t)?!1:sr(t)&&t.writable&&!ia(t)}function oa(t,e){return Me(t)?or(t)?!0:!((e==null?void 0:e.readable)!==!1&&Si(t)||(e==null?void 0:e.writable)!==!1&&Ii(t)):null}function aa(t){var e,r;return Me(t)?t.writableErrored?t.writableErrored:(e=(r=t._writableState)===null||r===void 0?void 0:r.errored)!==null&&e!==void 0?e:null:null}function la(t){var e,r;return Me(t)?t.readableErrored?t.readableErrored:(e=(r=t._readableState)===null||r===void 0?void 0:r.errored)!==null&&e!==void 0?e:null:null}function ua(t){if(!Me(t))return null;if(typeof t.closed=="boolean")return t.closed;const e=t._writableState,r=t._readableState;return typeof(e==null?void 0:e.closed)=="boolean"||typeof(r==null?void 0:r.closed)=="boolean"?(e==null?void 0:e.closed)||(r==null?void 0:r.closed):typeof t._closed=="boolean"&&Ri(t)?t._closed:null}function Ri(t){return typeof t._closed=="boolean"&&typeof t._defaultKeepAlive=="boolean"&&typeof t._removedConnection=="boolean"&&typeof t._removedContLen=="boolean"}function fa(t){return typeof t._sent100=="boolean"&&Ri(t)}function ca(t){var e;return typeof t._consuming=="boolean"&&typeof t._dumped=="boolean"&&((e=t.req)===null||e===void 0?void 0:e.upgradeOrConnect)===void 0}function da(t){if(!Me(t))return null;const e=t._writableState,r=t._readableState,n=e||r;return!n&&fa(t)||!!(n&&n.autoDestroy&&n.emitClose&&n.closed===!1)}function ha(t){var e;return!!(t&&((e=t[Zo])!==null&&e!==void 0?e:t.readableDidRead||t.readableAborted))}function pa(t){var e,r,n,i,a,l,u,p,_,y;return!!(t&&((e=(r=(n=(i=(a=(l=t[Xo])!==null&&l!==void 0?l:t.readableErrored)!==null&&a!==void 0?a:t.writableErrored)!==null&&i!==void 0?i:(u=t._readableState)===null||u===void 0?void 0:u.errorEmitted)!==null&&n!==void 0?n:(p=t._writableState)===null||p===void 0?void 0:p.errorEmitted)!==null&&r!==void 0?r:(_=t._readableState)===null||_===void 0?void 0:_.errored)!==null&&e!==void 0?e:!((y=t._writableState)===null||y===void 0)&&y.errored))}var He={isDestroyed:or,kIsDestroyed:bi,isDisturbed:ha,isErrored:pa,isReadable:Si,kIsClosedPromise:Jo,kControllerErrorFunction:ea,isClosed:ua,isDuplexNodeStream:ta,isFinished:oa,isIterable:na,isReadableNodeStream:Or,isReadableStream:wi,isReadableFinished:Ei,isReadableErrored:la,isNodeStream:Me,isWebStream:ra,isWritable:Ii,isWritableNodeStream:sr,isWritableStream:mi,isWritableFinished:sa,isWritableErrored:aa,isServerRequest:ca,willEmitClose:da,isTransformStream:xi};const Ze=ut,{AbortError:Ai,codes:_a}=xe,{ERR_INVALID_ARG_TYPE:ba,ERR_STREAM_PREMATURE_CLOSE:Ti}=_a,{kEmptyObject:Mr,once:Dr}=Se,{validateAbortSignal:ya,validateFunction:ga,validateObject:wa,validateBoolean:ma}=Mt,{Promise:xa,PromisePrototypeThen:Ea,SymbolDispose:vi}=oe,{isClosed:Sa,isReadable:Ni,isReadableNodeStream:Ur,isReadableStream:Ia,isReadableFinished:Pi,isReadableErrored:ji,isWritable:Li,isWritableNodeStream:$i,isWritableStream:Ra,isWritableFinished:Bi,isWritableErrored:Fi,isNodeStream:Aa,willEmitClose:Ta,kIsClosedPromise:va}=He;let At;function Na(t){return t.setHeader&&typeof t.abort=="function"}const Wr=()=>{};function ki(t,e,r){var n,i;if(arguments.length===2?(r=e,e=Mr):e==null?e=Mr:wa(e,"options"),ga(r,"callback"),ya(e.signal,"options.signal"),r=Dr(r),Ia(t)||Ra(t))return Pa(t,e,r);if(!Aa(t))throw new ba("stream",["ReadableStream","WritableStream","Stream"],t);const a=(n=e.readable)!==null&&n!==void 0?n:Ur(t),l=(i=e.writable)!==null&&i!==void 0?i:$i(t),u=t._writableState,p=t._readableState,_=()=>{t.writable||I()};let y=Ta(t)&&Ur(t)===a&&$i(t)===l,x=Bi(t,!1);const I=()=>{x=!0,t.destroyed&&(y=!1),!(y&&(!t.readable||a))&&(!a||S)&&r.call(t)};let S=Pi(t,!1);const R=()=>{S=!0,t.destroyed&&(y=!1),!(y&&(!t.writable||l))&&(!l||x)&&r.call(t)},m=U=>{r.call(t,U)};let v=Sa(t);const $=()=>{v=!0;const U=Fi(t)||ji(t);if(U&&typeof U!="boolean")return r.call(t,U);if(a&&!S&&Ur(t,!0)&&!Pi(t,!1))return r.call(t,new Ti);if(l&&!x&&!Bi(t,!1))return r.call(t,new Ti);r.call(t)},B=()=>{v=!0;const U=Fi(t)||ji(t);if(U&&typeof U!="boolean")return r.call(t,U);r.call(t)},T=()=>{t.req.on("finish",I)};Na(t)?(t.on("complete",I),y||t.on("abort",$),t.req?T():t.on("request",T)):l&&!u&&(t.on("end",_),t.on("close",_)),!y&&typeof t.aborted=="boolean"&&t.on("aborted",$),t.on("end",R),t.on("finish",I),e.error!==!1&&t.on("error",m),t.on("close",$),v?Ze.nextTick($):u!=null&&u.errorEmitted||p!=null&&p.errorEmitted?y||Ze.nextTick(B):(!a&&(!y||Ni(t))&&(x||Li(t)===!1)||!l&&(!y||Li(t))&&(S||Ni(t)===!1)||p&&t.req&&t.aborted)&&Ze.nextTick(B);const q=()=>{r=Wr,t.removeListener("aborted",$),t.removeListener("complete",I),t.removeListener("abort",$),t.removeListener("request",T),t.req&&t.req.removeListener("finish",I),t.removeListener("end",_),t.removeListener("close",_),t.removeListener("finish",I),t.removeListener("end",R),t.removeListener("error",m),t.removeListener("close",$)};if(e.signal&&!v){const U=()=>{const ae=r;q(),ae.call(t,new Ai(void 0,{cause:e.signal.reason}))};if(e.signal.aborted)Ze.nextTick(U);else{At=At||Se.addAbortListener;const ae=At(e.signal,U),Ee=r;r=Dr((...ee)=>{ae[vi](),Ee.apply(t,ee)})}}return q}function Pa(t,e,r){let n=!1,i=Wr;if(e.signal)if(i=()=>{n=!0,r.call(t,new Ai(void 0,{cause:e.signal.reason}))},e.signal.aborted)Ze.nextTick(i);else{At=At||Se.addAbortListener;const l=At(e.signal,i),u=r;r=Dr((...p)=>{l[vi](),u.apply(t,p)})}const a=(...l)=>{n||Ze.nextTick(()=>r.apply(t,l))};return Ea(t[va].promise,a,a),Wr}function ja(t,e){var r;let n=!1;return e===null&&(e=Mr),(r=e)!==null&&r!==void 0&&r.cleanup&&(ma(e.cleanup,"cleanup"),n=e.cleanup),new xa((i,a)=>{const l=ki(t,e,u=>{n&&l(),u?a(u):i()})})}Fr.exports=ki,Fr.exports.finished=ja;var Je=Fr.exports;const De=ut,{aggregateTwoErrors:La,codes:{ERR_MULTIPLE_CALLBACK:$a},AbortError:Ba}=xe,{Symbol:Ci}=oe,{kIsDestroyed:Fa,isDestroyed:ka,isFinished:Ca,isServerRequest:Oa}=He,Oi=Ci("kDestroy"),Gr=Ci("kConstruct");function Mi(t,e,r){t&&(t.stack,e&&!e.errored&&(e.errored=t),r&&!r.errored&&(r.errored=t))}function Ma(t,e){const r=this._readableState,n=this._writableState,i=n||r;return n!=null&&n.destroyed||r!=null&&r.destroyed?(typeof e=="function"&&e(),this):(Mi(t,n,r),n&&(n.destroyed=!0),r&&(r.destroyed=!0),i.constructed?Di(this,t,e):this.once(Oi,function(a){Di(this,La(a,t),e)}),this)}function Di(t,e,r){let n=!1;function i(a){if(n)return;n=!0;const l=t._readableState,u=t._writableState;Mi(a,u,l),u&&(u.closed=!0),l&&(l.closed=!0),typeof r=="function"&&r(a),a?De.nextTick(Da,t,a):De.nextTick(Ui,t)}try{t._destroy(e||null,i)}catch(a){i(a)}}function Da(t,e){zr(t,e),Ui(t)}function Ui(t){const e=t._readableState,r=t._writableState;r&&(r.closeEmitted=!0),e&&(e.closeEmitted=!0),(r!=null&&r.emitClose||e!=null&&e.emitClose)&&t.emit("close")}function zr(t,e){const r=t._readableState,n=t._writableState;n!=null&&n.errorEmitted||r!=null&&r.errorEmitted||(n&&(n.errorEmitted=!0),r&&(r.errorEmitted=!0),t.emit("error",e))}function Ua(){const t=this._readableState,e=this._writableState;t&&(t.constructed=!0,t.closed=!1,t.closeEmitted=!1,t.destroyed=!1,t.errored=null,t.errorEmitted=!1,t.reading=!1,t.ended=t.readable===!1,t.endEmitted=t.readable===!1),e&&(e.constructed=!0,e.destroyed=!1,e.closed=!1,e.closeEmitted=!1,e.errored=null,e.errorEmitted=!1,e.finalCalled=!1,e.prefinished=!1,e.ended=e.writable===!1,e.ending=e.writable===!1,e.finished=e.writable===!1)}function qr(t,e,r){const n=t._readableState,i=t._writableState;if(i!=null&&i.destroyed||n!=null&&n.destroyed)return this;n!=null&&n.autoDestroy||i!=null&&i.autoDestroy?t.destroy(e):e&&(e.stack,i&&!i.errored&&(i.errored=e),n&&!n.errored&&(n.errored=e),r?De.nextTick(zr,t,e):zr(t,e))}function Wa(t,e){if(typeof t._construct!="function")return;const r=t._readableState,n=t._writableState;r&&(r.constructed=!1),n&&(n.constructed=!1),t.once(Gr,e),!(t.listenerCount(Gr)>1)&&De.nextTick(Ga,t)}function Ga(t){let e=!1;function r(n){if(e){qr(t,n??new $a);return}e=!0;const i=t._readableState,a=t._writableState,l=a||i;i&&(i.constructed=!0),a&&(a.constructed=!0),l.destroyed?t.emit(Oi,n):n?qr(t,n,!0):De.nextTick(za,t)}try{t._construct(n=>{De.nextTick(r,n)})}catch(n){De.nextTick(r,n)}}function za(t){t.emit(Gr)}function Wi(t){return(t==null?void 0:t.setHeader)&&typeof t.abort=="function"}function Gi(t){t.emit("close")}function qa(t,e){t.emit("error",e),De.nextTick(Gi,t)}function Ha(t,e){!t||ka(t)||(!e&&!Ca(t)&&(e=new Ba),Oa(t)?(t.socket=null,t.destroy(e)):Wi(t)?t.abort():Wi(t.req)?t.req.abort():typeof t.destroy=="function"?t.destroy(e):typeof t.close=="function"?t.close():e?De.nextTick(qa,t,e):De.nextTick(Gi,t),t.destroyed||(t[Fa]=!0))}var Tt={construct:Wa,destroyer:Ha,destroy:Ma,undestroy:Ua,errorOrDestroy:qr};const{ArrayIsArray:Qa,ObjectSetPrototypeOf:zi}=oe,{EventEmitter:ar}=nr;function lr(t){ar.call(this,t)}zi(lr.prototype,ar.prototype),zi(lr,ar),lr.prototype.pipe=function(t,e){const r=this;function n(y){t.writable&&t.write(y)===!1&&r.pause&&r.pause()}r.on("data",n);function i(){r.readable&&r.resume&&r.resume()}t.on("drain",i),!t._isStdio&&(!e||e.end!==!1)&&(r.on("end",l),r.on("close",u));let a=!1;function l(){a||(a=!0,t.end())}function u(){a||(a=!0,typeof t.destroy=="function"&&t.destroy())}function p(y){_(),ar.listenerCount(this,"error")===0&&this.emit("error",y)}Hr(r,"error",p),Hr(t,"error",p);function _(){r.removeListener("data",n),t.removeListener("drain",i),r.removeListener("end",l),r.removeListener("close",u),r.removeListener("error",p),t.removeListener("error",p),r.removeListener("end",_),r.removeListener("close",_),t.removeListener("close",_)}return r.on("end",_),r.on("close",_),t.on("close",_),t.emit("pipe",r),t};function Hr(t,e,r){if(typeof t.prependListener=="function")return t.prependListener(e,r);!t._events||!t._events[e]?t.on(e,r):Qa(t._events[e])?t._events[e].unshift(r):t._events[e]=[r,t._events[e]]}var Qr={Stream:lr,prependListener:Hr},qi={exports:{}};(function(t){const{SymbolDispose:e}=oe,{AbortError:r,codes:n}=xe,{isNodeStream:i,isWebStream:a,kControllerErrorFunction:l}=He,u=Je,{ERR_INVALID_ARG_TYPE:p}=n;let _;const y=(x,I)=>{if(typeof x!="object"||!("aborted"in x))throw new p(I,"AbortSignal",x)};t.exports.addAbortSignal=function(I,S){if(y(I,"signal"),!i(S)&&!a(S))throw new p("stream",["ReadableStream","WritableStream","Stream"],S);return t.exports.addAbortSignalNoValidate(I,S)},t.exports.addAbortSignalNoValidate=function(x,I){if(typeof x!="object"||!("aborted"in x))return I;const S=i(I)?()=>{I.destroy(new r(void 0,{cause:x.reason}))}:()=>{I[l](new r(void 0,{cause:x.reason}))};if(x.aborted)S();else{_=_||Se.addAbortListener;const R=_(x,S);u(I,R[e])}return I}})(qi);var ur=qi.exports;const{StringPrototypeSlice:Hi,SymbolIterator:Va,TypedArrayPrototypeSet:fr,Uint8Array:Ka}=oe,{Buffer:Vr}=Fe,{inspect:Ya}=Se;var Xa=class{constructor(){this.head=null,this.tail=null,this.length=0}push(e){const r={data:e,next:null};this.length>0?this.tail.next=r:this.head=r,this.tail=r,++this.length}unshift(e){const r={data:e,next:this.head};this.length===0&&(this.tail=r),this.head=r,++this.length}shift(){if(this.length===0)return;const e=this.head.data;return this.length===1?this.head=this.tail=null:this.head=this.head.next,--this.length,e}clear(){this.head=this.tail=null,this.length=0}join(e){if(this.length===0)return"";let r=this.head,n=""+r.data;for(;(r=r.next)!==null;)n+=e+r.data;return n}concat(e){if(this.length===0)return Vr.alloc(0);const r=Vr.allocUnsafe(e>>>0);let n=this.head,i=0;for(;n;)fr(r,n.data,i),i+=n.data.length,n=n.next;return r}consume(e,r){const n=this.head.data;if(e<n.length){const i=n.slice(0,e);return this.head.data=n.slice(e),i}return e===n.length?this.shift():r?this._getString(e):this._getBuffer(e)}first(){return this.head.data}*[Va](){for(let e=this.head;e;e=e.next)yield e.data}_getString(e){let r="",n=this.head,i=0;do{const a=n.data;if(e>a.length)r+=a,e-=a.length;else{e===a.length?(r+=a,++i,n.next?this.head=n.next:this.head=this.tail=null):(r+=Hi(a,0,e),this.head=n,n.data=Hi(a,e));break}++i}while((n=n.next)!==null);return this.length-=i,r}_getBuffer(e){const r=Vr.allocUnsafe(e),n=e;let i=this.head,a=0;do{const l=i.data;if(e>l.length)fr(r,l,n-e),e-=l.length;else{e===l.length?(fr(r,l,n-e),++a,i.next?this.head=i.next:this.head=this.tail=null):(fr(r,new Ka(l.buffer,l.byteOffset,e),n-e),this.head=i,i.data=l.slice(e));break}++a}while((i=i.next)!==null);return this.length-=a,r}[Symbol.for("nodejs.util.inspect.custom")](e,r){return Ya(this,{...r,depth:0,customInspect:!1})}};const{MathFloor:Za,NumberIsInteger:Ja}=oe,{validateInteger:el}=Mt,{ERR_INVALID_ARG_VALUE:tl}=xe.codes;let Qi=16*1024,Vi=16;function rl(t,e,r){return t.highWaterMark!=null?t.highWaterMark:e?t[r]:null}function Ki(t){return t?Vi:Qi}function nl(t,e){el(e,"value",0),t?Vi=e:Qi=e}function il(t,e,r,n){const i=rl(e,n,r);if(i!=null){if(!Ja(i)||i<0){const a=n?`options.${r}`:"options.highWaterMark";throw new tl(a,i)}return Za(i)}return Ki(t.objectMode)}var cr={getHighWaterMark:il,getDefaultHighWaterMark:Ki,setDefaultHighWaterMark:nl},Yi={},Kr={exports:{}};/*! safe-buffer. MIT License. Feross Aboukhadijeh <https://feross.org/opensource> */(function(t,e){var r=Fe,n=r.Buffer;function i(l,u){for(var p in l)u[p]=l[p]}n.from&&n.alloc&&n.allocUnsafe&&n.allocUnsafeSlow?t.exports=r:(i(r,e),e.Buffer=a);function a(l,u,p){return n(l,u,p)}a.prototype=Object.create(n.prototype),i(n,a),a.from=function(l,u,p){if(typeof l=="number")throw new TypeError("Argument must not be a number");return n(l,u,p)},a.alloc=function(l,u,p){if(typeof l!="number")throw new TypeError("Argument must be a number");var _=n(l);return u!==void 0?typeof p=="string"?_.fill(u,p):_.fill(u):_.fill(0),_},a.allocUnsafe=function(l){if(typeof l!="number")throw new TypeError("Argument must be a number");return n(l)},a.allocUnsafeSlow=function(l){if(typeof l!="number")throw new TypeError("Argument must be a number");return r.SlowBuffer(l)}})(Kr,Kr.exports);var sl=Kr.exports,Yr=sl.Buffer,Xi=Yr.isEncoding||function(t){switch(t=""+t,t&&t.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!0;default:return!1}};function ol(t){if(!t)return"utf8";for(var e;;)switch(t){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 t;default:if(e)return;t=(""+t).toLowerCase(),e=!0}}function al(t){var e=ol(t);if(typeof e!="string"&&(Yr.isEncoding===Xi||!Xi(t)))throw new Error("Unknown encoding: "+t);return e||t}Yi.StringDecoder=Dt;function Dt(t){this.encoding=al(t);var e;switch(this.encoding){case"utf16le":this.text=hl,this.end=pl,e=4;break;case"utf8":this.fillLast=fl,e=4;break;case"base64":this.text=_l,this.end=bl,e=3;break;default:this.write=yl,this.end=gl;return}this.lastNeed=0,this.lastTotal=0,this.lastChar=Yr.allocUnsafe(e)}Dt.prototype.write=function(t){if(t.length===0)return"";var e,r;if(this.lastNeed){if(e=this.fillLast(t),e===void 0)return"";r=this.lastNeed,this.lastNeed=0}else r=0;return r<t.length?e?e+this.text(t,r):this.text(t,r):e||""},Dt.prototype.end=dl,Dt.prototype.text=cl,Dt.prototype.fillLast=function(t){if(this.lastNeed<=t.length)return t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal);t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,t.length),this.lastNeed-=t.length};function Xr(t){return t<=127?0:t>>5===6?2:t>>4===14?3:t>>3===30?4:t>>6===2?-1:-2}function ll(t,e,r){var n=e.length-1;if(n<r)return 0;var i=Xr(e[n]);return i>=0?(i>0&&(t.lastNeed=i-1),i):--n<r||i===-2?0:(i=Xr(e[n]),i>=0?(i>0&&(t.lastNeed=i-2),i):--n<r||i===-2?0:(i=Xr(e[n]),i>=0?(i>0&&(i===2?i=0:t.lastNeed=i-3),i):0))}function ul(t,e,r){if((e[0]&192)!==128)return t.lastNeed=0,"�";if(t.lastNeed>1&&e.length>1){if((e[1]&192)!==128)return t.lastNeed=1,"�";if(t.lastNeed>2&&e.length>2&&(e[2]&192)!==128)return t.lastNeed=2,"�"}}function fl(t){var e=this.lastTotal-this.lastNeed,r=ul(this,t);if(r!==void 0)return r;if(this.lastNeed<=t.length)return t.copy(this.lastChar,e,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal);t.copy(this.lastChar,e,0,t.length),this.lastNeed-=t.length}function cl(t,e){var r=ll(this,t,e);if(!this.lastNeed)return t.toString("utf8",e);this.lastTotal=r;var n=t.length-(r-this.lastNeed);return t.copy(this.lastChar,0,n),t.toString("utf8",e,n)}function dl(t){var e=t&&t.length?this.write(t):"";return this.lastNeed?e+"�":e}function hl(t,e){if((t.length-e)%2===0){var r=t.toString("utf16le",e);if(r){var n=r.charCodeAt(r.length-1);if(n>=55296&&n<=56319)return this.lastNeed=2,this.lastTotal=4,this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1],r.slice(0,-1)}return r}return this.lastNeed=1,this.lastTotal=2,this.lastChar[0]=t[t.length-1],t.toString("utf16le",e,t.length-1)}function pl(t){var e=t&&t.length?this.write(t):"";if(this.lastNeed){var r=this.lastTotal-this.lastNeed;return e+this.lastChar.toString("utf16le",0,r)}return e}function _l(t,e){var r=(t.length-e)%3;return r===0?t.toString("base64",e):(this.lastNeed=3-r,this.lastTotal=3,r===1?this.lastChar[0]=t[t.length-1]:(this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1]),t.toString("base64",e,t.length-r))}function bl(t){var e=t&&t.length?this.write(t):"";return this.lastNeed?e+this.lastChar.toString("base64",0,3-this.lastNeed):e}function yl(t){return t.toString(this.encoding)}function gl(t){return t&&t.length?this.write(t):""}const Zi=ut,{PromisePrototypeThen:wl,SymbolAsyncIterator:Ji,SymbolIterator:es}=oe,{Buffer:ml}=Fe,{ERR_INVALID_ARG_TYPE:xl,ERR_STREAM_NULL_VALUES:El}=xe.codes;function Sl(t,e,r){let n;if(typeof e=="string"||e instanceof ml)return new t({objectMode:!0,...r,read(){this.push(e),this.push(null)}});let i;if(e&&e[Ji])i=!0,n=e[Ji]();else if(e&&e[es])i=!1,n=e[es]();else throw new xl("iterable",["Iterable"],e);const a=new t({objectMode:!0,highWaterMark:1,...r});let l=!1;a._read=function(){l||(l=!0,p())},a._destroy=function(_,y){wl(u(_),()=>Zi.nextTick(y,_),x=>Zi.nextTick(y,x||_))};async function u(_){const y=_!=null,x=typeof n.throw=="function";if(y&&x){const{value:I,done:S}=await n.throw(_);if(await I,S)return}if(typeof n.return=="function"){const{value:I}=await n.return();await I}}async function p(){for(;;){try{const{value:_,done:y}=i?await n.next():n.next();if(y)a.push(null);else{const x=_&&typeof _.then=="function"?await _:_;if(x===null)throw l=!1,new El;if(a.push(x))continue;l=!1}}catch(_){a.destroy(_)}break}}return a}var ts=Sl,Zr,rs;function dr(){if(rs)return Zr;rs=1;const t=ut,{ArrayPrototypeIndexOf:e,NumberIsInteger:r,NumberIsNaN:n,NumberParseInt:i,ObjectDefineProperties:a,ObjectKeys:l,ObjectSetPrototypeOf:u,Promise:p,SafeSet:_,SymbolAsyncDispose:y,SymbolAsyncIterator:x,Symbol:I}=oe;Zr=O,O.ReadableState=Re;const{EventEmitter:S}=nr,{Stream:R,prependListener:m}=Qr,{Buffer:v}=Fe,{addAbortSignal:$}=ur,B=Je;let T=Se.debuglog("stream",c=>{T=c});const q=Xa,U=Tt,{getHighWaterMark:ae,getDefaultHighWaterMark:Ee}=cr,{aggregateTwoErrors:ee,codes:{ERR_INVALID_ARG_TYPE:le,ERR_METHOD_NOT_IMPLEMENTED:ge,ERR_OUT_OF_RANGE:we,ERR_STREAM_PUSH_AFTER_EOF:Q,ERR_STREAM_UNSHIFT_AFTER_END_EVENT:P},AbortError:K}=xe,{validateObject:G}=Mt,H=I("kPaused"),{StringDecoder:ue}=Yi,fe=ts;u(O.prototype,R.prototype),u(O,R);const re=()=>{},{errorOrDestroy:ce}=U,D=1,ne=2,M=4,he=8,Te=16,tt=32,Ke=64,je=128,Ye=256,Pt=512,_t=1024,rt=2048,g=4096,w=8192,N=16384,C=32768,F=65536,Z=1<<17,te=1<<18;function Y(c){return{enumerable:!1,get(){return(this.state&c)!==0},set(h){h?this.state|=c:this.state&=~c}}}a(Re.prototype,{objectMode:Y(D),ended:Y(ne),endEmitted:Y(M),reading:Y(he),constructed:Y(Te),sync:Y(tt),needReadable:Y(Ke),emittedReadable:Y(je),readableListening:Y(Ye),resumeScheduled:Y(Pt),errorEmitted:Y(_t),emitClose:Y(rt),autoDestroy:Y(g),destroyed:Y(w),closed:Y(N),closeEmitted:Y(C),multiAwaitDrain:Y(F),readingMore:Y(Z),dataEmitted:Y(te)});function Re(c,h,j){typeof j!="boolean"&&(j=h instanceof Qe()),this.state=rt|g|Te|tt,c&&c.objectMode&&(this.state|=D),j&&c&&c.readableObjectMode&&(this.state|=D),this.highWaterMark=c?ae(this,c,"readableHighWaterMark",j):Ee(!1),this.buffer=new q,this.length=0,this.pipes=[],this.flowing=null,this[H]=null,c&&c.emitClose===!1&&(this.state&=-2049),c&&c.autoDestroy===!1&&(this.state&=-4097),this.errored=null,this.defaultEncoding=c&&c.defaultEncoding||"utf8",this.awaitDrainWriters=null,this.decoder=null,this.encoding=null,c&&c.encoding&&(this.decoder=new ue(c.encoding),this.encoding=c.encoding)}function O(c){if(!(this instanceof O))return new O(c);const h=this instanceof Qe();this._readableState=new Re(c,this,h),c&&(typeof c.read=="function"&&(this._read=c.read),typeof c.destroy=="function"&&(this._destroy=c.destroy),typeof c.construct=="function"&&(this._construct=c.construct),c.signal&&!h&&$(c.signal,this)),R.call(this,c),U.construct(this,()=>{this._readableState.needReadable&&b(this,this._readableState)})}O.prototype.destroy=U.destroy,O.prototype._undestroy=U.undestroy,O.prototype._destroy=function(c,h){h(c)},O.prototype[S.captureRejectionSymbol]=function(c){this.destroy(c)},O.prototype[y]=function(){let c;return this.destroyed||(c=this.readableEnded?null:new K,this.destroy(c)),new p((h,j)=>B(this,L=>L&&L!==c?j(L):h(null)))},O.prototype.push=function(c,h){return Le(this,c,h,!1)},O.prototype.unshift=function(c,h){return Le(this,c,h,!0)};function Le(c,h,j,L){T("readableAddChunk",h);const k=c._readableState;let me;if(k.state&D||(typeof h=="string"?(j=j||k.defaultEncoding,k.encoding!==j&&(L&&k.encoding?h=v.from(h,j).toString(k.encoding):(h=v.from(h,j),j=""))):h instanceof v?j="":R._isUint8Array(h)?(h=R._uint8ArrayToBuffer(h),j=""):h!=null&&(me=new le("chunk",["string","Buffer","Uint8Array"],h))),me)ce(c,me);else if(h===null)k.state&=-9,s(c,k);else if(k.state&D||h&&h.length>0)if(L)if(k.state&M)ce(c,new P);else{if(k.destroyed||k.errored)return!1;Qt(c,k,h,!0)}else if(k.ended)ce(c,new Q);else{if(k.destroyed||k.errored)return!1;k.state&=-9,k.decoder&&!j?(h=k.decoder.write(h),k.objectMode||h.length!==0?Qt(c,k,h,!1):b(c,k)):Qt(c,k,h,!1)}else L||(k.state&=-9,b(c,k));return!k.ended&&(k.length<k.highWaterMark||k.length===0)}function Qt(c,h,j,L){h.flowing&&h.length===0&&!h.sync&&c.listenerCount("data")>0?(h.state&F?h.awaitDrainWriters.clear():h.awaitDrainWriters=null,h.dataEmitted=!0,c.emit("data",j)):(h.length+=h.objectMode?1:j.length,L?h.buffer.unshift(j):h.buffer.push(j),h.state&Ke&&o(c)),b(c,h)}O.prototype.isPaused=function(){const c=this._readableState;return c[H]===!0||c.flowing===!1},O.prototype.setEncoding=function(c){const h=new ue(c);this._readableState.decoder=h,this._readableState.encoding=this._readableState.decoder.encoding;const j=this._readableState.buffer;let L="";for(const k of j)L+=h.write(k);return j.clear(),L!==""&&j.push(L),this._readableState.length=L.length,this};const Ge=1073741824;function En(c){if(c>Ge)throw new we("size","<= 1GiB",c);return c--,c|=c>>>1,c|=c>>>2,c|=c>>>4,c|=c>>>8,c|=c>>>16,c++,c}function f(c,h){return c<=0||h.length===0&&h.ended?0:h.state&D?1:n(c)?h.flowing&&h.length?h.buffer.first().length:h.length:c<=h.length?c:h.ended?h.length:0}O.prototype.read=function(c){T("read",c),c===void 0?c=NaN:r(c)||(c=i(c,10));const h=this._readableState,j=c;if(c>h.highWaterMark&&(h.highWaterMark=En(c)),c!==0&&(h.state&=-129),c===0&&h.needReadable&&((h.highWaterMark!==0?h.length>=h.highWaterMark:h.length>0)||h.ended))return T("read: emitReadable",h.length,h.ended),h.length===0&&h.ended?Sn(this):o(this),null;if(c=f(c,h),c===0&&h.ended)return h.length===0&&Sn(this),null;let L=(h.state&Ke)!==0;if(T("need readable",L),(h.length===0||h.length-c<h.highWaterMark)&&(L=!0,T("length less than watermark",L)),h.ended||h.reading||h.destroyed||h.errored||!h.constructed)L=!1,T("reading, ended or constructing",L);else if(L){T("do read"),h.state|=he|tt,h.length===0&&(h.state|=Ke);try{this._read(h.highWaterMark)}catch(me){ce(this,me)}h.state&=-33,h.reading||(c=f(j,h))}let k;return c>0?k=Us(c,h):k=null,k===null?(h.needReadable=h.length<=h.highWaterMark,c=0):(h.length-=c,h.multiAwaitDrain?h.awaitDrainWriters.clear():h.awaitDrainWriters=null),h.length===0&&(h.ended||(h.needReadable=!0),j!==c&&h.ended&&Sn(this)),k!==null&&!h.errorEmitted&&!h.closeEmitted&&(h.dataEmitted=!0,this.emit("data",k)),k};function s(c,h){if(T("onEofChunk"),!h.ended){if(h.decoder){const j=h.decoder.end();j&&j.length&&(h.buffer.push(j),h.length+=h.objectMode?1:j.length)}h.ended=!0,h.sync?o(c):(h.needReadable=!1,h.emittedReadable=!0,d(c))}}function o(c){const h=c._readableState;T("emitReadable",h.needReadable,h.emittedReadable),h.needReadable=!1,h.emittedReadable||(T("emitReadable",h.flowing),h.emittedReadable=!0,t.nextTick(d,c))}function d(c){const h=c._readableState;T("emitReadable_",h.destroyed,h.length,h.ended),!h.destroyed&&!h.errored&&(h.length||h.ended)&&(c.emit("readable"),h.emittedReadable=!1),h.needReadable=!h.flowing&&!h.ended&&h.length<=h.highWaterMark,V(c)}function b(c,h){!h.readingMore&&h.constructed&&(h.readingMore=!0,t.nextTick(E,c,h))}function E(c,h){for(;!h.reading&&!h.ended&&(h.length<h.highWaterMark||h.flowing&&h.length===0);){const j=h.length;if(T("maybeReadMore read 0"),c.read(0),j===h.length)break}h.readingMore=!1}O.prototype._read=function(c){throw new ge("_read()")},O.prototype.pipe=function(c,h){const j=this,L=this._readableState;L.pipes.length===1&&(L.multiAwaitDrain||(L.multiAwaitDrain=!0,L.awaitDrainWriters=new _(L.awaitDrainWriters?[L.awaitDrainWriters]:[]))),L.pipes.push(c),T("pipe count=%d opts=%j",L.pipes.length,h);const me=(!h||h.end!==!1)&&c!==t.stdout&&c!==t.stderr?Gs:Vt;L.endEmitted?t.nextTick(me):j.once("end",me),c.on("unpipe",$e);function $e(yt,Xe){T("onunpipe"),yt===j&&Xe&&Xe.hasUnpiped===!1&&(Xe.hasUnpiped=!0,qu())}function Gs(){T("onend"),c.end()}let bt,zs=!1;function qu(){T("cleanup"),c.removeListener("close",An),c.removeListener("finish",Tn),bt&&c.removeListener("drain",bt),c.removeListener("error",Rn),c.removeListener("unpipe",$e),j.removeListener("end",Gs),j.removeListener("end",Vt),j.removeListener("data",Hs),zs=!0,bt&&L.awaitDrainWriters&&(!c._writableState||c._writableState.needDrain)&&bt()}function qs(){zs||(L.pipes.length===1&&L.pipes[0]===c?(T("false write response, pause",0),L.awaitDrainWriters=c,L.multiAwaitDrain=!1):L.pipes.length>1&&L.pipes.includes(c)&&(T("false write response, pause",L.awaitDrainWriters.size),L.awaitDrainWriters.add(c)),j.pause()),bt||(bt=A(j,c),c.on("drain",bt))}j.on("data",Hs);function Hs(yt){T("ondata");const Xe=c.write(yt);T("dest.write",Xe),Xe===!1&&qs()}function Rn(yt){if(T("onerror",yt),Vt(),c.removeListener("error",Rn),c.listenerCount("error")===0){const Xe=c._writableState||c._readableState;Xe&&!Xe.errorEmitted?ce(c,yt):c.emit("error",yt)}}m(c,"error",Rn);function An(){c.removeListener("finish",Tn),Vt()}c.once("close",An);function Tn(){T("onfinish"),c.removeListener("close",An),Vt()}c.once("finish",Tn);function Vt(){T("unpipe"),j.unpipe(c)}return c.emit("pipe",j),c.writableNeedDrain===!0?qs():L.flowing||(T("pipe resume"),j.resume()),c};function A(c,h){return function(){const L=c._readableState;L.awaitDrainWriters===h?(T("pipeOnDrain",1),L.awaitDrainWriters=null):L.multiAwaitDrain&&(T("pipeOnDrain",L.awaitDrainWriters.size),L.awaitDrainWriters.delete(h)),(!L.awaitDrainWriters||L.awaitDrainWriters.size===0)&&c.listenerCount("data")&&c.resume()}}O.prototype.unpipe=function(c){const h=this._readableState,j={hasUnpiped:!1};if(h.pipes.length===0)return this;if(!c){const k=h.pipes;h.pipes=[],this.pause();for(let me=0;me<k.length;me++)k[me].emit("unpipe",this,{hasUnpiped:!1});return this}const L=e(h.pipes,c);return L===-1?this:(h.pipes.splice(L,1),h.pipes.length===0&&this.pause(),c.emit("unpipe",this,j),this)},O.prototype.on=function(c,h){const j=R.prototype.on.call(this,c,h),L=this._readableState;return c==="data"?(L.readableListening=this.listenerCount("readable")>0,L.flowing!==!1&&this.resume()):c==="readable"&&!L.endEmitted&&!L.readableListening&&(L.readableListening=L.needReadable=!0,L.flowing=!1,L.emittedReadable=!1,T("on readable",L.length,L.reading),L.length?o(this):L.reading||t.nextTick(ie,this)),j},O.prototype.addListener=O.prototype.on,O.prototype.removeListener=function(c,h){const j=R.prototype.removeListener.call(this,c,h);return c==="readable"&&t.nextTick(W,this),j},O.prototype.off=O.prototype.removeListener,O.prototype.removeAllListeners=function(c){const h=R.prototype.removeAllListeners.apply(this,arguments);return(c==="readable"||c===void 0)&&t.nextTick(W,this),h};function W(c){const h=c._readableState;h.readableListening=c.listenerCount("readable")>0,h.resumeScheduled&&h[H]===!1?h.flowing=!0:c.listenerCount("data")>0?c.resume():h.readableListening||(h.flowing=null)}function ie(c){T("readable nexttick read 0"),c.read(0)}O.prototype.resume=function(){const c=this._readableState;return c.flowing||(T("resume"),c.flowing=!c.readableListening,J(this,c)),c[H]=!1,this};function J(c,h){h.resumeScheduled||(h.resumeScheduled=!0,t.nextTick(se,c,h))}function se(c,h){T("resume",h.reading),h.reading||c.read(0),h.resumeScheduled=!1,c.emit("resume"),V(c),h.flowing&&!h.reading&&c.read(0)}O.prototype.pause=function(){return T("call pause flowing=%j",this._readableState.flowing),this._readableState.flowing!==!1&&(T("pause"),this._readableState.flowing=!1,this.emit("pause")),this._readableState[H]=!0,this};function V(c){const h=c._readableState;for(T("flow",h.flowing);h.flowing&&c.read()!==null;);}O.prototype.wrap=function(c){let h=!1;c.on("data",L=>{!this.push(L)&&c.pause&&(h=!0,c.pause())}),c.on("end",()=>{this.push(null)}),c.on("error",L=>{ce(this,L)}),c.on("close",()=>{this.destroy()}),c.on("destroy",()=>{this.destroy()}),this._read=()=>{h&&c.resume&&(h=!1,c.resume())};const j=l(c);for(let L=1;L<j.length;L++){const k=j[L];this[k]===void 0&&typeof c[k]=="function"&&(this[k]=c[k].bind(c))}return this},O.prototype[x]=function(){return Ds(this)},O.prototype.iterator=function(c){return c!==void 0&&G(c,"options"),Ds(this,c)};function Ds(c,h){typeof c.read!="function"&&(c=O.wrap(c,{objectMode:!0}));const j=Wu(c,h);return j.stream=c,j}async function*Wu(c,h){let j=re;function L($e){this===c?(j(),j=re):j=$e}c.on("readable",L);let k;const me=B(c,{writable:!1},$e=>{k=$e?ee(k,$e):null,j(),j=re});try{for(;;){const $e=c.destroyed?null:c.read();if($e!==null)yield $e;else{if(k)throw k;if(k===null)return;await new p(L)}}}catch($e){throw k=ee(k,$e),k}finally{(k||(h==null?void 0:h.destroyOnReturn)!==!1)&&(k===void 0||c._readableState.autoDestroy)?U.destroyer(c,null):(c.off("readable",L),me())}}a(O.prototype,{readable:{__proto__:null,get(){const c=this._readableState;return!!c&&c.readable!==!1&&!c.destroyed&&!c.errorEmitted&&!c.endEmitted},set(c){this._readableState&&(this._readableState.readable=!!c)}},readableDidRead:{__proto__:null,enumerable:!1,get:function(){return this._readableState.dataEmitted}},readableAborted:{__proto__:null,enumerable:!1,get:function(){return!!(this._readableState.readable!==!1&&(this._readableState.destroyed||this._readableState.errored)&&!this._readableState.endEmitted)}},readableHighWaterMark:{__proto__:null,enumerable:!1,get:function(){return this._readableState.highWaterMark}},readableBuffer:{__proto__:null,enumerable:!1,get:function(){return this._readableState&&this._readableState.buffer}},readableFlowing:{__proto__:null,enumerable:!1,get:function(){return this._readableState.flowing},set:function(c){this._readableState&&(this._readableState.flowing=c)}},readableLength:{__proto__:null,enumerable:!1,get(){return this._readableState.length}},readableObjectMode:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.objectMode:!1}},readableEncoding:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.encoding:null}},errored:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.errored:null}},closed:{__proto__:null,get(){return this._readableState?this._readableState.closed:!1}},destroyed:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.destroyed:!1},set(c){this._readableState&&(this._readableState.destroyed=c)}},readableEnded:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.endEmitted:!1}}}),a(Re.prototype,{pipesCount:{__proto__:null,get(){return this.pipes.length}},paused:{__proto__:null,get(){return this[H]!==!1},set(c){this[H]=!!c}}}),O._fromList=Us;function Us(c,h){if(h.length===0)return null;let j;return h.objectMode?j=h.buffer.shift():!c||c>=h.length?(h.decoder?j=h.buffer.join(""):h.buffer.length===1?j=h.buffer.first():j=h.buffer.concat(h.length),h.buffer.clear()):j=h.buffer.consume(c,h.decoder),j}function Sn(c){const h=c._readableState;T("endReadable",h.endEmitted),h.endEmitted||(h.ended=!0,t.nextTick(Gu,h,c))}function Gu(c,h){if(T("endReadableNT",c.endEmitted,c.length),!c.errored&&!c.closeEmitted&&!c.endEmitted&&c.length===0){if(c.endEmitted=!0,h.emit("end"),h.writable&&h.allowHalfOpen===!1)t.nextTick(zu,h);else if(c.autoDestroy){const j=h._writableState;(!j||j.autoDestroy&&(j.finished||j.writable===!1))&&h.destroy()}}}function zu(c){c.writable&&!c.writableEnded&&!c.destroyed&&c.end()}O.from=function(c,h){return fe(O,c,h)};let In;function Ws(){return In===void 0&&(In={}),In}return O.fromWeb=function(c,h){return Ws().newStreamReadableFromReadableStream(c,h)},O.toWeb=function(c,h){return Ws().newReadableStreamFromStreamReadable(c,h)},O.wrap=function(c,h){var j,L;return new O({objectMode:(j=(L=c.readableObjectMode)!==null&&L!==void 0?L:c.objectMode)!==null&&j!==void 0?j:!0,...h,destroy(k,me){U.destroyer(c,k),me(k)}}).wrap(c)},Zr}var Jr,ns;function en(){if(ns)return Jr;ns=1;const t=ut,{ArrayPrototypeSlice:e,Error:r,FunctionPrototypeSymbolHasInstance:n,ObjectDefineProperty:i,ObjectDefineProperties:a,ObjectSetPrototypeOf:l,StringPrototypeToLowerCase:u,Symbol:p,SymbolHasInstance:_}=oe;Jr=G,G.WritableState=P;const{EventEmitter:y}=nr,x=Qr.Stream,{Buffer:I}=Fe,S=Tt,{addAbortSignal:R}=ur,{getHighWaterMark:m,getDefaultHighWaterMark:v}=cr,{ERR_INVALID_ARG_TYPE:$,ERR_METHOD_NOT_IMPLEMENTED:B,ERR_MULTIPLE_CALLBACK:T,ERR_STREAM_CANNOT_PIPE:q,ERR_STREAM_DESTROYED:U,ERR_STREAM_ALREADY_FINISHED:ae,ERR_STREAM_NULL_VALUES:Ee,ERR_STREAM_WRITE_AFTER_END:ee,ERR_UNKNOWN_ENCODING:le}=xe.codes,{errorOrDestroy:ge}=S;l(G.prototype,x.prototype),l(G,x);function we(){}const Q=p("kOnFinished");function P(g,w,N){typeof N!="boolean"&&(N=w instanceof Qe()),this.objectMode=!!(g&&g.objectMode),N&&(this.objectMode=this.objectMode||!!(g&&g.writableObjectMode)),this.highWaterMark=g?m(this,g,"writableHighWaterMark",N):v(!1),this.finalCalled=!1,this.needDrain=!1,this.ending=!1,this.ended=!1,this.finished=!1,this.destroyed=!1;const C=!!(g&&g.decodeStrings===!1);this.decodeStrings=!C,this.defaultEncoding=g&&g.defaultEncoding||"utf8",this.length=0,this.writing=!1,this.corked=0,this.sync=!0,this.bufferProcessing=!1,this.onwrite=ce.bind(void 0,w),this.writecb=null,this.writelen=0,this.afterWriteTickInfo=null,K(this),this.pendingcb=0,this.constructed=!0,this.prefinished=!1,this.errorEmitted=!1,this.emitClose=!g||g.emitClose!==!1,this.autoDestroy=!g||g.autoDestroy!==!1,this.errored=null,this.closed=!1,this.closeEmitted=!1,this[Q]=[]}function K(g){g.buffered=[],g.bufferedIndex=0,g.allBuffers=!0,g.allNoop=!0}P.prototype.getBuffer=function(){return e(this.buffered,this.bufferedIndex)},i(P.prototype,"bufferedRequestCount",{__proto__:null,get(){return this.buffered.length-this.bufferedIndex}});function G(g){const w=this instanceof Qe();if(!w&&!n(G,this))return new G(g);this._writableState=new P(g,this,w),g&&(typeof g.write=="function"&&(this._write=g.write),typeof g.writev=="function"&&(this._writev=g.writev),typeof g.destroy=="function"&&(this._destroy=g.destroy),typeof g.final=="function"&&(this._final=g.final),typeof g.construct=="function"&&(this._construct=g.construct),g.signal&&R(g.signal,this)),x.call(this,g),S.construct(this,()=>{const N=this._writableState;N.writing||he(this,N),je(this,N)})}i(G,_,{__proto__:null,value:function(g){return n(this,g)?!0:this!==G?!1:g&&g._writableState instanceof P}}),G.prototype.pipe=function(){ge(this,new q)};function H(g,w,N,C){const F=g._writableState;if(typeof N=="function")C=N,N=F.defaultEncoding;else{if(!N)N=F.defaultEncoding;else if(N!=="buffer"&&!I.isEncoding(N))throw new le(N);typeof C!="function"&&(C=we)}if(w===null)throw new Ee;if(!F.objectMode)if(typeof w=="string")F.decodeStrings!==!1&&(w=I.from(w,N),N="buffer");else if(w instanceof I)N="buffer";else if(x._isUint8Array(w))w=x._uint8ArrayToBuffer(w),N="buffer";else throw new $("chunk",["string","Buffer","Uint8Array"],w);let Z;return F.ending?Z=new ee:F.destroyed&&(Z=new U("write")),Z?(t.nextTick(C,Z),ge(g,Z,!0),Z):(F.pendingcb++,ue(g,F,w,N,C))}G.prototype.write=function(g,w,N){return H(this,g,w,N)===!0},G.prototype.cork=function(){this._writableState.corked++},G.prototype.uncork=function(){const g=this._writableState;g.corked&&(g.corked--,g.writing||he(this,g))},G.prototype.setDefaultEncoding=function(w){if(typeof w=="string"&&(w=u(w)),!I.isEncoding(w))throw new le(w);return this._writableState.defaultEncoding=w,this};function ue(g,w,N,C,F){const Z=w.objectMode?1:N.length;w.length+=Z;const te=w.length<w.highWaterMark;return te||(w.needDrain=!0),w.writing||w.corked||w.errored||!w.constructed?(w.buffered.push({chunk:N,encoding:C,callback:F}),w.allBuffers&&C!=="buffer"&&(w.allBuffers=!1),w.allNoop&&F!==we&&(w.allNoop=!1)):(w.writelen=Z,w.writecb=F,w.writing=!0,w.sync=!0,g._write(N,C,w.onwrite),w.sync=!1),te&&!w.errored&&!w.destroyed}function fe(g,w,N,C,F,Z,te){w.writelen=C,w.writecb=te,w.writing=!0,w.sync=!0,w.destroyed?w.onwrite(new U("write")):N?g._writev(F,w.onwrite):g._write(F,Z,w.onwrite),w.sync=!1}function re(g,w,N,C){--w.pendingcb,C(N),M(w),ge(g,N)}function ce(g,w){const N=g._writableState,C=N.sync,F=N.writecb;if(typeof F!="function"){ge(g,new T);return}N.writing=!1,N.writecb=null,N.length-=N.writelen,N.writelen=0,w?(w.stack,N.errored||(N.errored=w),g._readableState&&!g._readableState.errored&&(g._readableState.errored=w),C?t.nextTick(re,g,N,w,F):re(g,N,w,F)):(N.buffered.length>N.bufferedIndex&&he(g,N),C?N.afterWriteTickInfo!==null&&N.afterWriteTickInfo.cb===F?N.afterWriteTickInfo.count++:(N.afterWriteTickInfo={count:1,cb:F,stream:g,state:N},t.nextTick(D,N.afterWriteTickInfo)):ne(g,N,1,F))}function D({stream:g,state:w,count:N,cb:C}){return w.afterWriteTickInfo=null,ne(g,w,N,C)}function ne(g,w,N,C){for(!w.ending&&!g.destroyed&&w.length===0&&w.needDrain&&(w.needDrain=!1,g.emit("drain"));N-- >0;)w.pendingcb--,C();w.destroyed&&M(w),je(g,w)}function M(g){if(g.writing)return;for(let F=g.bufferedIndex;F<g.buffered.length;++F){var w;const{chunk:Z,callback:te}=g.buffered[F],Y=g.objectMode?1:Z.length;g.length-=Y,te((w=g.errored)!==null&&w!==void 0?w:new U("write"))}const N=g[Q].splice(0);for(let F=0;F<N.length;F++){var C;N[F]((C=g.errored)!==null&&C!==void 0?C:new U("end"))}K(g)}function he(g,w){if(w.corked||w.bufferProcessing||w.destroyed||!w.constructed)return;const{buffered:N,bufferedIndex:C,objectMode:F}=w,Z=N.length-C;if(!Z)return;let te=C;if(w.bufferProcessing=!0,Z>1&&g._writev){w.pendingcb-=Z-1;const Y=w.allNoop?we:O=>{for(let Le=te;Le<N.length;++Le)N[Le].callback(O)},Re=w.allNoop&&te===0?N:e(N,te);Re.allBuffers=w.allBuffers,fe(g,w,!0,w.length,Re,"",Y),K(w)}else{do{const{chunk:Y,encoding:Re,callback:O}=N[te];N[te++]=null;const Le=F?1:Y.length;fe(g,w,!1,Le,Y,Re,O)}while(te<N.length&&!w.writing);te===N.length?K(w):te>256?(N.splice(0,te),w.bufferedIndex=0):w.bufferedIndex=te}w.bufferProcessing=!1}G.prototype._write=function(g,w,N){if(this._writev)this._writev([{chunk:g,encoding:w}],N);else throw new B("_write()")},G.prototype._writev=null,G.prototype.end=function(g,w,N){const C=this._writableState;typeof g=="function"?(N=g,g=null,w=null):typeof w=="function"&&(N=w,w=null);let F;if(g!=null){const Z=H(this,g,w);Z instanceof r&&(F=Z)}return C.corked&&(C.corked=1,this.uncork()),F||(!C.errored&&!C.ending?(C.ending=!0,je(this,C,!0),C.ended=!0):C.finished?F=new ae("end"):C.destroyed&&(F=new U("end"))),typeof N=="function"&&(F||C.finished?t.nextTick(N,F):C[Q].push(N)),this};function Te(g){return g.ending&&!g.destroyed&&g.constructed&&g.length===0&&!g.errored&&g.buffered.length===0&&!g.finished&&!g.writing&&!g.errorEmitted&&!g.closeEmitted}function tt(g,w){let N=!1;function C(F){if(N){ge(g,F??T());return}if(N=!0,w.pendingcb--,F){const Z=w[Q].splice(0);for(let te=0;te<Z.length;te++)Z[te](F);ge(g,F,w.sync)}else Te(w)&&(w.prefinished=!0,g.emit("prefinish"),w.pendingcb++,t.nextTick(Ye,g,w))}w.sync=!0,w.pendingcb++;try{g._final(C)}catch(F){C(F)}w.sync=!1}function Ke(g,w){!w.prefinished&&!w.finalCalled&&(typeof g._final=="function"&&!w.destroyed?(w.finalCalled=!0,tt(g,w)):(w.prefinished=!0,g.emit("prefinish")))}function je(g,w,N){Te(w)&&(Ke(g,w),w.pendingcb===0&&(N?(w.pendingcb++,t.nextTick((C,F)=>{Te(F)?Ye(C,F):F.pendingcb--},g,w)):Te(w)&&(w.pendingcb++,Ye(g,w))))}function Ye(g,w){w.pendingcb--,w.finished=!0;const N=w[Q].splice(0);for(let C=0;C<N.length;C++)N[C]();if(g.emit("finish"),w.autoDestroy){const C=g._readableState;(!C||C.autoDestroy&&(C.endEmitted||C.readable===!1))&&g.destroy()}}a(G.prototype,{closed:{__proto__:null,get(){return this._writableState?this._writableState.closed:!1}},destroyed:{__proto__:null,get(){return this._writableState?this._writableState.destroyed:!1},set(g){this._writableState&&(this._writableState.destroyed=g)}},writable:{__proto__:null,get(){const g=this._writableState;return!!g&&g.writable!==!1&&!g.destroyed&&!g.errored&&!g.ending&&!g.ended},set(g){this._writableState&&(this._writableState.writable=!!g)}},writableFinished:{__proto__:null,get(){return this._writableState?this._writableState.finished:!1}},writableObjectMode:{__proto__:null,get(){return this._writableState?this._writableState.objectMode:!1}},writableBuffer:{__proto__:null,get(){return this._writableState&&this._writableState.getBuffer()}},writableEnded:{__proto__:null,get(){return this._writableState?this._writableState.ending:!1}},writableNeedDrain:{__proto__:null,get(){const g=this._writableState;return g?!g.destroyed&&!g.ending&&g.needDrain:!1}},writableHighWaterMark:{__proto__:null,get(){return this._writableState&&this._writableState.highWaterMark}},writableCorked:{__proto__:null,get(){return this._writableState?this._writableState.corked:0}},writableLength:{__proto__:null,get(){return this._writableState&&this._writableState.length}},errored:{__proto__:null,enumerable:!1,get(){return this._writableState?this._writableState.errored:null}},writableAborted:{__proto__:null,enumerable:!1,get:function(){return!!(this._writableState.writable!==!1&&(this._writableState.destroyed||this._writableState.errored)&&!this._writableState.finished)}}});const Pt=S.destroy;G.prototype.destroy=function(g,w){const N=this._writableState;return!N.destroyed&&(N.bufferedIndex<N.buffered.length||N[Q].length)&&t.nextTick(M,N),Pt.call(this,g,w),this},G.prototype._undestroy=S.undestroy,G.prototype._destroy=function(g,w){w(g)},G.prototype[y.captureRejectionSymbol]=function(g){this.destroy(g)};let _t;function rt(){return _t===void 0&&(_t={}),_t}return G.fromWeb=function(g,w){return rt().newStreamWritableFromWritableStream(g,w)},G.toWeb=function(g){return rt().newWritableStreamFromStreamWritable(g)},Jr}var tn,is;function Il(){if(is)return tn;is=1;const t=ut,e=Fe,{isReadable:r,isWritable:n,isIterable:i,isNodeStream:a,isReadableNodeStream:l,isWritableNodeStream:u,isDuplexNodeStream:p,isReadableStream:_,isWritableStream:y}=He,x=Je,{AbortError:I,codes:{ERR_INVALID_ARG_TYPE:S,ERR_INVALID_RETURN_VALUE:R}}=xe,{destroyer:m}=Tt,v=Qe(),$=dr(),B=en(),{createDeferredPromise:T}=Se,q=ts,U=globalThis.Blob||e.Blob,ae=typeof U<"u"?function(P){return P instanceof U}:function(P){return!1},Ee=globalThis.AbortController||Ot().AbortController,{FunctionPrototypeCall:ee}=oe;class le extends v{constructor(P){super(P),(P==null?void 0:P.readable)===!1&&(this._readableState.readable=!1,this._readableState.ended=!0,this._readableState.endEmitted=!0),(P==null?void 0:P.writable)===!1&&(this._writableState.writable=!1,this._writableState.ending=!0,this._writableState.ended=!0,this._writableState.finished=!0)}}tn=function Q(P,K){if(p(P))return P;if(l(P))return we({readable:P});if(u(P))return we({writable:P});if(a(P))return we({writable:!1,readable:!1});if(_(P))return we({readable:$.fromWeb(P)});if(y(P))return we({writable:B.fromWeb(P)});if(typeof P=="function"){const{value:H,write:ue,final:fe,destroy:re}=ge(P);if(i(H))return q(le,H,{objectMode:!0,write:ue,final:fe,destroy:re});const ce=H==null?void 0:H.then;if(typeof ce=="function"){let D;const ne=ee(ce,H,M=>{if(M!=null)throw new R("nully","body",M)},M=>{m(D,M)});return D=new le({objectMode:!0,readable:!1,write:ue,final(M){fe(async()=>{try{await ne,t.nextTick(M,null)}catch(he){t.nextTick(M,he)}})},destroy:re})}throw new R("Iterable, AsyncIterable or AsyncFunction",K,H)}if(ae(P))return Q(P.arrayBuffer());if(i(P))return q(le,P,{objectMode:!0,writable:!1});if(_(P==null?void 0:P.readable)&&y(P==null?void 0:P.writable))return le.fromWeb(P);if(typeof(P==null?void 0:P.writable)=="object"||typeof(P==null?void 0:P.readable)=="object"){const H=P!=null&&P.readable?l(P==null?void 0:P.readable)?P==null?void 0:P.readable:Q(P.readable):void 0,ue=P!=null&&P.writable?u(P==null?void 0:P.writable)?P==null?void 0:P.writable:Q(P.writable):void 0;return we({readable:H,writable:ue})}const G=P==null?void 0:P.then;if(typeof G=="function"){let H;return ee(G,P,ue=>{ue!=null&&H.push(ue),H.push(null)},ue=>{m(H,ue)}),H=new le({objectMode:!0,writable:!1,read(){}})}throw new S(K,["Blob","ReadableStream","WritableStream","Stream","Iterable","AsyncIterable","Function","{ readable, writable } pair","Promise"],P)};function ge(Q){let{promise:P,resolve:K}=T();const G=new Ee,H=G.signal;return{value:Q(async function*(){for(;;){const fe=P;P=null;const{chunk:re,done:ce,cb:D}=await fe;if(t.nextTick(D),ce)return;if(H.aborted)throw new I(void 0,{cause:H.reason});({promise:P,resolve:K}=T()),yield re}}(),{signal:H}),write(fe,re,ce){const D=K;K=null,D({chunk:fe,done:!1,cb:ce})},final(fe){const re=K;K=null,re({done:!0,cb:fe})},destroy(fe,re){G.abort(),re(fe)}}}function we(Q){const P=Q.readable&&typeof Q.readable.read!="function"?$.wrap(Q.readable):Q.readable,K=Q.writable;let G=!!r(P),H=!!n(K),ue,fe,re,ce,D;function ne(M){const he=ce;ce=null,he?he(M):M&&D.destroy(M)}return D=new le({readableObjectMode:!!(P!=null&&P.readableObjectMode),writableObjectMode:!!(K!=null&&K.writableObjectMode),readable:G,writable:H}),H&&(x(K,M=>{H=!1,M&&m(P,M),ne(M)}),D._write=function(M,he,Te){K.write(M,he)?Te():ue=Te},D._final=function(M){K.end(),fe=M},K.on("drain",function(){if(ue){const M=ue;ue=null,M()}}),K.on("finish",function(){if(fe){const M=fe;fe=null,M()}})),G&&(x(P,M=>{G=!1,M&&m(P,M),ne(M)}),P.on("readable",function(){if(re){const M=re;re=null,M()}}),P.on("end",function(){D.push(null)}),D._read=function(){for(;;){const M=P.read();if(M===null){re=D._read;return}if(!D.push(M))return}}),D._destroy=function(M,he){!M&&ce!==null&&(M=new I),re=null,ue=null,fe=null,ce===null?he(M):(ce=he,m(K,M),m(P,M))},D}return tn}var rn,ss;function Qe(){if(ss)return rn;ss=1;const{ObjectDefineProperties:t,ObjectGetOwnPropertyDescriptor:e,ObjectKeys:r,ObjectSetPrototypeOf:n}=oe;rn=l;const i=dr(),a=en();n(l.prototype,i.prototype),n(l,i);{const y=r(a.prototype);for(let x=0;x<y.length;x++){const I=y[x];l.prototype[I]||(l.prototype[I]=a.prototype[I])}}function l(y){if(!(this instanceof l))return new l(y);i.call(this,y),a.call(this,y),y?(this.allowHalfOpen=y.allowHalfOpen!==!1,y.readable===!1&&(this._readableState.readable=!1,this._readableState.ended=!0,this._readableState.endEmitted=!0),y.writable===!1&&(this._writableState.writable=!1,this._writableState.ending=!0,this._writableState.ended=!0,this._writableState.finished=!0)):this.allowHalfOpen=!0}t(l.prototype,{writable:{__proto__:null,...e(a.prototype,"writable")},writableHighWaterMark:{__proto__:null,...e(a.prototype,"writableHighWaterMark")},writableObjectMode:{__proto__:null,...e(a.prototype,"writableObjectMode")},writableBuffer:{__proto__:null,...e(a.prototype,"writableBuffer")},writableLength:{__proto__:null,...e(a.prototype,"writableLength")},writableFinished:{__proto__:null,...e(a.prototype,"writableFinished")},writableCorked:{__proto__:null,...e(a.prototype,"writableCorked")},writableEnded:{__proto__:null,...e(a.prototype,"writableEnded")},writableNeedDrain:{__proto__:null,...e(a.prototype,"writableNeedDrain")},destroyed:{__proto__:null,get(){return this._readableState===void 0||this._writableState===void 0?!1:this._readableState.destroyed&&this._writableState.destroyed},set(y){this._readableState&&this._writableState&&(this._readableState.destroyed=y,this._writableState.destroyed=y)}}});let u;function p(){return u===void 0&&(u={}),u}l.fromWeb=function(y,x){return p().newStreamDuplexFromReadableWritablePair(y,x)},l.toWeb=function(y){return p().newReadableWritablePairFromDuplex(y)};let _;return l.from=function(y){return _||(_=Il()),_(y,"body")},rn}const{ObjectSetPrototypeOf:os,Symbol:Rl}=oe;var as=Ve;const{ERR_METHOD_NOT_IMPLEMENTED:Al}=xe.codes,nn=Qe(),{getHighWaterMark:Tl}=cr;os(Ve.prototype,nn.prototype),os(Ve,nn);const Ut=Rl("kCallback");function Ve(t){if(!(this instanceof Ve))return new Ve(t);const e=t?Tl(this,t,"readableHighWaterMark",!0):null;e===0&&(t={...t,highWaterMark:null,readableHighWaterMark:e,writableHighWaterMark:t.writableHighWaterMark||0}),nn.call(this,t),this._readableState.sync=!1,this[Ut]=null,t&&(typeof t.transform=="function"&&(this._transform=t.transform),typeof t.flush=="function"&&(this._flush=t.flush)),this.on("prefinish",vl)}function sn(t){typeof this._flush=="function"&&!this.destroyed?this._flush((e,r)=>{if(e){t?t(e):this.destroy(e);return}r!=null&&this.push(r),this.push(null),t&&t()}):(this.push(null),t&&t())}function vl(){this._final!==sn&&sn.call(this)}Ve.prototype._final=sn,Ve.prototype._transform=function(t,e,r){throw new Al("_transform()")},Ve.prototype._write=function(t,e,r){const n=this._readableState,i=this._writableState,a=n.length;this._transform(t,e,(l,u)=>{if(l){r(l);return}u!=null&&this.push(u),i.ended||a===n.length||n.length<n.highWaterMark?r():this[Ut]=r})},Ve.prototype._read=function(){if(this[Ut]){const t=this[Ut];this[Ut]=null,t()}};const{ObjectSetPrototypeOf:ls}=oe;var us=vt;const on=as;ls(vt.prototype,on.prototype),ls(vt,on);function vt(t){if(!(this instanceof vt))return new vt(t);on.call(this,t)}vt.prototype._transform=function(t,e,r){r(null,t)};const Wt=ut,{ArrayIsArray:Nl,Promise:Pl,SymbolAsyncIterator:jl,SymbolDispose:Ll}=oe,hr=Je,{once:$l}=Se,Bl=Tt,fs=Qe(),{aggregateTwoErrors:Fl,codes:{ERR_INVALID_ARG_TYPE:an,ERR_INVALID_RETURN_VALUE:ln,ERR_MISSING_ARGS:kl,ERR_STREAM_DESTROYED:Cl,ERR_STREAM_PREMATURE_CLOSE:Ol},AbortError:Ml}=xe,{validateFunction:Dl,validateAbortSignal:Ul}=Mt,{isIterable:ct,isReadable:un,isReadableNodeStream:pr,isNodeStream:cs,isTransformStream:Nt,isWebStream:Wl,isReadableStream:fn,isReadableFinished:Gl}=He,zl=globalThis.AbortController||Ot().AbortController;let cn,dn,hn;function ds(t,e,r){let n=!1;t.on("close",()=>{n=!0});const i=hr(t,{readable:e,writable:r},a=>{n=!a});return{destroy:a=>{n||(n=!0,Bl.destroyer(t,a||new Cl("pipe")))},cleanup:i}}function ql(t){return Dl(t[t.length-1],"streams[stream.length - 1]"),t.pop()}function pn(t){if(ct(t))return t;if(pr(t))return Hl(t);throw new an("val",["Readable","Iterable","AsyncIterable"],t)}async function*Hl(t){dn||(dn=dr()),yield*dn.prototype[jl].call(t)}async function _r(t,e,r,{end:n}){let i,a=null;const l=_=>{if(_&&(i=_),a){const y=a;a=null,y()}},u=()=>new Pl((_,y)=>{i?y(i):a=()=>{i?y(i):_()}});e.on("drain",l);const p=hr(e,{readable:!1},l);try{e.writableNeedDrain&&await u();for await(const _ of t)e.write(_)||await u();n&&(e.end(),await u()),r()}catch(_){r(i!==_?Fl(i,_):_)}finally{p(),e.off("drain",l)}}async function _n(t,e,r,{end:n}){Nt(e)&&(e=e.writable);const i=e.getWriter();try{for await(const a of t)await i.ready,i.write(a).catch(()=>{});await i.ready,n&&await i.close(),r()}catch(a){try{await i.abort(a),r(a)}catch(l){r(l)}}}function Ql(...t){return hs(t,$l(ql(t)))}function hs(t,e,r){if(t.length===1&&Nl(t[0])&&(t=t[0]),t.length<2)throw new kl("streams");const n=new zl,i=n.signal,a=r==null?void 0:r.signal,l=[];Ul(a,"options.signal");function u(){R(new Ml)}hn=hn||Se.addAbortListener;let p;a&&(p=hn(a,u));let _,y;const x=[];let I=0;function S(B){R(B,--I===0)}function R(B,T){var q;if(B&&(!_||_.code==="ERR_STREAM_PREMATURE_CLOSE")&&(_=B),!(!_&&!T)){for(;x.length;)x.shift()(_);(q=p)===null||q===void 0||q[Ll](),n.abort(),T&&(_||l.forEach(U=>U()),Wt.nextTick(e,_,y))}}let m;for(let B=0;B<t.length;B++){const T=t[B],q=B<t.length-1,U=B>0,ae=q||(r==null?void 0:r.end)!==!1,Ee=B===t.length-1;if(cs(T)){let ee=function(le){le&&le.name!=="AbortError"&&le.code!=="ERR_STREAM_PREMATURE_CLOSE"&&S(le)};if(ae){const{destroy:le,cleanup:ge}=ds(T,q,U);x.push(le),un(T)&&Ee&&l.push(ge)}T.on("error",ee),un(T)&&Ee&&l.push(()=>{T.removeListener("error",ee)})}if(B===0)if(typeof T=="function"){if(m=T({signal:i}),!ct(m))throw new ln("Iterable, AsyncIterable or Stream","source",m)}else ct(T)||pr(T)||Nt(T)?m=T:m=fs.from(T);else if(typeof T=="function"){if(Nt(m)){var v;m=pn((v=m)===null||v===void 0?void 0:v.readable)}else m=pn(m);if(m=T(m,{signal:i}),q){if(!ct(m,!0))throw new ln("AsyncIterable",`transform[${B-1}]`,m)}else{var $;cn||(cn=us);const ee=new cn({objectMode:!0}),le=($=m)===null||$===void 0?void 0:$.then;if(typeof le=="function")I++,le.call(m,Q=>{y=Q,Q!=null&&ee.write(Q),ae&&ee.end(),Wt.nextTick(S)},Q=>{ee.destroy(Q),Wt.nextTick(S,Q)});else if(ct(m,!0))I++,_r(m,ee,S,{end:ae});else if(fn(m)||Nt(m)){const Q=m.readable||m;I++,_r(Q,ee,S,{end:ae})}else throw new ln("AsyncIterable or Promise","destination",m);m=ee;const{destroy:ge,cleanup:we}=ds(m,!1,!0);x.push(ge),Ee&&l.push(we)}}else if(cs(T)){if(pr(m)){I+=2;const ee=Vl(m,T,S,{end:ae});un(T)&&Ee&&l.push(ee)}else if(Nt(m)||fn(m)){const ee=m.readable||m;I++,_r(ee,T,S,{end:ae})}else if(ct(m))I++,_r(m,T,S,{end:ae});else throw new an("val",["Readable","Iterable","AsyncIterable","ReadableStream","TransformStream"],m);m=T}else if(Wl(T)){if(pr(m))I++,_n(pn(m),T,S,{end:ae});else if(fn(m)||ct(m))I++,_n(m,T,S,{end:ae});else if(Nt(m))I++,_n(m.readable,T,S,{end:ae});else throw new an("val",["Readable","Iterable","AsyncIterable","ReadableStream","TransformStream"],m);m=T}else m=fs.from(T)}return(i!=null&&i.aborted||a!=null&&a.aborted)&&Wt.nextTick(u),m}function Vl(t,e,r,{end:n}){let i=!1;if(e.on("close",()=>{i||r(new Ol)}),t.pipe(e,{end:!1}),n){let a=function(){i=!0,e.end()};Gl(t)?Wt.nextTick(a):t.once("end",a)}else r();return hr(t,{readable:!0,writable:!1},a=>{const l=t._readableState;a&&a.code==="ERR_STREAM_PREMATURE_CLOSE"&&l&&l.ended&&!l.errored&&!l.errorEmitted?t.once("end",r).once("error",r):r(a)}),hr(e,{readable:!1,writable:!0},r)}var bn={pipelineImpl:hs,pipeline:Ql};const{pipeline:Kl}=bn,br=Qe(),{destroyer:Yl}=Tt,{isNodeStream:yr,isReadable:ps,isWritable:_s,isWebStream:yn,isTransformStream:dt,isWritableStream:bs,isReadableStream:ys}=He,{AbortError:Xl,codes:{ERR_INVALID_ARG_VALUE:gs,ERR_MISSING_ARGS:Zl}}=xe,Jl=Je;var ws=function(...e){if(e.length===0)throw new Zl("streams");if(e.length===1)return br.from(e[0]);const r=[...e];if(typeof e[0]=="function"&&(e[0]=br.from(e[0])),typeof e[e.length-1]=="function"){const S=e.length-1;e[S]=br.from(e[S])}for(let S=0;S<e.length;++S)if(!(!yr(e[S])&&!yn(e[S]))){if(S<e.length-1&&!(ps(e[S])||ys(e[S])||dt(e[S])))throw new gs(`streams[${S}]`,r[S],"must be readable");if(S>0&&!(_s(e[S])||bs(e[S])||dt(e[S])))throw new gs(`streams[${S}]`,r[S],"must be writable")}let n,i,a,l,u;function p(S){const R=l;l=null,R?R(S):S?u.destroy(S):!I&&!x&&u.destroy()}const _=e[0],y=Kl(e,p),x=!!(_s(_)||bs(_)||dt(_)),I=!!(ps(y)||ys(y)||dt(y));if(u=new br({writableObjectMode:!!(_!=null&&_.writableObjectMode),readableObjectMode:!!(y!=null&&y.readableObjectMode),writable:x,readable:I}),x){if(yr(_))u._write=function(R,m,v){_.write(R,m)?v():n=v},u._final=function(R){_.end(),i=R},_.on("drain",function(){if(n){const R=n;n=null,R()}});else if(yn(_)){const m=(dt(_)?_.writable:_).getWriter();u._write=async function(v,$,B){try{await m.ready,m.write(v).catch(()=>{}),B()}catch(T){B(T)}},u._final=async function(v){try{await m.ready,m.close().catch(()=>{}),i=v}catch($){v($)}}}const S=dt(y)?y.readable:y;Jl(S,()=>{if(i){const R=i;i=null,R()}})}if(I){if(yr(y))y.on("readable",function(){if(a){const S=a;a=null,S()}}),y.on("end",function(){u.push(null)}),u._read=function(){for(;;){const S=y.read();if(S===null){a=u._read;return}if(!u.push(S))return}};else if(yn(y)){const R=(dt(y)?y.readable:y).getReader();u._read=async function(){for(;;)try{const{value:m,done:v}=await R.read();if(!u.push(m))return;if(v){u.push(null);return}}catch{return}}}}return u._destroy=function(S,R){!S&&l!==null&&(S=new Xl),a=null,n=null,i=null,l===null?R(S):(l=R,yr(y)&&Yl(y,S))},u};const eu=globalThis.AbortController||Ot().AbortController,{codes:{ERR_INVALID_ARG_VALUE:tu,ERR_INVALID_ARG_TYPE:Gt,ERR_MISSING_ARGS:ru,ERR_OUT_OF_RANGE:nu},AbortError:Ue}=xe,{validateAbortSignal:ht,validateInteger:ms,validateObject:pt}=Mt,iu=oe.Symbol("kWeak"),su=oe.Symbol("kResistStopPropagation"),{finished:ou}=Je,au=ws,{addAbortSignalNoValidate:lu}=ur,{isWritable:uu,isNodeStream:fu}=He,{deprecate:cu}=Se,{ArrayPrototypePush:du,Boolean:hu,MathFloor:xs,Number:pu,NumberIsNaN:_u,Promise:Es,PromiseReject:Ss,PromiseResolve:bu,PromisePrototypeThen:Is,Symbol:Rs}=oe,gr=Rs("kEmpty"),As=Rs("kEof");function yu(t,e){if(e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal"),fu(t)&&!uu(t))throw new tu("stream",t,"must be writable");const r=au(this,t);return e!=null&&e.signal&&lu(e.signal,r),r}function wr(t,e){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal");let r=1;(e==null?void 0:e.concurrency)!=null&&(r=xs(e.concurrency));let n=r-1;return(e==null?void 0:e.highWaterMark)!=null&&(n=xs(e.highWaterMark)),ms(r,"options.concurrency",1),ms(n,"options.highWaterMark",0),n+=r,(async function*(){const a=Se.AbortSignalAny([e==null?void 0:e.signal].filter(hu)),l=this,u=[],p={signal:a};let _,y,x=!1,I=0;function S(){x=!0,R()}function R(){I-=1,m()}function m(){y&&!x&&I<r&&u.length<n&&(y(),y=null)}async function v(){try{for await(let $ of l){if(x)return;if(a.aborted)throw new Ue;try{if($=t($,p),$===gr)continue;$=bu($)}catch(B){$=Ss(B)}I+=1,Is($,R,S),u.push($),_&&(_(),_=null),!x&&(u.length>=n||I>=r)&&await new Es(B=>{y=B})}u.push(As)}catch($){const B=Ss($);Is(B,R,S),u.push(B)}finally{x=!0,_&&(_(),_=null)}}v();try{for(;;){for(;u.length>0;){const $=await u[0];if($===As)return;if(a.aborted)throw new Ue;$!==gr&&(yield $),u.shift(),m()}await new Es($=>{_=$})}}finally{x=!0,y&&(y(),y=null)}}).call(this)}function gu(t=void 0){return t!=null&&pt(t,"options"),(t==null?void 0:t.signal)!=null&&ht(t.signal,"options.signal"),(async function*(){let r=0;for await(const i of this){var n;if(t!=null&&(n=t.signal)!==null&&n!==void 0&&n.aborted)throw new Ue({cause:t.signal.reason});yield[r++,i]}}).call(this)}async function Ts(t,e=void 0){for await(const r of gn.call(this,t,e))return!0;return!1}async function wu(t,e=void 0){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);return!await Ts.call(this,async(...r)=>!await t(...r),e)}async function mu(t,e){for await(const r of gn.call(this,t,e))return r}async function xu(t,e){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);async function r(n,i){return await t(n,i),gr}for await(const n of wr.call(this,r,e));}function gn(t,e){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);async function r(n,i){return await t(n,i)?n:gr}return wr.call(this,r,e)}class Eu extends ru{constructor(){super("reduce"),this.message="Reduce of an empty stream requires an initial value"}}async function Su(t,e,r){var n;if(typeof t!="function")throw new Gt("reducer",["Function","AsyncFunction"],t);r!=null&&pt(r,"options"),(r==null?void 0:r.signal)!=null&&ht(r.signal,"options.signal");let i=arguments.length>1;if(r!=null&&(n=r.signal)!==null&&n!==void 0&&n.aborted){const _=new Ue(void 0,{cause:r.signal.reason});throw this.once("error",()=>{}),await ou(this.destroy(_)),_}const a=new eu,l=a.signal;if(r!=null&&r.signal){const _={once:!0,[iu]:this,[su]:!0};r.signal.addEventListener("abort",()=>a.abort(),_)}let u=!1;try{for await(const _ of this){var p;if(u=!0,r!=null&&(p=r.signal)!==null&&p!==void 0&&p.aborted)throw new Ue;i?e=await t(e,_,{signal:l}):(e=_,i=!0)}if(!u&&!i)throw new Eu}finally{a.abort()}return e}async function Iu(t){t!=null&&pt(t,"options"),(t==null?void 0:t.signal)!=null&&ht(t.signal,"options.signal");const e=[];for await(const n of this){var r;if(t!=null&&(r=t.signal)!==null&&r!==void 0&&r.aborted)throw new Ue(void 0,{cause:t.signal.reason});du(e,n)}return e}function Ru(t,e){const r=wr.call(this,t,e);return(async function*(){for await(const i of r)yield*i}).call(this)}function vs(t){if(t=pu(t),_u(t))return 0;if(t<0)throw new nu("number",">= 0",t);return t}function Au(t,e=void 0){return e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal"),t=vs(t),(async function*(){var n;if(e!=null&&(n=e.signal)!==null&&n!==void 0&&n.aborted)throw new Ue;for await(const a of this){var i;if(e!=null&&(i=e.signal)!==null&&i!==void 0&&i.aborted)throw new Ue;t--<=0&&(yield a)}}).call(this)}function Tu(t,e=void 0){return e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal"),t=vs(t),(async function*(){var n;if(e!=null&&(n=e.signal)!==null&&n!==void 0&&n.aborted)throw new Ue;for await(const a of this){var i;if(e!=null&&(i=e.signal)!==null&&i!==void 0&&i.aborted)throw new Ue;if(t-- >0&&(yield a),t<=0)return}}).call(this)}Lr.streamReturningOperators={asIndexedPairs:cu(gu,"readable.asIndexedPairs will be removed in a future version."),drop:Au,filter:gn,flatMap:Ru,map:wr,take:Tu,compose:yu},Lr.promiseReturningOperators={every:wu,forEach:xu,reduce:Su,toArray:Iu,some:Ts,find:mu};var wn,Ns;function Ps(){if(Ns)return wn;Ns=1;const{ArrayPrototypePop:t,Promise:e}=oe,{isIterable:r,isNodeStream:n,isWebStream:i}=He,{pipelineImpl:a}=bn,{finished:l}=Je;Ls();function u(...p){return new e((_,y)=>{let x,I;const S=p[p.length-1];if(S&&typeof S=="object"&&!n(S)&&!r(S)&&!i(S)){const R=t(p);x=R.signal,I=R.end}a(p,(R,m)=>{R?y(R):_(m)},{signal:x,end:I})})}return wn={finished:l,pipeline:u},wn}var js;function Ls(){if(js)return Pr.exports;js=1;const{Buffer:t}=Fe,{ObjectDefineProperty:e,ObjectKeys:r,ReflectApply:n}=oe,{promisify:{custom:i}}=Se,{streamReturningOperators:a,promiseReturningOperators:l}=Lr,{codes:{ERR_ILLEGAL_CONSTRUCTOR:u}}=xe,p=ws,{setDefaultHighWaterMark:_,getDefaultHighWaterMark:y}=cr,{pipeline:x}=bn,{destroyer:I}=Tt,S=Je,R=Ps(),m=He,v=Pr.exports=Qr.Stream;v.isDestroyed=m.isDestroyed,v.isDisturbed=m.isDisturbed,v.isErrored=m.isErrored,v.isReadable=m.isReadable,v.isWritable=m.isWritable,v.Readable=dr();for(const B of r(a)){let q=function(...U){if(new.target)throw u();return v.Readable.from(n(T,this,U))};const T=a[B];e(q,"name",{__proto__:null,value:T.name}),e(q,"length",{__proto__:null,value:T.length}),e(v.Readable.prototype,B,{__proto__:null,value:q,enumerable:!1,configurable:!0,writable:!0})}for(const B of r(l)){let q=function(...U){if(new.target)throw u();return n(T,this,U)};const T=l[B];e(q,"name",{__proto__:null,value:T.name}),e(q,"length",{__proto__:null,value:T.length}),e(v.Readable.prototype,B,{__proto__:null,value:q,enumerable:!1,configurable:!0,writable:!0})}v.Writable=en(),v.Duplex=Qe(),v.Transform=as,v.PassThrough=us,v.pipeline=x;const{addAbortSignal:$}=ur;return v.addAbortSignal=$,v.finished=S,v.destroy=I,v.compose=p,v.setDefaultHighWaterMark=_,v.getDefaultHighWaterMark=y,e(v,"promises",{__proto__:null,configurable:!0,enumerable:!0,get(){return R}}),e(x,i,{__proto__:null,enumerable:!0,get(){return R.pipeline}}),e(S,i,{__proto__:null,enumerable:!0,get(){return R.finished}}),v.Stream=v,v._isUint8Array=function(T){return T instanceof Uint8Array},v._uint8ArrayToBuffer=function(T){return t.from(T.buffer,T.byteOffset,T.byteLength)},Pr.exports}(function(t){const e=Ls(),r=Ps(),n=e.Readable.destroy;t.exports=e.Readable,t.exports._uint8ArrayToBuffer=e._uint8ArrayToBuffer,t.exports._isUint8Array=e._isUint8Array,t.exports.isDisturbed=e.isDisturbed,t.exports.isErrored=e.isErrored,t.exports.isReadable=e.isReadable,t.exports.Readable=e.Readable,t.exports.Writable=e.Writable,t.exports.Duplex=e.Duplex,t.exports.Transform=e.Transform,t.exports.PassThrough=e.PassThrough,t.exports.addAbortSignal=e.addAbortSignal,t.exports.finished=e.finished,t.exports.destroy=e.destroy,t.exports.destroy=n,t.exports.pipeline=e.pipeline,t.exports.compose=e.compose,Object.defineProperty(e,"promises",{configurable:!0,enumerable:!0,get(){return r}}),t.exports.Stream=e.Stream,t.exports.default=t.exports})(Hn);var $s=Hn.exports;const mn=Symbol("iter");function zt(t,e,r=4){if(r===0)return Object.assign(t,e);for(const n in e)t[n]=zt(t[n]||Object.create(null),e[n],r-1);return t}function Bs(t,e,r=4){let n=!1;for(const i in t)if(i in e){const a=r===0?null:Bs(t[i],e[i],r-1);if(a!==!1)n=n||Object.create(null),n[i]=a;else if(r===3)return!1}return n}function Fs(t,e,r=4){let n=!1;for(const i in t)if(!(i in e))n=n||Object.create(null),n[i]=r===0?null:zt({},t[i],r-1);else if(r!==0){const a=Fs(t[i],e[i],r-1);if(a!==!1)n=n||Object.create(null),n[i]=a;else if(r===3)return!1}return n}class vu{constructor(e={}){this._id=1,this._ids=Object.create(null),this._ids[""]=1,this._entities=Object.create(null),this._entities[1]="",this._blankNodeIndex=0,this._factory=e.factory||ot}_termFromId(e){if(e[0]==="."){const r=this._entities,n=e.split(".");return this._factory.quad(this._termFromId(r[n[1]]),this._termFromId(r[n[2]]),this._termFromId(r[n[3]]),n[4]&&this._termFromId(r[n[4]]))}return $t(e,this._factory)}_termToNumericId(e){if(e.termType==="Quad"){const r=this._termToNumericId(e.subject),n=this._termToNumericId(e.predicate),i=this._termToNumericId(e.object);let a;return r&&n&&i&&(Nr(e.graph)||(a=this._termToNumericId(e.graph)))&&this._ids[a?`.${r}.${n}.${i}.${a}`:`.${r}.${n}.${i}`]}return this._ids[xt(e)]}_termToNewNumericId(e){const r=e&&e.termType==="Quad"?`.${this._termToNewNumericId(e.subject)}.${this._termToNewNumericId(e.predicate)}.${this._termToNewNumericId(e.object)}${Nr(e.graph)?"":`.${this._termToNewNumericId(e.graph)}`}`:xt(e);return this._ids[r]||(this._ids[this._entities[++this._id]=r]=this._id)}createBlankNode(e){let r,n;if(e)for(r=e=`_:${e}`,n=1;this._ids[r];)r=e+n++;else do r=`_:b${this._blankNodeIndex++}`;while(this._ids[r]);return this._ids[r]=++this._id,this._entities[this._id]=r,this._factory.blankNode(r.substr(2))}}class Ie{constructor(e,r){this._size=0,this._graphs=Object.create(null),!r&&e&&!e[0]&&(r=e,e=null),r=r||{},this._factory=r.factory||ot,this._entityIndex=r.entityIndex||new vu({factory:this._factory}),this._entities=this._entityIndex._entities,this._termFromId=this._entityIndex._termFromId.bind(this._entityIndex),this._termToNumericId=this._entityIndex._termToNumericId.bind(this._entityIndex),this._termToNewNumericId=this._entityIndex._termToNewNumericId.bind(this._entityIndex),e&&this.addQuads(e)}get size(){let e=this._size;if(e!==null)return e;e=0;const r=this._graphs;let n,i;for(const a in r)for(const l in n=r[a].subjects)for(const u in i=n[l])e+=Object.keys(i[u]).length;return this._size=e}_addToIndex(e,r,n,i){const a=e[r]||(e[r]={}),l=a[n]||(a[n]={}),u=i in l;return u||(l[i]=null),!u}_removeFromIndex(e,r,n,i){const a=e[r],l=a[n];delete l[i];for(const u in l)return;delete a[n];for(const u in a)return;delete e[r]}*_findInIndex(e,r,n,i,a,l,u,p){let _,y,x;const I=this._entities,S=this._termFromId(I[p]),R={subject:null,predicate:null,object:null};r&&((_=e,e={})[r]=_[r]);for(const m in e)if(y=e[m]){R[a]=this._termFromId(I[m]),n&&((_=y,y={})[n]=_[n]);for(const v in y)if(x=y[v]){R[l]=this._termFromId(I[v]);const $=i?i in x?[i]:[]:Object.keys(x);for(let B=0;B<$.length;B++)R[u]=this._termFromId(I[$[B]]),yield this._factory.quad(R.subject,R.predicate,R.object,S)}}}_loop(e,r){for(const n in e)r(n)}_loopByKey0(e,r,n){let i,a;if(i=e[r])for(a in i)n(a)}_loopByKey1(e,r,n){let i,a;for(i in e)a=e[i],a[r]&&n(i)}_loopBy2Keys(e,r,n,i){let a,l,u;if((a=e[r])&&(l=a[n]))for(u in l)i(u)}_countInIndex(e,r,n,i){let a=0,l,u,p;r&&((l=e,e={})[r]=l[r]);for(const _ in e)if(u=e[_]){n&&((l=u,u={})[n]=l[n]);for(const y in u)(p=u[y])&&(i?i in p&&a++:a+=Object.keys(p).length)}return a}_getGraphs(e){return e=e===""?1:e&&(this._termToNumericId(e)||-1),typeof e!="number"?this._graphs:{[e]:this._graphs[e]}}_uniqueEntities(e){const r=Object.create(null);return n=>{n in r||(r[n]=!0,e(this._termFromId(this._entities[n],this._factory)))}}add(e){return this.addQuad(e),this}addQuad(e,r,n,i){r||(i=e.graph,n=e.object,r=e.predicate,e=e.subject),i=i?this._termToNewNumericId(i):1;let a=this._graphs[i];return a||(a=this._graphs[i]={subjects:{},predicates:{},objects:{}},Object.freeze(a)),e=this._termToNewNumericId(e),r=this._termToNewNumericId(r),n=this._termToNewNumericId(n),this._addToIndex(a.subjects,e,r,n)?(this._addToIndex(a.predicates,r,n,e),this._addToIndex(a.objects,n,e,r),this._size=null,!0):!1}addQuads(e){for(let r=0;r<e.length;r++)this.addQuad(e[r])}delete(e){return this.removeQuad(e),this}has(e,r,n,i){return e&&e.subject&&({subject:e,predicate:r,object:n,graph:i}=e),!this.readQuads(e,r,n,i).next().done}import(e){return e.on("data",r=>{this.addQuad(r)}),e}removeQuad(e,r,n,i){r||({subject:e,predicate:r,object:n,graph:i}=e),i=i?this._termToNumericId(i):1;const a=this._graphs;let l,u,p;if(!(e=e&&this._termToNumericId(e))||!(r=r&&this._termToNumericId(r))||!(n=n&&this._termToNumericId(n))||!(l=a[i])||!(u=l.subjects[e])||!(p=u[r])||!(n in p))return!1;this._removeFromIndex(l.subjects,e,r,n),this._removeFromIndex(l.predicates,r,n,e),this._removeFromIndex(l.objects,n,e,r),this._size!==null&&this._size--;for(e in l.subjects)return!0;return delete a[i],!0}removeQuads(e){for(let r=0;r<e.length;r++)this.removeQuad(e[r])}remove(e){return e.on("data",r=>{this.removeQuad(r)}),e}removeMatches(e,r,n,i){const a=new $s.Readable({objectMode:!0}),l=this.readQuads(e,r,n,i);return a._read=u=>{for(;--u>=0;){const{done:p,value:_}=l.next();if(p){a.push(null);return}a.push(_)}},this.remove(a)}deleteGraph(e){return this.removeMatches(null,null,null,e)}getQuads(e,r,n,i){return[...this.readQuads(e,r,n,i)]}*readQuads(e,r,n,i){const a=this._getGraphs(i);let l,u,p,_;if(!(e&&!(u=this._termToNumericId(e))||r&&!(p=this._termToNumericId(r))||n&&!(_=this._termToNumericId(n))))for(const y in a)(l=a[y])&&(u?_?yield*this._findInIndex(l.objects,_,u,p,"object","subject","predicate",y):yield*this._findInIndex(l.subjects,u,p,null,"subject","predicate","object",y):p?yield*this._findInIndex(l.predicates,p,_,null,"predicate","object","subject",y):_?yield*this._findInIndex(l.objects,_,null,null,"object","subject","predicate",y):yield*this._findInIndex(l.subjects,null,null,null,"subject","predicate","object",y))}match(e,r,n,i){return new et(this,e,r,n,i,{entityIndex:this._entityIndex})}countQuads(e,r,n,i){const a=this._getGraphs(i);let l=0,u,p,_,y;if(e&&!(p=this._termToNumericId(e))||r&&!(_=this._termToNumericId(r))||n&&!(y=this._termToNumericId(n)))return 0;for(const x in a)(u=a[x])&&(e?n?l+=this._countInIndex(u.objects,y,p,_):l+=this._countInIndex(u.subjects,p,_,y):r?l+=this._countInIndex(u.predicates,_,y,p):l+=this._countInIndex(u.objects,y,p,_));return l}forEach(e,r,n,i,a){this.some(l=>(e(l,this),!1),r,n,i,a)}every(e,r,n,i,a){return!this.some(l=>!e(l,this),r,n,i,a)}some(e,r,n,i,a){for(const l of this.readQuads(r,n,i,a))if(e(l))return!0;return!1}getSubjects(e,r,n){const i=[];return this.forSubjects(a=>{i.push(a)},e,r,n),i}forSubjects(e,r,n,i){const a=this._getGraphs(i);let l,u,p;if(e=this._uniqueEntities(e),!(r&&!(u=this._termToNumericId(r))||n&&!(p=this._termToNumericId(n))))for(i in a)(l=a[i])&&(u?p?this._loopBy2Keys(l.predicates,u,p,e):this._loopByKey1(l.subjects,u,e):p?this._loopByKey0(l.objects,p,e):this._loop(l.subjects,e))}getPredicates(e,r,n){const i=[];return this.forPredicates(a=>{i.push(a)},e,r,n),i}forPredicates(e,r,n,i){const a=this._getGraphs(i);let l,u,p;if(e=this._uniqueEntities(e),!(r&&!(u=this._termToNumericId(r))||n&&!(p=this._termToNumericId(n))))for(i in a)(l=a[i])&&(u?p?this._loopBy2Keys(l.objects,p,u,e):this._loopByKey0(l.subjects,u,e):p?this._loopByKey1(l.predicates,p,e):this._loop(l.predicates,e))}getObjects(e,r,n){const i=[];return this.forObjects(a=>{i.push(a)},e,r,n),i}forObjects(e,r,n,i){const a=this._getGraphs(i);let l,u,p;if(e=this._uniqueEntities(e),!(r&&!(u=this._termToNumericId(r))||n&&!(p=this._termToNumericId(n))))for(i in a)(l=a[i])&&(u?p?this._loopBy2Keys(l.subjects,u,p,e):this._loopByKey1(l.objects,u,e):p?this._loopByKey0(l.predicates,p,e):this._loop(l.objects,e))}getGraphs(e,r,n){const i=[];return this.forGraphs(a=>{i.push(a)},e,r,n),i}forGraphs(e,r,n,i){for(const a in this._graphs)this.some(l=>(e(l.graph),!0),r,n,i,this._termFromId(this._entities[a]))}createBlankNode(e){return this._entityIndex.createBlankNode(e)}extractLists({remove:e=!1,ignoreErrors:r=!1}={}){const n={},i=r?()=>!0:(u,p)=>{throw new Error(`${u.value} ${p}`)},a=this.getQuads(null,_e.rdf.rest,_e.rdf.nil,null),l=e?[...a]:[];return a.forEach(u=>{const p=[];let _=!1,y,x;const I=u.graph;let S=u.subject;for(;S&&!_;){const R=this.getQuads(null,null,S,null),m=this.getQuads(S,null,null,null);let v,$=null,B=null,T=null;for(let q=0;q<m.length&&!_;q++)v=m[q],v.graph.equals(I)?y?_=i(S,"has non-list arcs out"):v.predicate.value===_e.rdf.first?$?_=i(S,"has multiple rdf:first arcs"):l.push($=v):v.predicate.value===_e.rdf.rest?B?_=i(S,"has multiple rdf:rest arcs"):l.push(B=v):R.length?_=i(S,"can't be subject and object"):(y=v,x="subject"):_=i(S,"not confined to single graph");for(let q=0;q<R.length&&!_;++q)v=R[q],y?_=i(S,"can't have coreferences"):v.predicate.value===_e.rdf.rest?T?_=i(S,"has incoming rdf:rest arcs"):T=v:(y=v,x="object");$?p.unshift($.object):_=i(S,"has no list head"),S=T&&T.subject}_?e=!1:y&&(n[y[x].value]=p)}),e&&this.removeQuads(l),n}addAll(e){if(e instanceof et&&(e=e.filtered),Array.isArray(e))this.addQuads(e);else if(e instanceof Ie&&e._entityIndex===this._entityIndex)e._size!==0&&(this._graphs=zt(this._graphs,e._graphs),this._size=null);else for(const r of e)this.add(r);return this}contains(e){if(e instanceof et&&(e=e.filtered),e===this)return!0;if(!(e instanceof Ie)||this._entityIndex!==e._entityIndex)return e.every(_=>this.has(_));const r=this._graphs,n=e._graphs;let i,a,l,u,p;for(const _ in n){if(!(i=r[_]))return!1;i=i.subjects;for(const y in a=n[_].subjects){if(!(l=i[y]))return!1;for(const x in u=a[y]){if(!(p=l[x]))return!1;for(const I in u[x])if(!(I in p))return!1}}}return!0}deleteMatches(e,r,n,i){for(const a of this.match(e,r,n,i))this.removeQuad(a);return this}difference(e){if(e&&e instanceof et&&(e=e.filtered),e===this)return new Ie({entityIndex:this._entityIndex});if(e instanceof Ie&&e._entityIndex===this._entityIndex){const r=new Ie({entityIndex:this._entityIndex}),n=Fs(this._graphs,e._graphs);return n&&(r._graphs=n,r._size=null),r}return this.filter(r=>!e.has(r))}equals(e){return e instanceof et&&(e=e.filtered),e===this||this.size===e.size&&this.contains(e)}filter(e){const r=new Ie({entityIndex:this._entityIndex});for(const n of this)e(n,this)&&r.add(n);return r}intersection(e){if(e instanceof et&&(e=e.filtered),e===this){const r=new Ie({entityIndex:this._entityIndex});return r._graphs=zt(Object.create(null),this._graphs),r._size=this._size,r}else if(e instanceof Ie&&this._entityIndex===e._entityIndex){const r=new Ie({entityIndex:this._entityIndex}),n=Bs(e._graphs,this._graphs);return n&&(r._graphs=n,r._size=null),r}return this.filter(r=>e.has(r))}map(e){const r=new Ie({entityIndex:this._entityIndex});for(const n of this)r.add(e(n,this));return r}reduce(e,r){const n=this.readQuads();let i=r===void 0?n.next().value:r;for(const a of n)i=e(i,a,this);return i}toArray(){return this.getQuads()}toCanonical(){throw new Error("not implemented")}toStream(){return this.match()}toString(){return new Gn().quadsToString(this)}union(e){const r=new Ie({entityIndex:this._entityIndex});return r._graphs=zt(Object.create(null),this._graphs),r._size=this._size,r.addAll(e),r}*[Symbol.iterator](){yield*this.readQuads()}}function We(t,e,r=0){const n=e[r];if(n&&!(n in t))return!1;let i=!1;for(const a in n?{[n]:t[n]}:t){const l=r===2?null:We(t[a],e,r+1);l!==!1&&(i=i||Object.create(null),i[a]=l)}return i}class et extends $s.Readable{constructor(e,r,n,i,a,l){super({objectMode:!0}),Object.assign(this,{n3Store:e,subject:r,predicate:n,object:i,graph:a,options:l})}get filtered(){if(!this._filtered){const{n3Store:e,graph:r,object:n,predicate:i,subject:a}=this,l=this._filtered=new Ie({factory:e._factory,entityIndex:this.options.entityIndex});let u,p,_;if(a&&!(u=l._termToNumericId(a))||i&&!(p=l._termToNumericId(i))||n&&!(_=l._termToNumericId(n)))return l;const y=e._getGraphs(r);for(const x in y){let I,S,R,m;(m=y[x])&&(!u&&p?(S=We(m.predicates,[p,_,u]))&&(I=We(m.subjects,[u,p,_]),R=We(m.objects,[_,u,p])):_?(R=We(m.objects,[_,u,p]))&&(I=We(m.subjects,[u,p,_]),S=We(m.predicates,[p,_,u])):(I=We(m.subjects,[u,p,_]))&&(S=We(m.predicates,[p,_,u]),R=We(m.objects,[_,u,p])),I&&(l._graphs[x]={subjects:I,predicates:S,objects:R}))}l._size=null}return this._filtered}get size(){return this.filtered.size}_read(e){e>0&&!this[mn]&&(this[mn]=this[Symbol.iterator]());const r=this[mn];for(;--e>=0;){const{done:n,value:i}=r.next();if(n){this.push(null);return}this.push(i)}}addAll(e){return this.filtered.addAll(e)}contains(e){return this.filtered.contains(e)}deleteMatches(e,r,n,i){return this.filtered.deleteMatches(e,r,n,i)}difference(e){return this.filtered.difference(e)}equals(e){return this.filtered.equals(e)}every(e,r,n,i,a){return this.filtered.every(e,r,n,i,a)}filter(e){return this.filtered.filter(e)}forEach(e,r,n,i,a){return this.filtered.forEach(e,r,n,i,a)}import(e){return this.filtered.import(e)}intersection(e){return this.filtered.intersection(e)}map(e){return this.filtered.map(e)}some(e,r,n,i,a){return this.filtered.some(e,r,n,i,a)}toCanonical(){return this.filtered.toCanonical()}toStream(){return this._filtered?this._filtered.toStream():this.n3Store.match(this.subject,this.predicate,this.object,this.graph)}union(e){return this._filtered?this._filtered.union(e):this.n3Store.match(this.subject,this.predicate,this.object,this.graph).addAll(e)}toArray(){return this._filtered?this._filtered.toArray():this.n3Store.getQuads(this.subject,this.predicate,this.object,this.graph)}reduce(e,r){return this.filtered.reduce(e,r)}toString(){return new Gn().quadsToString(this)}add(e){return this.filtered.add(e)}delete(e){return this.filtered.delete(e)}has(e){return this.filtered.has(e)}match(e,r,n,i){return new et(this.filtered,e,r,n,i,this.options)}*[Symbol.iterator](){yield*this._filtered||this.n3Store.readQuads(this.subject,this.predicate,this.object,this.graph)}}const mr={rdf:"http://www.w3.org/1999/02/22-rdf-syntax-ns#"},pe={namespace:"https://prez.dev/",label:"https://prez.dev/label",description:"https://prez.dev/description",provenance:"https://prez.dev/provenance",focusNode:"https://prez.dev/FocusNode",link:"https://prez.dev/link",members:"https://prez.dev/members",identifier:"https://prez.dev/identifier",count:"https://prez.dev/count",searchResult:"https://prez.dev/SearchResult",searchResultWeight:"https://prez.dev/searchResultWeight",searchResultPredicate:"https://prez.dev/searchResultPredicate",searchResultURI:"https://prez.dev/searchResultURI",searchResultMatch:"https://prez.dev/searchResultMatch",hasChildren:"https://prez.dev/hasChildren"},ye={skosConceptScheme:"http://www.w3.org/2004/02/skos/core#ConceptScheme",skosConcept:"http://www.w3.org/2004/02/skos/core#Concept",a:"http://www.w3.org/1999/02/22-rdf-syntax-ns#type",rdfLangString:"http://www.w3.org/1999/02/22-rdf-syntax-ns#langString",xmlString:"http://www.w3.org/2001/XMLSchema#string",w3Html:"http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML",w3Markdown:"https://www.w3.org/ns/iana/media-types/text/markdown",shaclAllPredicates:"http://example.com/shacl-extension#allPredicateValues",shaclProperty:"http://www.w3.org/ns/shacl#property",shaclPath:"http://www.w3.org/ns/shacl#path",shaclUnion:"http://www.w3.org/ns/shacl#union"},Nu={label:["https://prez.dev/label"],description:["https://prez.dev/description"],provenance:["https://prez.dev/provenance"]};function ks(t,e=mr){if(t==="a")return e.rdf+"type";{const[r,n]=t.split(":");return r?[r]+n:t}}function Cs(t,e=mr){let r="";return Object.entries(e).forEach(([n,i])=>{t.startsWith(i)&&(r=n+":"+t.split(i)[1])}),r}const Os=t=>{const e=new URL(t);return`${e.protocol}//${e.hostname}`},Pu=t=>new URL(t).pathname,ju=(t,e)=>{var n,i;const r=(i=(n=e.identifiers)==null?void 0:n.find(a=>a.value))==null?void 0:i.value;return r?t+`/concept-hierarchy/${r}/narrowers`:""},Lu=(t,e)=>{var l;const r=e?Os(e):"",n=(l=t.identifiers)==null?void 0:l.find(u=>u.value),i=n?n.value:"";return i?r+`/concept-hierarchy/${i}/top-concepts`:""},xr=t=>t.flatMap(e=>{var r;if(e["@id"])return e["@id"];if(e["@list"]&&e["@list"].length>0){const n=e["@list"][0];return(n==null?void 0:n["@id"])===ye.shaclUnion?xr(((r=e["@list"][1])==null?void 0:r["@list"])||[]).filter(Boolean):xr(e["@list"]).flat()}return[]}).filter(e=>!!e),$u=t=>t.reduce((e,r)=>{if(ye.shaclProperty in r)for(const n of r[ye.shaclProperty]){const i=t.find(a=>a["@id"]===n["@id"]);i&&ye.shaclPath in i&&(e[r["@id"]]=xr(i[ye.shaclPath]).filter(a=>a!==ye.shaclAllPredicates))}return e},{});function qt(t){if(Array.isArray(t))return t.reduce((e,r)=>{const n=qt(r);return typeof n=="object"&&!Array.isArray(n)&&Object.assign(e,n),e},{});if(typeof t=="object"&&t!==null){if(t.hasOwnProperty("value"))return t.value;if(t.hasOwnProperty("node")&&t.hasOwnProperty("list")){const e={};return e[t.node.value]=t.list.length>0?qt(t.list):"",e}else{const e={};for(const r in t)e[r]=qt(t[r]);return e}}return t}function xn(t,e=""){let r="";const n=Object.entries(t),i=n.length;return n.forEach(([a,l],u)=>{const p=a.replace(/https?:\/\/(www\.)?/,""),[_,y]=p.split("#"),x=_.split("/"),I=x[x.length-1],S=y?`(${x[0]})/${I}#${y}`:`(${x[0]})/${I}`,R=u===i-1;r+=`${e}${R?"└── ":"├── "}${S}
|
|
27
|
+
`;super(r),this.name="AggregateError",this.errors=e}},ArrayIsArray(t){return Array.isArray(t)},ArrayPrototypeIncludes(t,e){return t.includes(e)},ArrayPrototypeIndexOf(t,e){return t.indexOf(e)},ArrayPrototypeJoin(t,e){return t.join(e)},ArrayPrototypeMap(t,e){return t.map(e)},ArrayPrototypePop(t,e){return t.pop(e)},ArrayPrototypePush(t,e){return t.push(e)},ArrayPrototypeSlice(t,e,r){return t.slice(e,r)},Error,FunctionPrototypeCall(t,e,...r){return t.call(e,...r)},FunctionPrototypeSymbolHasInstance(t,e){return Function.prototype[Symbol.hasInstance].call(t,e)},MathFloor:Math.floor,Number,NumberIsInteger:Number.isInteger,NumberIsNaN:Number.isNaN,NumberMAX_SAFE_INTEGER:Number.MAX_SAFE_INTEGER,NumberMIN_SAFE_INTEGER:Number.MIN_SAFE_INTEGER,NumberParseInt:Number.parseInt,ObjectDefineProperties(t,e){return Object.defineProperties(t,e)},ObjectDefineProperty(t,e,r){return Object.defineProperty(t,e,r)},ObjectGetOwnPropertyDescriptor(t,e){return Object.getOwnPropertyDescriptor(t,e)},ObjectKeys(t){return Object.keys(t)},ObjectSetPrototypeOf(t,e){return Object.setPrototypeOf(t,e)},Promise,PromisePrototypeCatch(t,e){return t.catch(e)},PromisePrototypeThen(t,e,r){return t.then(e,r)},PromiseReject(t){return Promise.reject(t)},PromiseResolve(t){return Promise.resolve(t)},ReflectApply:Reflect.apply,RegExpPrototypeTest(t,e){return t.test(e)},SafeSet:Set,String,StringPrototypeSlice(t,e,r){return t.slice(e,r)},StringPrototypeToLowerCase(t){return t.toLowerCase()},StringPrototypeToUpperCase(t){return t.toUpperCase()},StringPrototypeTrim(t){return t.trim()},Symbol,SymbolFor:Symbol.for,SymbolAsyncIterator:Symbol.asyncIterator,SymbolHasInstance:Symbol.hasInstance,SymbolIterator:Symbol.iterator,SymbolDispose:Symbol.dispose||Symbol("Symbol.dispose"),SymbolAsyncDispose:Symbol.asyncDispose||Symbol("Symbol.asyncDispose"),TypedArrayPrototypeSet(t,e,r){return t.set(e,r)},Boolean,Uint8Array},Qn={exports:{}},Vn={format(t,...e){return t.replace(/%([sdifj])/g,function(...[r,n]){const i=e.shift();return n==="f"?i.toFixed(6):n==="j"?JSON.stringify(i):n==="s"&&typeof i=="object"?`${i.constructor!==Object?i.constructor.name:""} {}`.trim():i.toString()})},inspect(t){switch(typeof t){case"string":if(t.includes("'"))if(t.includes('"')){if(!t.includes("`")&&!t.includes("${"))return`\`${t}\``}else return`"${t}"`;return`'${t}'`;case"number":return isNaN(t)?"NaN":Object.is(t,-0)?String(t):t;case"bigint":return`${String(t)}n`;case"boolean":case"undefined":return String(t);case"object":return"{}"}}};const{format:wo,inspect:Jt}=Vn,{AggregateError:mo}=oe,xo=globalThis.AggregateError||mo,Eo=Symbol("kIsNodeError"),So=["string","function","number","object","Function","Object","boolean","bigint","symbol"],Io=/^([A-Z][a-z0-9]*)+$/,Ro="__node_internal_",er={};function at(t,e){if(!t)throw new er.ERR_INTERNAL_ASSERTION(e)}function Kn(t){let e="",r=t.length;const n=t[0]==="-"?1:0;for(;r>=n+4;r-=3)e=`_${t.slice(r-3,r)}${e}`;return`${t.slice(0,r)}${e}`}function Ao(t,e,r){if(typeof e=="function")return at(e.length<=r.length,`Code: ${t}; The provided arguments length (${r.length}) does not match the required ones (${e.length}).`),e(...r);const n=(e.match(/%[dfijoOs]/g)||[]).length;return at(n===r.length,`Code: ${t}; The provided arguments length (${r.length}) does not match the required ones (${n}).`),r.length===0?e:wo(e,...r)}function be(t,e,r){r||(r=Error);class n extends r{constructor(...a){super(Ao(t,e,a))}toString(){return`${this.name} [${t}]: ${this.message}`}}Object.defineProperties(n.prototype,{name:{value:r.name,writable:!0,enumerable:!1,configurable:!0},toString:{value(){return`${this.name} [${t}]: ${this.message}`},writable:!0,enumerable:!1,configurable:!0}}),n.prototype.code=t,n.prototype[Eo]=!0,er[t]=n}function Yn(t){const e=Ro+t.name;return Object.defineProperty(t,"name",{value:e}),t}function To(t,e){if(t&&e&&t!==e){if(Array.isArray(e.errors))return e.errors.push(t),e;const r=new xo([e,t],e.message);return r.code=e.code,r}return t||e}let vo=class extends Error{constructor(e="The operation was aborted",r=void 0){if(r!==void 0&&typeof r!="object")throw new er.ERR_INVALID_ARG_TYPE("options","Object",r);super(e,r),this.code="ABORT_ERR",this.name="AbortError"}};be("ERR_ASSERTION","%s",Error),be("ERR_INVALID_ARG_TYPE",(t,e,r)=>{at(typeof t=="string","'name' must be a string"),Array.isArray(e)||(e=[e]);let n="The ";t.endsWith(" argument")?n+=`${t} `:n+=`"${t}" ${t.includes(".")?"property":"argument"} `,n+="must be ";const i=[],a=[],l=[];for(const p of e)at(typeof p=="string","All expected entries have to be of type string"),So.includes(p)?i.push(p.toLowerCase()):Io.test(p)?a.push(p):(at(p!=="object",'The value "object" should be written as "Object"'),l.push(p));if(a.length>0){const p=i.indexOf("object");p!==-1&&(i.splice(i,p,1),a.push("Object"))}if(i.length>0){switch(i.length){case 1:n+=`of type ${i[0]}`;break;case 2:n+=`one of type ${i[0]} or ${i[1]}`;break;default:{const p=i.pop();n+=`one of type ${i.join(", ")}, or ${p}`}}(a.length>0||l.length>0)&&(n+=" or ")}if(a.length>0){switch(a.length){case 1:n+=`an instance of ${a[0]}`;break;case 2:n+=`an instance of ${a[0]} or ${a[1]}`;break;default:{const p=a.pop();n+=`an instance of ${a.join(", ")}, or ${p}`}}l.length>0&&(n+=" or ")}switch(l.length){case 0:break;case 1:l[0].toLowerCase()!==l[0]&&(n+="an "),n+=`${l[0]}`;break;case 2:n+=`one of ${l[0]} or ${l[1]}`;break;default:{const p=l.pop();n+=`one of ${l.join(", ")}, or ${p}`}}if(r==null)n+=`. Received ${r}`;else if(typeof r=="function"&&r.name)n+=`. Received function ${r.name}`;else if(typeof r=="object"){var u;if((u=r.constructor)!==null&&u!==void 0&&u.name)n+=`. Received an instance of ${r.constructor.name}`;else{const p=Jt(r,{depth:-1});n+=`. Received ${p}`}}else{let p=Jt(r,{colors:!1});p.length>25&&(p=`${p.slice(0,25)}...`),n+=`. Received type ${typeof r} (${p})`}return n},TypeError),be("ERR_INVALID_ARG_VALUE",(t,e,r="is invalid")=>{let n=Jt(e);return n.length>128&&(n=n.slice(0,128)+"..."),`The ${t.includes(".")?"property":"argument"} '${t}' ${r}. Received ${n}`},TypeError),be("ERR_INVALID_RETURN_VALUE",(t,e,r)=>{var n;const i=r!=null&&(n=r.constructor)!==null&&n!==void 0&&n.name?`instance of ${r.constructor.name}`:`type ${typeof r}`;return`Expected ${t} to be returned from the "${e}" function but got ${i}.`},TypeError),be("ERR_MISSING_ARGS",(...t)=>{at(t.length>0,"At least one arg needs to be specified");let e;const r=t.length;switch(t=(Array.isArray(t)?t:[t]).map(n=>`"${n}"`).join(" or "),r){case 1:e+=`The ${t[0]} argument`;break;case 2:e+=`The ${t[0]} and ${t[1]} arguments`;break;default:{const n=t.pop();e+=`The ${t.join(", ")}, and ${n} arguments`}break}return`${e} must be specified`},TypeError),be("ERR_OUT_OF_RANGE",(t,e,r)=>{at(e,'Missing "range" argument');let n;if(Number.isInteger(r)&&Math.abs(r)>2**32)n=Kn(String(r));else if(typeof r=="bigint"){n=String(r);const i=BigInt(2)**BigInt(32);(r>i||r<-i)&&(n=Kn(n)),n+="n"}else n=Jt(r);return`The value of "${t}" is out of range. It must be ${e}. Received ${n}`},RangeError),be("ERR_MULTIPLE_CALLBACK","Callback called multiple times",Error),be("ERR_METHOD_NOT_IMPLEMENTED","The %s method is not implemented",Error),be("ERR_STREAM_ALREADY_FINISHED","Cannot call %s after a stream was finished",Error),be("ERR_STREAM_CANNOT_PIPE","Cannot pipe, not readable",Error),be("ERR_STREAM_DESTROYED","Cannot call %s after a stream was destroyed",Error),be("ERR_STREAM_NULL_VALUES","May not write null values to stream",TypeError),be("ERR_STREAM_PREMATURE_CLOSE","Premature close",Error),be("ERR_STREAM_PUSH_AFTER_EOF","stream.push() after EOF",Error),be("ERR_STREAM_UNSHIFT_AFTER_END_EVENT","stream.unshift() after end event",Error),be("ERR_STREAM_WRITE_AFTER_END","write after end",Error),be("ERR_UNKNOWN_ENCODING","Unknown encoding: %s",TypeError);var xe={AbortError:vo,aggregateTwoErrors:Yn(To),hideStackFrames:Yn,codes:er},Ct={exports:{}},Xn;function Ot(){if(Xn)return Ct.exports;Xn=1;const{AbortController:t,AbortSignal:e}=typeof self<"u"?self:typeof window<"u"?window:void 0;return Ct.exports=t,Ct.exports.AbortSignal=e,Ct.exports.default=t,Ct.exports}var jr={exports:{}},St=typeof Reflect=="object"?Reflect:null,Zn=St&&typeof St.apply=="function"?St.apply:function(e,r,n){return Function.prototype.apply.call(e,r,n)},tr;St&&typeof St.ownKeys=="function"?tr=St.ownKeys:Object.getOwnPropertySymbols?tr=function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:tr=function(e){return Object.getOwnPropertyNames(e)};function No(t){console&&console.warn&&console.warn(t)}var Jn=Number.isNaN||function(e){return e!==e};function X(){X.init.call(this)}jr.exports=X,jr.exports.once=$o,X.EventEmitter=X,X.prototype._events=void 0,X.prototype._eventsCount=0,X.prototype._maxListeners=void 0;var ei=10;function rr(t){if(typeof t!="function")throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof t)}Object.defineProperty(X,"defaultMaxListeners",{enumerable:!0,get:function(){return ei},set:function(t){if(typeof t!="number"||t<0||Jn(t))throw new RangeError('The value of "defaultMaxListeners" is out of range. It must be a non-negative number. Received '+t+".");ei=t}}),X.init=function(){(this._events===void 0||this._events===Object.getPrototypeOf(this)._events)&&(this._events=Object.create(null),this._eventsCount=0),this._maxListeners=this._maxListeners||void 0},X.prototype.setMaxListeners=function(e){if(typeof e!="number"||e<0||Jn(e))throw new RangeError('The value of "n" is out of range. It must be a non-negative number. Received '+e+".");return this._maxListeners=e,this};function ti(t){return t._maxListeners===void 0?X.defaultMaxListeners:t._maxListeners}X.prototype.getMaxListeners=function(){return ti(this)},X.prototype.emit=function(e){for(var r=[],n=1;n<arguments.length;n++)r.push(arguments[n]);var i=e==="error",a=this._events;if(a!==void 0)i=i&&a.error===void 0;else if(!i)return!1;if(i){var l;if(r.length>0&&(l=r[0]),l instanceof Error)throw l;var u=new Error("Unhandled error."+(l?" ("+l.message+")":""));throw u.context=l,u}var p=a[e];if(p===void 0)return!1;if(typeof p=="function")Zn(p,this,r);else for(var _=p.length,y=oi(p,_),n=0;n<_;++n)Zn(y[n],this,r);return!0};function ri(t,e,r,n){var i,a,l;if(rr(r),a=t._events,a===void 0?(a=t._events=Object.create(null),t._eventsCount=0):(a.newListener!==void 0&&(t.emit("newListener",e,r.listener?r.listener:r),a=t._events),l=a[e]),l===void 0)l=a[e]=r,++t._eventsCount;else if(typeof l=="function"?l=a[e]=n?[r,l]:[l,r]:n?l.unshift(r):l.push(r),i=ti(t),i>0&&l.length>i&&!l.warned){l.warned=!0;var u=new Error("Possible EventEmitter memory leak detected. "+l.length+" "+String(e)+" listeners added. Use emitter.setMaxListeners() to increase limit");u.name="MaxListenersExceededWarning",u.emitter=t,u.type=e,u.count=l.length,No(u)}return t}X.prototype.addListener=function(e,r){return ri(this,e,r,!1)},X.prototype.on=X.prototype.addListener,X.prototype.prependListener=function(e,r){return ri(this,e,r,!0)};function Po(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,arguments.length===0?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function ni(t,e,r){var n={fired:!1,wrapFn:void 0,target:t,type:e,listener:r},i=Po.bind(n);return i.listener=r,n.wrapFn=i,i}X.prototype.once=function(e,r){return rr(r),this.on(e,ni(this,e,r)),this},X.prototype.prependOnceListener=function(e,r){return rr(r),this.prependListener(e,ni(this,e,r)),this},X.prototype.removeListener=function(e,r){var n,i,a,l,u;if(rr(r),i=this._events,i===void 0)return this;if(n=i[e],n===void 0)return this;if(n===r||n.listener===r)--this._eventsCount===0?this._events=Object.create(null):(delete i[e],i.removeListener&&this.emit("removeListener",e,n.listener||r));else if(typeof n!="function"){for(a=-1,l=n.length-1;l>=0;l--)if(n[l]===r||n[l].listener===r){u=n[l].listener,a=l;break}if(a<0)return this;a===0?n.shift():jo(n,a),n.length===1&&(i[e]=n[0]),i.removeListener!==void 0&&this.emit("removeListener",e,u||r)}return this},X.prototype.off=X.prototype.removeListener,X.prototype.removeAllListeners=function(e){var r,n,i;if(n=this._events,n===void 0)return this;if(n.removeListener===void 0)return arguments.length===0?(this._events=Object.create(null),this._eventsCount=0):n[e]!==void 0&&(--this._eventsCount===0?this._events=Object.create(null):delete n[e]),this;if(arguments.length===0){var a=Object.keys(n),l;for(i=0;i<a.length;++i)l=a[i],l!=="removeListener"&&this.removeAllListeners(l);return this.removeAllListeners("removeListener"),this._events=Object.create(null),this._eventsCount=0,this}if(r=n[e],typeof r=="function")this.removeListener(e,r);else if(r!==void 0)for(i=r.length-1;i>=0;i--)this.removeListener(e,r[i]);return this};function ii(t,e,r){var n=t._events;if(n===void 0)return[];var i=n[e];return i===void 0?[]:typeof i=="function"?r?[i.listener||i]:[i]:r?Lo(i):oi(i,i.length)}X.prototype.listeners=function(e){return ii(this,e,!0)},X.prototype.rawListeners=function(e){return ii(this,e,!1)},X.listenerCount=function(t,e){return typeof t.listenerCount=="function"?t.listenerCount(e):si.call(t,e)},X.prototype.listenerCount=si;function si(t){var e=this._events;if(e!==void 0){var r=e[t];if(typeof r=="function")return 1;if(r!==void 0)return r.length}return 0}X.prototype.eventNames=function(){return this._eventsCount>0?tr(this._events):[]};function oi(t,e){for(var r=new Array(e),n=0;n<e;++n)r[n]=t[n];return r}function jo(t,e){for(;e+1<t.length;e++)t[e]=t[e+1];t.pop()}function Lo(t){for(var e=new Array(t.length),r=0;r<e.length;++r)e[r]=t[r].listener||t[r];return e}function $o(t,e){return new Promise(function(r,n){function i(l){t.removeListener(e,a),n(l)}function a(){typeof t.removeListener=="function"&&t.removeListener("error",i),r([].slice.call(arguments))}ai(t,e,a,{once:!0}),e!=="error"&&Bo(t,i,{once:!0})})}function Bo(t,e,r){typeof t.on=="function"&&ai(t,"error",e,r)}function ai(t,e,r,n){if(typeof t.on=="function")n.once?t.once(e,r):t.on(e,r);else if(typeof t.addEventListener=="function")t.addEventListener(e,function i(a){n.once&&t.removeEventListener(e,i),r(a)});else throw new TypeError('The "emitter" argument must be of type EventEmitter. Received type '+typeof t)}var nr=jr.exports;(function(t){const e=Fe,{format:r,inspect:n}=Vn,{codes:{ERR_INVALID_ARG_TYPE:i}}=xe,{kResistStopPropagation:a,AggregateError:l,SymbolDispose:u}=oe,p=globalThis.AbortSignal||Ot().AbortSignal,_=globalThis.AbortController||Ot().AbortController,y=Object.getPrototypeOf(async function(){}).constructor,x=globalThis.Blob||e.Blob,I=typeof x<"u"?function(v){return v instanceof x}:function(v){return!1},S=(m,v)=>{if(m!==void 0&&(m===null||typeof m!="object"||!("aborted"in m)))throw new i(v,"AbortSignal",m)},R=(m,v)=>{if(typeof m!="function")throw new i(v,"Function",m)};t.exports={AggregateError:l,kEmptyObject:Object.freeze({}),once(m){let v=!1;return function(...$){v||(v=!0,m.apply(this,$))}},createDeferredPromise:function(){let m,v;return{promise:new Promise((B,T)=>{m=B,v=T}),resolve:m,reject:v}},promisify(m){return new Promise((v,$)=>{m((B,...T)=>B?$(B):v(...T))})},debuglog(){return function(){}},format:r,inspect:n,types:{isAsyncFunction(m){return m instanceof y},isArrayBufferView(m){return ArrayBuffer.isView(m)}},isBlob:I,deprecate(m,v){return m},addAbortListener:nr.addAbortListener||function(v,$){if(v===void 0)throw new i("signal","AbortSignal",v);S(v,"signal"),R($,"listener");let B;return v.aborted?queueMicrotask(()=>$()):(v.addEventListener("abort",$,{__proto__:null,once:!0,[a]:!0}),B=()=>{v.removeEventListener("abort",$)}),{__proto__:null,[u](){var T;(T=B)===null||T===void 0||T()}}},AbortSignalAny:p.any||function(v){if(v.length===1)return v[0];const $=new _,B=()=>$.abort();return v.forEach(T=>{S(T,"signals"),T.addEventListener("abort",B,{once:!0})}),$.signal.addEventListener("abort",()=>{v.forEach(T=>T.removeEventListener("abort",B))},{once:!0}),$.signal}},t.exports.promisify.custom=Symbol.for("nodejs.util.promisify.custom")})(Qn);var Se=Qn.exports,Lr={};const{ArrayIsArray:li,ArrayPrototypeIncludes:Fo,ArrayPrototypeJoin:ko,ArrayPrototypeMap:Co,NumberIsInteger:$r,NumberIsNaN:Ku,NumberMAX_SAFE_INTEGER:Oo,NumberMIN_SAFE_INTEGER:Mo,NumberParseInt:Yu,ObjectPrototypeHasOwnProperty:Do,RegExpPrototypeExec:Xu,String:Uo,StringPrototypeToUpperCase:Zu,StringPrototypeTrim:Ju}=oe,{hideStackFrames:Ne,codes:{ERR_SOCKET_BAD_PORT:ef,ERR_INVALID_ARG_TYPE:Pe,ERR_INVALID_ARG_VALUE:ui,ERR_OUT_OF_RANGE:It,ERR_UNKNOWN_SIGNAL:tf}}=xe,{normalizeEncoding:rf}=Se,{isAsyncFunction:Wo,isArrayBufferView:Go}=Se.types,zo=Ne((t,e,r=Mo,n=Oo)=>{if(typeof t!="number")throw new Pe(e,"number",t);if(!$r(t))throw new It(e,"an integer",t);if(t<r||t>n)throw new It(e,`>= ${r} && <= ${n}`,t)});Ne((t,e,r=-2147483648,n=2147483647)=>{if(typeof t!="number")throw new Pe(e,"number",t);if(!$r(t))throw new It(e,"an integer",t);if(t<r||t>n)throw new It(e,`>= ${r} && <= ${n}`,t)}),Ne((t,e,r=!1)=>{if(typeof t!="number")throw new Pe(e,"number",t);if(!$r(t))throw new It(e,"an integer",t);const n=r?1:0,i=4294967295;if(t<n||t>i)throw new It(e,`>= ${n} && <= ${i}`,t)}),Ne((t,e,r)=>{if(!Fo(r,t)){const i="must be one of: "+ko(Co(r,a=>typeof a=="string"?`'${a}'`:Uo(a)),", ");throw new ui(e,t,i)}});function qo(t,e){if(typeof t!="boolean")throw new Pe(e,"boolean",t)}function Br(t,e,r){return t==null||!Do(t,e)?r:t[e]}const Ho=Ne((t,e,r=null)=>{const n=Br(r,"allowArray",!1),i=Br(r,"allowFunction",!1);if(!Br(r,"nullable",!1)&&t===null||!n&&li(t)||typeof t!="object"&&(!i||typeof t!="function"))throw new Pe(e,"Object",t)});Ne((t,e)=>{if(t!=null&&typeof t!="object"&&typeof t!="function")throw new Pe(e,"a dictionary",t)}),Ne((t,e,r=0)=>{if(!li(t))throw new Pe(e,"Array",t);if(t.length<r){const n=`must be longer than ${r}`;throw new ui(e,t,n)}}),Ne((t,e="buffer")=>{if(!Go(t))throw new Pe(e,["Buffer","TypedArray","DataView"],t)});const Qo=Ne((t,e)=>{if(t!==void 0&&(t===null||typeof t!="object"||!("aborted"in t)))throw new Pe(e,"AbortSignal",t)}),Vo=Ne((t,e)=>{if(typeof t!="function")throw new Pe(e,"Function",t)});Ne((t,e)=>{if(typeof t!="function"||Wo(t))throw new Pe(e,"Function",t)}),Ne((t,e)=>{if(t!==void 0)throw new Pe(e,"undefined",t)});var Mt={validateBoolean:qo,validateFunction:Vo,validateInteger:zo,validateObject:Ho,validateAbortSignal:Qo},Fr={exports:{}},fi={exports:{}},de=fi.exports={},Ce,Oe;function kr(){throw new Error("setTimeout has not been defined")}function Cr(){throw new Error("clearTimeout has not been defined")}(function(){try{typeof setTimeout=="function"?Ce=setTimeout:Ce=kr}catch{Ce=kr}try{typeof clearTimeout=="function"?Oe=clearTimeout:Oe=Cr}catch{Oe=Cr}})();function ci(t){if(Ce===setTimeout)return setTimeout(t,0);if((Ce===kr||!Ce)&&setTimeout)return Ce=setTimeout,setTimeout(t,0);try{return Ce(t,0)}catch{try{return Ce.call(null,t,0)}catch{return Ce.call(this,t,0)}}}function Ko(t){if(Oe===clearTimeout)return clearTimeout(t);if((Oe===Cr||!Oe)&&clearTimeout)return Oe=clearTimeout,clearTimeout(t);try{return Oe(t)}catch{try{return Oe.call(null,t)}catch{return Oe.call(this,t)}}}var ze=[],Rt=!1,lt,ir=-1;function Yo(){!Rt||!lt||(Rt=!1,lt.length?ze=lt.concat(ze):ir=-1,ze.length&&di())}function di(){if(!Rt){var t=ci(Yo);Rt=!0;for(var e=ze.length;e;){for(lt=ze,ze=[];++ir<e;)lt&<[ir].run();ir=-1,e=ze.length}lt=null,Rt=!1,Ko(t)}}de.nextTick=function(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var r=1;r<arguments.length;r++)e[r-1]=arguments[r];ze.push(new hi(t,e)),ze.length===1&&!Rt&&ci(di)};function hi(t,e){this.fun=t,this.array=e}hi.prototype.run=function(){this.fun.apply(null,this.array)},de.title="browser",de.browser=!0,de.env={},de.argv=[],de.version="",de.versions={};function qe(){}de.on=qe,de.addListener=qe,de.once=qe,de.off=qe,de.removeListener=qe,de.removeAllListeners=qe,de.emit=qe,de.prependListener=qe,de.prependOnceListener=qe,de.listeners=function(t){return[]},de.binding=function(t){throw new Error("process.binding is not supported")},de.cwd=function(){return"/"},de.chdir=function(t){throw new Error("process.chdir is not supported")},de.umask=function(){return 0};var ut=fi.exports;const{SymbolAsyncIterator:pi,SymbolIterator:_i,SymbolFor:ft}=oe,bi=ft("nodejs.stream.destroyed"),Xo=ft("nodejs.stream.errored"),yi=ft("nodejs.stream.readable"),gi=ft("nodejs.stream.writable"),Zo=ft("nodejs.stream.disturbed"),Jo=ft("nodejs.webstream.isClosedPromise"),ea=ft("nodejs.webstream.controllerErrorFunction");function Or(t,e=!1){var r;return!!(t&&typeof t.pipe=="function"&&typeof t.on=="function"&&(!e||typeof t.pause=="function"&&typeof t.resume=="function")&&(!t._writableState||((r=t._readableState)===null||r===void 0?void 0:r.readable)!==!1)&&(!t._writableState||t._readableState))}function sr(t){var e;return!!(t&&typeof t.write=="function"&&typeof t.on=="function"&&(!t._readableState||((e=t._writableState)===null||e===void 0?void 0:e.writable)!==!1))}function ta(t){return!!(t&&typeof t.pipe=="function"&&t._readableState&&typeof t.on=="function"&&typeof t.write=="function")}function Me(t){return t&&(t._readableState||t._writableState||typeof t.write=="function"&&typeof t.on=="function"||typeof t.pipe=="function"&&typeof t.on=="function")}function wi(t){return!!(t&&!Me(t)&&typeof t.pipeThrough=="function"&&typeof t.getReader=="function"&&typeof t.cancel=="function")}function mi(t){return!!(t&&!Me(t)&&typeof t.getWriter=="function"&&typeof t.abort=="function")}function xi(t){return!!(t&&!Me(t)&&typeof t.readable=="object"&&typeof t.writable=="object")}function ra(t){return wi(t)||mi(t)||xi(t)}function na(t,e){return t==null?!1:e===!0?typeof t[pi]=="function":e===!1?typeof t[_i]=="function":typeof t[pi]=="function"||typeof t[_i]=="function"}function or(t){if(!Me(t))return null;const e=t._writableState,r=t._readableState,n=e||r;return!!(t.destroyed||t[bi]||n!=null&&n.destroyed)}function ia(t){if(!sr(t))return null;if(t.writableEnded===!0)return!0;const e=t._writableState;return e!=null&&e.errored?!1:typeof(e==null?void 0:e.ended)!="boolean"?null:e.ended}function sa(t,e){if(!sr(t))return null;if(t.writableFinished===!0)return!0;const r=t._writableState;return r!=null&&r.errored?!1:typeof(r==null?void 0:r.finished)!="boolean"?null:!!(r.finished||e===!1&&r.ended===!0&&r.length===0)}function Ei(t,e){if(!Or(t))return null;const r=t._readableState;return r!=null&&r.errored?!1:typeof(r==null?void 0:r.endEmitted)!="boolean"?null:!!(r.endEmitted||e===!1&&r.ended===!0&&r.length===0)}function Si(t){return t&&t[yi]!=null?t[yi]:typeof(t==null?void 0:t.readable)!="boolean"?null:or(t)?!1:Or(t)&&t.readable&&!Ei(t)}function Ii(t){return t&&t[gi]!=null?t[gi]:typeof(t==null?void 0:t.writable)!="boolean"?null:or(t)?!1:sr(t)&&t.writable&&!ia(t)}function oa(t,e){return Me(t)?or(t)?!0:!((e==null?void 0:e.readable)!==!1&&Si(t)||(e==null?void 0:e.writable)!==!1&&Ii(t)):null}function aa(t){var e,r;return Me(t)?t.writableErrored?t.writableErrored:(e=(r=t._writableState)===null||r===void 0?void 0:r.errored)!==null&&e!==void 0?e:null:null}function la(t){var e,r;return Me(t)?t.readableErrored?t.readableErrored:(e=(r=t._readableState)===null||r===void 0?void 0:r.errored)!==null&&e!==void 0?e:null:null}function ua(t){if(!Me(t))return null;if(typeof t.closed=="boolean")return t.closed;const e=t._writableState,r=t._readableState;return typeof(e==null?void 0:e.closed)=="boolean"||typeof(r==null?void 0:r.closed)=="boolean"?(e==null?void 0:e.closed)||(r==null?void 0:r.closed):typeof t._closed=="boolean"&&Ri(t)?t._closed:null}function Ri(t){return typeof t._closed=="boolean"&&typeof t._defaultKeepAlive=="boolean"&&typeof t._removedConnection=="boolean"&&typeof t._removedContLen=="boolean"}function fa(t){return typeof t._sent100=="boolean"&&Ri(t)}function ca(t){var e;return typeof t._consuming=="boolean"&&typeof t._dumped=="boolean"&&((e=t.req)===null||e===void 0?void 0:e.upgradeOrConnect)===void 0}function da(t){if(!Me(t))return null;const e=t._writableState,r=t._readableState,n=e||r;return!n&&fa(t)||!!(n&&n.autoDestroy&&n.emitClose&&n.closed===!1)}function ha(t){var e;return!!(t&&((e=t[Zo])!==null&&e!==void 0?e:t.readableDidRead||t.readableAborted))}function pa(t){var e,r,n,i,a,l,u,p,_,y;return!!(t&&((e=(r=(n=(i=(a=(l=t[Xo])!==null&&l!==void 0?l:t.readableErrored)!==null&&a!==void 0?a:t.writableErrored)!==null&&i!==void 0?i:(u=t._readableState)===null||u===void 0?void 0:u.errorEmitted)!==null&&n!==void 0?n:(p=t._writableState)===null||p===void 0?void 0:p.errorEmitted)!==null&&r!==void 0?r:(_=t._readableState)===null||_===void 0?void 0:_.errored)!==null&&e!==void 0?e:!((y=t._writableState)===null||y===void 0)&&y.errored))}var He={isDestroyed:or,kIsDestroyed:bi,isDisturbed:ha,isErrored:pa,isReadable:Si,kIsClosedPromise:Jo,kControllerErrorFunction:ea,isClosed:ua,isDuplexNodeStream:ta,isFinished:oa,isIterable:na,isReadableNodeStream:Or,isReadableStream:wi,isReadableFinished:Ei,isReadableErrored:la,isNodeStream:Me,isWebStream:ra,isWritable:Ii,isWritableNodeStream:sr,isWritableStream:mi,isWritableFinished:sa,isWritableErrored:aa,isServerRequest:ca,willEmitClose:da,isTransformStream:xi};const Ze=ut,{AbortError:Ai,codes:_a}=xe,{ERR_INVALID_ARG_TYPE:ba,ERR_STREAM_PREMATURE_CLOSE:Ti}=_a,{kEmptyObject:Mr,once:Dr}=Se,{validateAbortSignal:ya,validateFunction:ga,validateObject:wa,validateBoolean:ma}=Mt,{Promise:xa,PromisePrototypeThen:Ea,SymbolDispose:vi}=oe,{isClosed:Sa,isReadable:Ni,isReadableNodeStream:Ur,isReadableStream:Ia,isReadableFinished:Pi,isReadableErrored:ji,isWritable:Li,isWritableNodeStream:$i,isWritableStream:Ra,isWritableFinished:Bi,isWritableErrored:Fi,isNodeStream:Aa,willEmitClose:Ta,kIsClosedPromise:va}=He;let At;function Na(t){return t.setHeader&&typeof t.abort=="function"}const Wr=()=>{};function ki(t,e,r){var n,i;if(arguments.length===2?(r=e,e=Mr):e==null?e=Mr:wa(e,"options"),ga(r,"callback"),ya(e.signal,"options.signal"),r=Dr(r),Ia(t)||Ra(t))return Pa(t,e,r);if(!Aa(t))throw new ba("stream",["ReadableStream","WritableStream","Stream"],t);const a=(n=e.readable)!==null&&n!==void 0?n:Ur(t),l=(i=e.writable)!==null&&i!==void 0?i:$i(t),u=t._writableState,p=t._readableState,_=()=>{t.writable||I()};let y=Ta(t)&&Ur(t)===a&&$i(t)===l,x=Bi(t,!1);const I=()=>{x=!0,t.destroyed&&(y=!1),!(y&&(!t.readable||a))&&(!a||S)&&r.call(t)};let S=Pi(t,!1);const R=()=>{S=!0,t.destroyed&&(y=!1),!(y&&(!t.writable||l))&&(!l||x)&&r.call(t)},m=U=>{r.call(t,U)};let v=Sa(t);const $=()=>{v=!0;const U=Fi(t)||ji(t);if(U&&typeof U!="boolean")return r.call(t,U);if(a&&!S&&Ur(t,!0)&&!Pi(t,!1))return r.call(t,new Ti);if(l&&!x&&!Bi(t,!1))return r.call(t,new Ti);r.call(t)},B=()=>{v=!0;const U=Fi(t)||ji(t);if(U&&typeof U!="boolean")return r.call(t,U);r.call(t)},T=()=>{t.req.on("finish",I)};Na(t)?(t.on("complete",I),y||t.on("abort",$),t.req?T():t.on("request",T)):l&&!u&&(t.on("end",_),t.on("close",_)),!y&&typeof t.aborted=="boolean"&&t.on("aborted",$),t.on("end",R),t.on("finish",I),e.error!==!1&&t.on("error",m),t.on("close",$),v?Ze.nextTick($):u!=null&&u.errorEmitted||p!=null&&p.errorEmitted?y||Ze.nextTick(B):(!a&&(!y||Ni(t))&&(x||Li(t)===!1)||!l&&(!y||Li(t))&&(S||Ni(t)===!1)||p&&t.req&&t.aborted)&&Ze.nextTick(B);const q=()=>{r=Wr,t.removeListener("aborted",$),t.removeListener("complete",I),t.removeListener("abort",$),t.removeListener("request",T),t.req&&t.req.removeListener("finish",I),t.removeListener("end",_),t.removeListener("close",_),t.removeListener("finish",I),t.removeListener("end",R),t.removeListener("error",m),t.removeListener("close",$)};if(e.signal&&!v){const U=()=>{const ae=r;q(),ae.call(t,new Ai(void 0,{cause:e.signal.reason}))};if(e.signal.aborted)Ze.nextTick(U);else{At=At||Se.addAbortListener;const ae=At(e.signal,U),Ee=r;r=Dr((...ee)=>{ae[vi](),Ee.apply(t,ee)})}}return q}function Pa(t,e,r){let n=!1,i=Wr;if(e.signal)if(i=()=>{n=!0,r.call(t,new Ai(void 0,{cause:e.signal.reason}))},e.signal.aborted)Ze.nextTick(i);else{At=At||Se.addAbortListener;const l=At(e.signal,i),u=r;r=Dr((...p)=>{l[vi](),u.apply(t,p)})}const a=(...l)=>{n||Ze.nextTick(()=>r.apply(t,l))};return Ea(t[va].promise,a,a),Wr}function ja(t,e){var r;let n=!1;return e===null&&(e=Mr),(r=e)!==null&&r!==void 0&&r.cleanup&&(ma(e.cleanup,"cleanup"),n=e.cleanup),new xa((i,a)=>{const l=ki(t,e,u=>{n&&l(),u?a(u):i()})})}Fr.exports=ki,Fr.exports.finished=ja;var Je=Fr.exports;const De=ut,{aggregateTwoErrors:La,codes:{ERR_MULTIPLE_CALLBACK:$a},AbortError:Ba}=xe,{Symbol:Ci}=oe,{kIsDestroyed:Fa,isDestroyed:ka,isFinished:Ca,isServerRequest:Oa}=He,Oi=Ci("kDestroy"),Gr=Ci("kConstruct");function Mi(t,e,r){t&&(t.stack,e&&!e.errored&&(e.errored=t),r&&!r.errored&&(r.errored=t))}function Ma(t,e){const r=this._readableState,n=this._writableState,i=n||r;return n!=null&&n.destroyed||r!=null&&r.destroyed?(typeof e=="function"&&e(),this):(Mi(t,n,r),n&&(n.destroyed=!0),r&&(r.destroyed=!0),i.constructed?Di(this,t,e):this.once(Oi,function(a){Di(this,La(a,t),e)}),this)}function Di(t,e,r){let n=!1;function i(a){if(n)return;n=!0;const l=t._readableState,u=t._writableState;Mi(a,u,l),u&&(u.closed=!0),l&&(l.closed=!0),typeof r=="function"&&r(a),a?De.nextTick(Da,t,a):De.nextTick(Ui,t)}try{t._destroy(e||null,i)}catch(a){i(a)}}function Da(t,e){zr(t,e),Ui(t)}function Ui(t){const e=t._readableState,r=t._writableState;r&&(r.closeEmitted=!0),e&&(e.closeEmitted=!0),(r!=null&&r.emitClose||e!=null&&e.emitClose)&&t.emit("close")}function zr(t,e){const r=t._readableState,n=t._writableState;n!=null&&n.errorEmitted||r!=null&&r.errorEmitted||(n&&(n.errorEmitted=!0),r&&(r.errorEmitted=!0),t.emit("error",e))}function Ua(){const t=this._readableState,e=this._writableState;t&&(t.constructed=!0,t.closed=!1,t.closeEmitted=!1,t.destroyed=!1,t.errored=null,t.errorEmitted=!1,t.reading=!1,t.ended=t.readable===!1,t.endEmitted=t.readable===!1),e&&(e.constructed=!0,e.destroyed=!1,e.closed=!1,e.closeEmitted=!1,e.errored=null,e.errorEmitted=!1,e.finalCalled=!1,e.prefinished=!1,e.ended=e.writable===!1,e.ending=e.writable===!1,e.finished=e.writable===!1)}function qr(t,e,r){const n=t._readableState,i=t._writableState;if(i!=null&&i.destroyed||n!=null&&n.destroyed)return this;n!=null&&n.autoDestroy||i!=null&&i.autoDestroy?t.destroy(e):e&&(e.stack,i&&!i.errored&&(i.errored=e),n&&!n.errored&&(n.errored=e),r?De.nextTick(zr,t,e):zr(t,e))}function Wa(t,e){if(typeof t._construct!="function")return;const r=t._readableState,n=t._writableState;r&&(r.constructed=!1),n&&(n.constructed=!1),t.once(Gr,e),!(t.listenerCount(Gr)>1)&&De.nextTick(Ga,t)}function Ga(t){let e=!1;function r(n){if(e){qr(t,n??new $a);return}e=!0;const i=t._readableState,a=t._writableState,l=a||i;i&&(i.constructed=!0),a&&(a.constructed=!0),l.destroyed?t.emit(Oi,n):n?qr(t,n,!0):De.nextTick(za,t)}try{t._construct(n=>{De.nextTick(r,n)})}catch(n){De.nextTick(r,n)}}function za(t){t.emit(Gr)}function Wi(t){return(t==null?void 0:t.setHeader)&&typeof t.abort=="function"}function Gi(t){t.emit("close")}function qa(t,e){t.emit("error",e),De.nextTick(Gi,t)}function Ha(t,e){!t||ka(t)||(!e&&!Ca(t)&&(e=new Ba),Oa(t)?(t.socket=null,t.destroy(e)):Wi(t)?t.abort():Wi(t.req)?t.req.abort():typeof t.destroy=="function"?t.destroy(e):typeof t.close=="function"?t.close():e?De.nextTick(qa,t,e):De.nextTick(Gi,t),t.destroyed||(t[Fa]=!0))}var Tt={construct:Wa,destroyer:Ha,destroy:Ma,undestroy:Ua,errorOrDestroy:qr};const{ArrayIsArray:Qa,ObjectSetPrototypeOf:zi}=oe,{EventEmitter:ar}=nr;function lr(t){ar.call(this,t)}zi(lr.prototype,ar.prototype),zi(lr,ar),lr.prototype.pipe=function(t,e){const r=this;function n(y){t.writable&&t.write(y)===!1&&r.pause&&r.pause()}r.on("data",n);function i(){r.readable&&r.resume&&r.resume()}t.on("drain",i),!t._isStdio&&(!e||e.end!==!1)&&(r.on("end",l),r.on("close",u));let a=!1;function l(){a||(a=!0,t.end())}function u(){a||(a=!0,typeof t.destroy=="function"&&t.destroy())}function p(y){_(),ar.listenerCount(this,"error")===0&&this.emit("error",y)}Hr(r,"error",p),Hr(t,"error",p);function _(){r.removeListener("data",n),t.removeListener("drain",i),r.removeListener("end",l),r.removeListener("close",u),r.removeListener("error",p),t.removeListener("error",p),r.removeListener("end",_),r.removeListener("close",_),t.removeListener("close",_)}return r.on("end",_),r.on("close",_),t.on("close",_),t.emit("pipe",r),t};function Hr(t,e,r){if(typeof t.prependListener=="function")return t.prependListener(e,r);!t._events||!t._events[e]?t.on(e,r):Qa(t._events[e])?t._events[e].unshift(r):t._events[e]=[r,t._events[e]]}var Qr={Stream:lr,prependListener:Hr},qi={exports:{}};(function(t){const{SymbolDispose:e}=oe,{AbortError:r,codes:n}=xe,{isNodeStream:i,isWebStream:a,kControllerErrorFunction:l}=He,u=Je,{ERR_INVALID_ARG_TYPE:p}=n;let _;const y=(x,I)=>{if(typeof x!="object"||!("aborted"in x))throw new p(I,"AbortSignal",x)};t.exports.addAbortSignal=function(I,S){if(y(I,"signal"),!i(S)&&!a(S))throw new p("stream",["ReadableStream","WritableStream","Stream"],S);return t.exports.addAbortSignalNoValidate(I,S)},t.exports.addAbortSignalNoValidate=function(x,I){if(typeof x!="object"||!("aborted"in x))return I;const S=i(I)?()=>{I.destroy(new r(void 0,{cause:x.reason}))}:()=>{I[l](new r(void 0,{cause:x.reason}))};if(x.aborted)S();else{_=_||Se.addAbortListener;const R=_(x,S);u(I,R[e])}return I}})(qi);var ur=qi.exports;const{StringPrototypeSlice:Hi,SymbolIterator:Va,TypedArrayPrototypeSet:fr,Uint8Array:Ka}=oe,{Buffer:Vr}=Fe,{inspect:Ya}=Se;var Xa=class{constructor(){this.head=null,this.tail=null,this.length=0}push(e){const r={data:e,next:null};this.length>0?this.tail.next=r:this.head=r,this.tail=r,++this.length}unshift(e){const r={data:e,next:this.head};this.length===0&&(this.tail=r),this.head=r,++this.length}shift(){if(this.length===0)return;const e=this.head.data;return this.length===1?this.head=this.tail=null:this.head=this.head.next,--this.length,e}clear(){this.head=this.tail=null,this.length=0}join(e){if(this.length===0)return"";let r=this.head,n=""+r.data;for(;(r=r.next)!==null;)n+=e+r.data;return n}concat(e){if(this.length===0)return Vr.alloc(0);const r=Vr.allocUnsafe(e>>>0);let n=this.head,i=0;for(;n;)fr(r,n.data,i),i+=n.data.length,n=n.next;return r}consume(e,r){const n=this.head.data;if(e<n.length){const i=n.slice(0,e);return this.head.data=n.slice(e),i}return e===n.length?this.shift():r?this._getString(e):this._getBuffer(e)}first(){return this.head.data}*[Va](){for(let e=this.head;e;e=e.next)yield e.data}_getString(e){let r="",n=this.head,i=0;do{const a=n.data;if(e>a.length)r+=a,e-=a.length;else{e===a.length?(r+=a,++i,n.next?this.head=n.next:this.head=this.tail=null):(r+=Hi(a,0,e),this.head=n,n.data=Hi(a,e));break}++i}while((n=n.next)!==null);return this.length-=i,r}_getBuffer(e){const r=Vr.allocUnsafe(e),n=e;let i=this.head,a=0;do{const l=i.data;if(e>l.length)fr(r,l,n-e),e-=l.length;else{e===l.length?(fr(r,l,n-e),++a,i.next?this.head=i.next:this.head=this.tail=null):(fr(r,new Ka(l.buffer,l.byteOffset,e),n-e),this.head=i,i.data=l.slice(e));break}++a}while((i=i.next)!==null);return this.length-=a,r}[Symbol.for("nodejs.util.inspect.custom")](e,r){return Ya(this,{...r,depth:0,customInspect:!1})}};const{MathFloor:Za,NumberIsInteger:Ja}=oe,{validateInteger:el}=Mt,{ERR_INVALID_ARG_VALUE:tl}=xe.codes;let Qi=16*1024,Vi=16;function rl(t,e,r){return t.highWaterMark!=null?t.highWaterMark:e?t[r]:null}function Ki(t){return t?Vi:Qi}function nl(t,e){el(e,"value",0),t?Vi=e:Qi=e}function il(t,e,r,n){const i=rl(e,n,r);if(i!=null){if(!Ja(i)||i<0){const a=n?`options.${r}`:"options.highWaterMark";throw new tl(a,i)}return Za(i)}return Ki(t.objectMode)}var cr={getHighWaterMark:il,getDefaultHighWaterMark:Ki,setDefaultHighWaterMark:nl},Yi={},Kr={exports:{}};/*! safe-buffer. MIT License. Feross Aboukhadijeh <https://feross.org/opensource> */(function(t,e){var r=Fe,n=r.Buffer;function i(l,u){for(var p in l)u[p]=l[p]}n.from&&n.alloc&&n.allocUnsafe&&n.allocUnsafeSlow?t.exports=r:(i(r,e),e.Buffer=a);function a(l,u,p){return n(l,u,p)}a.prototype=Object.create(n.prototype),i(n,a),a.from=function(l,u,p){if(typeof l=="number")throw new TypeError("Argument must not be a number");return n(l,u,p)},a.alloc=function(l,u,p){if(typeof l!="number")throw new TypeError("Argument must be a number");var _=n(l);return u!==void 0?typeof p=="string"?_.fill(u,p):_.fill(u):_.fill(0),_},a.allocUnsafe=function(l){if(typeof l!="number")throw new TypeError("Argument must be a number");return n(l)},a.allocUnsafeSlow=function(l){if(typeof l!="number")throw new TypeError("Argument must be a number");return r.SlowBuffer(l)}})(Kr,Kr.exports);var sl=Kr.exports,Yr=sl.Buffer,Xi=Yr.isEncoding||function(t){switch(t=""+t,t&&t.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!0;default:return!1}};function ol(t){if(!t)return"utf8";for(var e;;)switch(t){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 t;default:if(e)return;t=(""+t).toLowerCase(),e=!0}}function al(t){var e=ol(t);if(typeof e!="string"&&(Yr.isEncoding===Xi||!Xi(t)))throw new Error("Unknown encoding: "+t);return e||t}Yi.StringDecoder=Dt;function Dt(t){this.encoding=al(t);var e;switch(this.encoding){case"utf16le":this.text=hl,this.end=pl,e=4;break;case"utf8":this.fillLast=fl,e=4;break;case"base64":this.text=_l,this.end=bl,e=3;break;default:this.write=yl,this.end=gl;return}this.lastNeed=0,this.lastTotal=0,this.lastChar=Yr.allocUnsafe(e)}Dt.prototype.write=function(t){if(t.length===0)return"";var e,r;if(this.lastNeed){if(e=this.fillLast(t),e===void 0)return"";r=this.lastNeed,this.lastNeed=0}else r=0;return r<t.length?e?e+this.text(t,r):this.text(t,r):e||""},Dt.prototype.end=dl,Dt.prototype.text=cl,Dt.prototype.fillLast=function(t){if(this.lastNeed<=t.length)return t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal);t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,t.length),this.lastNeed-=t.length};function Xr(t){return t<=127?0:t>>5===6?2:t>>4===14?3:t>>3===30?4:t>>6===2?-1:-2}function ll(t,e,r){var n=e.length-1;if(n<r)return 0;var i=Xr(e[n]);return i>=0?(i>0&&(t.lastNeed=i-1),i):--n<r||i===-2?0:(i=Xr(e[n]),i>=0?(i>0&&(t.lastNeed=i-2),i):--n<r||i===-2?0:(i=Xr(e[n]),i>=0?(i>0&&(i===2?i=0:t.lastNeed=i-3),i):0))}function ul(t,e,r){if((e[0]&192)!==128)return t.lastNeed=0,"�";if(t.lastNeed>1&&e.length>1){if((e[1]&192)!==128)return t.lastNeed=1,"�";if(t.lastNeed>2&&e.length>2&&(e[2]&192)!==128)return t.lastNeed=2,"�"}}function fl(t){var e=this.lastTotal-this.lastNeed,r=ul(this,t);if(r!==void 0)return r;if(this.lastNeed<=t.length)return t.copy(this.lastChar,e,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal);t.copy(this.lastChar,e,0,t.length),this.lastNeed-=t.length}function cl(t,e){var r=ll(this,t,e);if(!this.lastNeed)return t.toString("utf8",e);this.lastTotal=r;var n=t.length-(r-this.lastNeed);return t.copy(this.lastChar,0,n),t.toString("utf8",e,n)}function dl(t){var e=t&&t.length?this.write(t):"";return this.lastNeed?e+"�":e}function hl(t,e){if((t.length-e)%2===0){var r=t.toString("utf16le",e);if(r){var n=r.charCodeAt(r.length-1);if(n>=55296&&n<=56319)return this.lastNeed=2,this.lastTotal=4,this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1],r.slice(0,-1)}return r}return this.lastNeed=1,this.lastTotal=2,this.lastChar[0]=t[t.length-1],t.toString("utf16le",e,t.length-1)}function pl(t){var e=t&&t.length?this.write(t):"";if(this.lastNeed){var r=this.lastTotal-this.lastNeed;return e+this.lastChar.toString("utf16le",0,r)}return e}function _l(t,e){var r=(t.length-e)%3;return r===0?t.toString("base64",e):(this.lastNeed=3-r,this.lastTotal=3,r===1?this.lastChar[0]=t[t.length-1]:(this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1]),t.toString("base64",e,t.length-r))}function bl(t){var e=t&&t.length?this.write(t):"";return this.lastNeed?e+this.lastChar.toString("base64",0,3-this.lastNeed):e}function yl(t){return t.toString(this.encoding)}function gl(t){return t&&t.length?this.write(t):""}const Zi=ut,{PromisePrototypeThen:wl,SymbolAsyncIterator:Ji,SymbolIterator:es}=oe,{Buffer:ml}=Fe,{ERR_INVALID_ARG_TYPE:xl,ERR_STREAM_NULL_VALUES:El}=xe.codes;function Sl(t,e,r){let n;if(typeof e=="string"||e instanceof ml)return new t({objectMode:!0,...r,read(){this.push(e),this.push(null)}});let i;if(e&&e[Ji])i=!0,n=e[Ji]();else if(e&&e[es])i=!1,n=e[es]();else throw new xl("iterable",["Iterable"],e);const a=new t({objectMode:!0,highWaterMark:1,...r});let l=!1;a._read=function(){l||(l=!0,p())},a._destroy=function(_,y){wl(u(_),()=>Zi.nextTick(y,_),x=>Zi.nextTick(y,x||_))};async function u(_){const y=_!=null,x=typeof n.throw=="function";if(y&&x){const{value:I,done:S}=await n.throw(_);if(await I,S)return}if(typeof n.return=="function"){const{value:I}=await n.return();await I}}async function p(){for(;;){try{const{value:_,done:y}=i?await n.next():n.next();if(y)a.push(null);else{const x=_&&typeof _.then=="function"?await _:_;if(x===null)throw l=!1,new El;if(a.push(x))continue;l=!1}}catch(_){a.destroy(_)}break}}return a}var ts=Sl,Zr,rs;function dr(){if(rs)return Zr;rs=1;const t=ut,{ArrayPrototypeIndexOf:e,NumberIsInteger:r,NumberIsNaN:n,NumberParseInt:i,ObjectDefineProperties:a,ObjectKeys:l,ObjectSetPrototypeOf:u,Promise:p,SafeSet:_,SymbolAsyncDispose:y,SymbolAsyncIterator:x,Symbol:I}=oe;Zr=O,O.ReadableState=Re;const{EventEmitter:S}=nr,{Stream:R,prependListener:m}=Qr,{Buffer:v}=Fe,{addAbortSignal:$}=ur,B=Je;let T=Se.debuglog("stream",c=>{T=c});const q=Xa,U=Tt,{getHighWaterMark:ae,getDefaultHighWaterMark:Ee}=cr,{aggregateTwoErrors:ee,codes:{ERR_INVALID_ARG_TYPE:le,ERR_METHOD_NOT_IMPLEMENTED:ge,ERR_OUT_OF_RANGE:we,ERR_STREAM_PUSH_AFTER_EOF:Q,ERR_STREAM_UNSHIFT_AFTER_END_EVENT:P},AbortError:K}=xe,{validateObject:G}=Mt,H=I("kPaused"),{StringDecoder:ue}=Yi,fe=ts;u(O.prototype,R.prototype),u(O,R);const re=()=>{},{errorOrDestroy:ce}=U,D=1,ne=2,M=4,he=8,Te=16,tt=32,Ke=64,je=128,Ye=256,Pt=512,_t=1024,rt=2048,g=4096,w=8192,N=16384,C=32768,F=65536,Z=1<<17,te=1<<18;function Y(c){return{enumerable:!1,get(){return(this.state&c)!==0},set(h){h?this.state|=c:this.state&=~c}}}a(Re.prototype,{objectMode:Y(D),ended:Y(ne),endEmitted:Y(M),reading:Y(he),constructed:Y(Te),sync:Y(tt),needReadable:Y(Ke),emittedReadable:Y(je),readableListening:Y(Ye),resumeScheduled:Y(Pt),errorEmitted:Y(_t),emitClose:Y(rt),autoDestroy:Y(g),destroyed:Y(w),closed:Y(N),closeEmitted:Y(C),multiAwaitDrain:Y(F),readingMore:Y(Z),dataEmitted:Y(te)});function Re(c,h,j){typeof j!="boolean"&&(j=h instanceof Qe()),this.state=rt|g|Te|tt,c&&c.objectMode&&(this.state|=D),j&&c&&c.readableObjectMode&&(this.state|=D),this.highWaterMark=c?ae(this,c,"readableHighWaterMark",j):Ee(!1),this.buffer=new q,this.length=0,this.pipes=[],this.flowing=null,this[H]=null,c&&c.emitClose===!1&&(this.state&=-2049),c&&c.autoDestroy===!1&&(this.state&=-4097),this.errored=null,this.defaultEncoding=c&&c.defaultEncoding||"utf8",this.awaitDrainWriters=null,this.decoder=null,this.encoding=null,c&&c.encoding&&(this.decoder=new ue(c.encoding),this.encoding=c.encoding)}function O(c){if(!(this instanceof O))return new O(c);const h=this instanceof Qe();this._readableState=new Re(c,this,h),c&&(typeof c.read=="function"&&(this._read=c.read),typeof c.destroy=="function"&&(this._destroy=c.destroy),typeof c.construct=="function"&&(this._construct=c.construct),c.signal&&!h&&$(c.signal,this)),R.call(this,c),U.construct(this,()=>{this._readableState.needReadable&&b(this,this._readableState)})}O.prototype.destroy=U.destroy,O.prototype._undestroy=U.undestroy,O.prototype._destroy=function(c,h){h(c)},O.prototype[S.captureRejectionSymbol]=function(c){this.destroy(c)},O.prototype[y]=function(){let c;return this.destroyed||(c=this.readableEnded?null:new K,this.destroy(c)),new p((h,j)=>B(this,L=>L&&L!==c?j(L):h(null)))},O.prototype.push=function(c,h){return Le(this,c,h,!1)},O.prototype.unshift=function(c,h){return Le(this,c,h,!0)};function Le(c,h,j,L){T("readableAddChunk",h);const k=c._readableState;let me;if((k.state&D)===0&&(typeof h=="string"?(j=j||k.defaultEncoding,k.encoding!==j&&(L&&k.encoding?h=v.from(h,j).toString(k.encoding):(h=v.from(h,j),j=""))):h instanceof v?j="":R._isUint8Array(h)?(h=R._uint8ArrayToBuffer(h),j=""):h!=null&&(me=new le("chunk",["string","Buffer","Uint8Array"],h))),me)ce(c,me);else if(h===null)k.state&=-9,s(c,k);else if((k.state&D)!==0||h&&h.length>0)if(L)if((k.state&M)!==0)ce(c,new P);else{if(k.destroyed||k.errored)return!1;Qt(c,k,h,!0)}else if(k.ended)ce(c,new Q);else{if(k.destroyed||k.errored)return!1;k.state&=-9,k.decoder&&!j?(h=k.decoder.write(h),k.objectMode||h.length!==0?Qt(c,k,h,!1):b(c,k)):Qt(c,k,h,!1)}else L||(k.state&=-9,b(c,k));return!k.ended&&(k.length<k.highWaterMark||k.length===0)}function Qt(c,h,j,L){h.flowing&&h.length===0&&!h.sync&&c.listenerCount("data")>0?((h.state&F)!==0?h.awaitDrainWriters.clear():h.awaitDrainWriters=null,h.dataEmitted=!0,c.emit("data",j)):(h.length+=h.objectMode?1:j.length,L?h.buffer.unshift(j):h.buffer.push(j),(h.state&Ke)!==0&&o(c)),b(c,h)}O.prototype.isPaused=function(){const c=this._readableState;return c[H]===!0||c.flowing===!1},O.prototype.setEncoding=function(c){const h=new ue(c);this._readableState.decoder=h,this._readableState.encoding=this._readableState.decoder.encoding;const j=this._readableState.buffer;let L="";for(const k of j)L+=h.write(k);return j.clear(),L!==""&&j.push(L),this._readableState.length=L.length,this};const Ge=1073741824;function En(c){if(c>Ge)throw new we("size","<= 1GiB",c);return c--,c|=c>>>1,c|=c>>>2,c|=c>>>4,c|=c>>>8,c|=c>>>16,c++,c}function f(c,h){return c<=0||h.length===0&&h.ended?0:(h.state&D)!==0?1:n(c)?h.flowing&&h.length?h.buffer.first().length:h.length:c<=h.length?c:h.ended?h.length:0}O.prototype.read=function(c){T("read",c),c===void 0?c=NaN:r(c)||(c=i(c,10));const h=this._readableState,j=c;if(c>h.highWaterMark&&(h.highWaterMark=En(c)),c!==0&&(h.state&=-129),c===0&&h.needReadable&&((h.highWaterMark!==0?h.length>=h.highWaterMark:h.length>0)||h.ended))return T("read: emitReadable",h.length,h.ended),h.length===0&&h.ended?Sn(this):o(this),null;if(c=f(c,h),c===0&&h.ended)return h.length===0&&Sn(this),null;let L=(h.state&Ke)!==0;if(T("need readable",L),(h.length===0||h.length-c<h.highWaterMark)&&(L=!0,T("length less than watermark",L)),h.ended||h.reading||h.destroyed||h.errored||!h.constructed)L=!1,T("reading, ended or constructing",L);else if(L){T("do read"),h.state|=he|tt,h.length===0&&(h.state|=Ke);try{this._read(h.highWaterMark)}catch(me){ce(this,me)}h.state&=-33,h.reading||(c=f(j,h))}let k;return c>0?k=Us(c,h):k=null,k===null?(h.needReadable=h.length<=h.highWaterMark,c=0):(h.length-=c,h.multiAwaitDrain?h.awaitDrainWriters.clear():h.awaitDrainWriters=null),h.length===0&&(h.ended||(h.needReadable=!0),j!==c&&h.ended&&Sn(this)),k!==null&&!h.errorEmitted&&!h.closeEmitted&&(h.dataEmitted=!0,this.emit("data",k)),k};function s(c,h){if(T("onEofChunk"),!h.ended){if(h.decoder){const j=h.decoder.end();j&&j.length&&(h.buffer.push(j),h.length+=h.objectMode?1:j.length)}h.ended=!0,h.sync?o(c):(h.needReadable=!1,h.emittedReadable=!0,d(c))}}function o(c){const h=c._readableState;T("emitReadable",h.needReadable,h.emittedReadable),h.needReadable=!1,h.emittedReadable||(T("emitReadable",h.flowing),h.emittedReadable=!0,t.nextTick(d,c))}function d(c){const h=c._readableState;T("emitReadable_",h.destroyed,h.length,h.ended),!h.destroyed&&!h.errored&&(h.length||h.ended)&&(c.emit("readable"),h.emittedReadable=!1),h.needReadable=!h.flowing&&!h.ended&&h.length<=h.highWaterMark,V(c)}function b(c,h){!h.readingMore&&h.constructed&&(h.readingMore=!0,t.nextTick(E,c,h))}function E(c,h){for(;!h.reading&&!h.ended&&(h.length<h.highWaterMark||h.flowing&&h.length===0);){const j=h.length;if(T("maybeReadMore read 0"),c.read(0),j===h.length)break}h.readingMore=!1}O.prototype._read=function(c){throw new ge("_read()")},O.prototype.pipe=function(c,h){const j=this,L=this._readableState;L.pipes.length===1&&(L.multiAwaitDrain||(L.multiAwaitDrain=!0,L.awaitDrainWriters=new _(L.awaitDrainWriters?[L.awaitDrainWriters]:[]))),L.pipes.push(c),T("pipe count=%d opts=%j",L.pipes.length,h);const me=(!h||h.end!==!1)&&c!==t.stdout&&c!==t.stderr?Gs:Vt;L.endEmitted?t.nextTick(me):j.once("end",me),c.on("unpipe",$e);function $e(yt,Xe){T("onunpipe"),yt===j&&Xe&&Xe.hasUnpiped===!1&&(Xe.hasUnpiped=!0,qu())}function Gs(){T("onend"),c.end()}let bt,zs=!1;function qu(){T("cleanup"),c.removeListener("close",An),c.removeListener("finish",Tn),bt&&c.removeListener("drain",bt),c.removeListener("error",Rn),c.removeListener("unpipe",$e),j.removeListener("end",Gs),j.removeListener("end",Vt),j.removeListener("data",Hs),zs=!0,bt&&L.awaitDrainWriters&&(!c._writableState||c._writableState.needDrain)&&bt()}function qs(){zs||(L.pipes.length===1&&L.pipes[0]===c?(T("false write response, pause",0),L.awaitDrainWriters=c,L.multiAwaitDrain=!1):L.pipes.length>1&&L.pipes.includes(c)&&(T("false write response, pause",L.awaitDrainWriters.size),L.awaitDrainWriters.add(c)),j.pause()),bt||(bt=A(j,c),c.on("drain",bt))}j.on("data",Hs);function Hs(yt){T("ondata");const Xe=c.write(yt);T("dest.write",Xe),Xe===!1&&qs()}function Rn(yt){if(T("onerror",yt),Vt(),c.removeListener("error",Rn),c.listenerCount("error")===0){const Xe=c._writableState||c._readableState;Xe&&!Xe.errorEmitted?ce(c,yt):c.emit("error",yt)}}m(c,"error",Rn);function An(){c.removeListener("finish",Tn),Vt()}c.once("close",An);function Tn(){T("onfinish"),c.removeListener("close",An),Vt()}c.once("finish",Tn);function Vt(){T("unpipe"),j.unpipe(c)}return c.emit("pipe",j),c.writableNeedDrain===!0?qs():L.flowing||(T("pipe resume"),j.resume()),c};function A(c,h){return function(){const L=c._readableState;L.awaitDrainWriters===h?(T("pipeOnDrain",1),L.awaitDrainWriters=null):L.multiAwaitDrain&&(T("pipeOnDrain",L.awaitDrainWriters.size),L.awaitDrainWriters.delete(h)),(!L.awaitDrainWriters||L.awaitDrainWriters.size===0)&&c.listenerCount("data")&&c.resume()}}O.prototype.unpipe=function(c){const h=this._readableState,j={hasUnpiped:!1};if(h.pipes.length===0)return this;if(!c){const k=h.pipes;h.pipes=[],this.pause();for(let me=0;me<k.length;me++)k[me].emit("unpipe",this,{hasUnpiped:!1});return this}const L=e(h.pipes,c);return L===-1?this:(h.pipes.splice(L,1),h.pipes.length===0&&this.pause(),c.emit("unpipe",this,j),this)},O.prototype.on=function(c,h){const j=R.prototype.on.call(this,c,h),L=this._readableState;return c==="data"?(L.readableListening=this.listenerCount("readable")>0,L.flowing!==!1&&this.resume()):c==="readable"&&!L.endEmitted&&!L.readableListening&&(L.readableListening=L.needReadable=!0,L.flowing=!1,L.emittedReadable=!1,T("on readable",L.length,L.reading),L.length?o(this):L.reading||t.nextTick(ie,this)),j},O.prototype.addListener=O.prototype.on,O.prototype.removeListener=function(c,h){const j=R.prototype.removeListener.call(this,c,h);return c==="readable"&&t.nextTick(W,this),j},O.prototype.off=O.prototype.removeListener,O.prototype.removeAllListeners=function(c){const h=R.prototype.removeAllListeners.apply(this,arguments);return(c==="readable"||c===void 0)&&t.nextTick(W,this),h};function W(c){const h=c._readableState;h.readableListening=c.listenerCount("readable")>0,h.resumeScheduled&&h[H]===!1?h.flowing=!0:c.listenerCount("data")>0?c.resume():h.readableListening||(h.flowing=null)}function ie(c){T("readable nexttick read 0"),c.read(0)}O.prototype.resume=function(){const c=this._readableState;return c.flowing||(T("resume"),c.flowing=!c.readableListening,J(this,c)),c[H]=!1,this};function J(c,h){h.resumeScheduled||(h.resumeScheduled=!0,t.nextTick(se,c,h))}function se(c,h){T("resume",h.reading),h.reading||c.read(0),h.resumeScheduled=!1,c.emit("resume"),V(c),h.flowing&&!h.reading&&c.read(0)}O.prototype.pause=function(){return T("call pause flowing=%j",this._readableState.flowing),this._readableState.flowing!==!1&&(T("pause"),this._readableState.flowing=!1,this.emit("pause")),this._readableState[H]=!0,this};function V(c){const h=c._readableState;for(T("flow",h.flowing);h.flowing&&c.read()!==null;);}O.prototype.wrap=function(c){let h=!1;c.on("data",L=>{!this.push(L)&&c.pause&&(h=!0,c.pause())}),c.on("end",()=>{this.push(null)}),c.on("error",L=>{ce(this,L)}),c.on("close",()=>{this.destroy()}),c.on("destroy",()=>{this.destroy()}),this._read=()=>{h&&c.resume&&(h=!1,c.resume())};const j=l(c);for(let L=1;L<j.length;L++){const k=j[L];this[k]===void 0&&typeof c[k]=="function"&&(this[k]=c[k].bind(c))}return this},O.prototype[x]=function(){return Ds(this)},O.prototype.iterator=function(c){return c!==void 0&&G(c,"options"),Ds(this,c)};function Ds(c,h){typeof c.read!="function"&&(c=O.wrap(c,{objectMode:!0}));const j=Wu(c,h);return j.stream=c,j}async function*Wu(c,h){let j=re;function L($e){this===c?(j(),j=re):j=$e}c.on("readable",L);let k;const me=B(c,{writable:!1},$e=>{k=$e?ee(k,$e):null,j(),j=re});try{for(;;){const $e=c.destroyed?null:c.read();if($e!==null)yield $e;else{if(k)throw k;if(k===null)return;await new p(L)}}}catch($e){throw k=ee(k,$e),k}finally{(k||(h==null?void 0:h.destroyOnReturn)!==!1)&&(k===void 0||c._readableState.autoDestroy)?U.destroyer(c,null):(c.off("readable",L),me())}}a(O.prototype,{readable:{__proto__:null,get(){const c=this._readableState;return!!c&&c.readable!==!1&&!c.destroyed&&!c.errorEmitted&&!c.endEmitted},set(c){this._readableState&&(this._readableState.readable=!!c)}},readableDidRead:{__proto__:null,enumerable:!1,get:function(){return this._readableState.dataEmitted}},readableAborted:{__proto__:null,enumerable:!1,get:function(){return!!(this._readableState.readable!==!1&&(this._readableState.destroyed||this._readableState.errored)&&!this._readableState.endEmitted)}},readableHighWaterMark:{__proto__:null,enumerable:!1,get:function(){return this._readableState.highWaterMark}},readableBuffer:{__proto__:null,enumerable:!1,get:function(){return this._readableState&&this._readableState.buffer}},readableFlowing:{__proto__:null,enumerable:!1,get:function(){return this._readableState.flowing},set:function(c){this._readableState&&(this._readableState.flowing=c)}},readableLength:{__proto__:null,enumerable:!1,get(){return this._readableState.length}},readableObjectMode:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.objectMode:!1}},readableEncoding:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.encoding:null}},errored:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.errored:null}},closed:{__proto__:null,get(){return this._readableState?this._readableState.closed:!1}},destroyed:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.destroyed:!1},set(c){this._readableState&&(this._readableState.destroyed=c)}},readableEnded:{__proto__:null,enumerable:!1,get(){return this._readableState?this._readableState.endEmitted:!1}}}),a(Re.prototype,{pipesCount:{__proto__:null,get(){return this.pipes.length}},paused:{__proto__:null,get(){return this[H]!==!1},set(c){this[H]=!!c}}}),O._fromList=Us;function Us(c,h){if(h.length===0)return null;let j;return h.objectMode?j=h.buffer.shift():!c||c>=h.length?(h.decoder?j=h.buffer.join(""):h.buffer.length===1?j=h.buffer.first():j=h.buffer.concat(h.length),h.buffer.clear()):j=h.buffer.consume(c,h.decoder),j}function Sn(c){const h=c._readableState;T("endReadable",h.endEmitted),h.endEmitted||(h.ended=!0,t.nextTick(Gu,h,c))}function Gu(c,h){if(T("endReadableNT",c.endEmitted,c.length),!c.errored&&!c.closeEmitted&&!c.endEmitted&&c.length===0){if(c.endEmitted=!0,h.emit("end"),h.writable&&h.allowHalfOpen===!1)t.nextTick(zu,h);else if(c.autoDestroy){const j=h._writableState;(!j||j.autoDestroy&&(j.finished||j.writable===!1))&&h.destroy()}}}function zu(c){c.writable&&!c.writableEnded&&!c.destroyed&&c.end()}O.from=function(c,h){return fe(O,c,h)};let In;function Ws(){return In===void 0&&(In={}),In}return O.fromWeb=function(c,h){return Ws().newStreamReadableFromReadableStream(c,h)},O.toWeb=function(c,h){return Ws().newReadableStreamFromStreamReadable(c,h)},O.wrap=function(c,h){var j,L;return new O({objectMode:(j=(L=c.readableObjectMode)!==null&&L!==void 0?L:c.objectMode)!==null&&j!==void 0?j:!0,...h,destroy(k,me){U.destroyer(c,k),me(k)}}).wrap(c)},Zr}var Jr,ns;function en(){if(ns)return Jr;ns=1;const t=ut,{ArrayPrototypeSlice:e,Error:r,FunctionPrototypeSymbolHasInstance:n,ObjectDefineProperty:i,ObjectDefineProperties:a,ObjectSetPrototypeOf:l,StringPrototypeToLowerCase:u,Symbol:p,SymbolHasInstance:_}=oe;Jr=G,G.WritableState=P;const{EventEmitter:y}=nr,x=Qr.Stream,{Buffer:I}=Fe,S=Tt,{addAbortSignal:R}=ur,{getHighWaterMark:m,getDefaultHighWaterMark:v}=cr,{ERR_INVALID_ARG_TYPE:$,ERR_METHOD_NOT_IMPLEMENTED:B,ERR_MULTIPLE_CALLBACK:T,ERR_STREAM_CANNOT_PIPE:q,ERR_STREAM_DESTROYED:U,ERR_STREAM_ALREADY_FINISHED:ae,ERR_STREAM_NULL_VALUES:Ee,ERR_STREAM_WRITE_AFTER_END:ee,ERR_UNKNOWN_ENCODING:le}=xe.codes,{errorOrDestroy:ge}=S;l(G.prototype,x.prototype),l(G,x);function we(){}const Q=p("kOnFinished");function P(g,w,N){typeof N!="boolean"&&(N=w instanceof Qe()),this.objectMode=!!(g&&g.objectMode),N&&(this.objectMode=this.objectMode||!!(g&&g.writableObjectMode)),this.highWaterMark=g?m(this,g,"writableHighWaterMark",N):v(!1),this.finalCalled=!1,this.needDrain=!1,this.ending=!1,this.ended=!1,this.finished=!1,this.destroyed=!1;const C=!!(g&&g.decodeStrings===!1);this.decodeStrings=!C,this.defaultEncoding=g&&g.defaultEncoding||"utf8",this.length=0,this.writing=!1,this.corked=0,this.sync=!0,this.bufferProcessing=!1,this.onwrite=ce.bind(void 0,w),this.writecb=null,this.writelen=0,this.afterWriteTickInfo=null,K(this),this.pendingcb=0,this.constructed=!0,this.prefinished=!1,this.errorEmitted=!1,this.emitClose=!g||g.emitClose!==!1,this.autoDestroy=!g||g.autoDestroy!==!1,this.errored=null,this.closed=!1,this.closeEmitted=!1,this[Q]=[]}function K(g){g.buffered=[],g.bufferedIndex=0,g.allBuffers=!0,g.allNoop=!0}P.prototype.getBuffer=function(){return e(this.buffered,this.bufferedIndex)},i(P.prototype,"bufferedRequestCount",{__proto__:null,get(){return this.buffered.length-this.bufferedIndex}});function G(g){const w=this instanceof Qe();if(!w&&!n(G,this))return new G(g);this._writableState=new P(g,this,w),g&&(typeof g.write=="function"&&(this._write=g.write),typeof g.writev=="function"&&(this._writev=g.writev),typeof g.destroy=="function"&&(this._destroy=g.destroy),typeof g.final=="function"&&(this._final=g.final),typeof g.construct=="function"&&(this._construct=g.construct),g.signal&&R(g.signal,this)),x.call(this,g),S.construct(this,()=>{const N=this._writableState;N.writing||he(this,N),je(this,N)})}i(G,_,{__proto__:null,value:function(g){return n(this,g)?!0:this!==G?!1:g&&g._writableState instanceof P}}),G.prototype.pipe=function(){ge(this,new q)};function H(g,w,N,C){const F=g._writableState;if(typeof N=="function")C=N,N=F.defaultEncoding;else{if(!N)N=F.defaultEncoding;else if(N!=="buffer"&&!I.isEncoding(N))throw new le(N);typeof C!="function"&&(C=we)}if(w===null)throw new Ee;if(!F.objectMode)if(typeof w=="string")F.decodeStrings!==!1&&(w=I.from(w,N),N="buffer");else if(w instanceof I)N="buffer";else if(x._isUint8Array(w))w=x._uint8ArrayToBuffer(w),N="buffer";else throw new $("chunk",["string","Buffer","Uint8Array"],w);let Z;return F.ending?Z=new ee:F.destroyed&&(Z=new U("write")),Z?(t.nextTick(C,Z),ge(g,Z,!0),Z):(F.pendingcb++,ue(g,F,w,N,C))}G.prototype.write=function(g,w,N){return H(this,g,w,N)===!0},G.prototype.cork=function(){this._writableState.corked++},G.prototype.uncork=function(){const g=this._writableState;g.corked&&(g.corked--,g.writing||he(this,g))},G.prototype.setDefaultEncoding=function(w){if(typeof w=="string"&&(w=u(w)),!I.isEncoding(w))throw new le(w);return this._writableState.defaultEncoding=w,this};function ue(g,w,N,C,F){const Z=w.objectMode?1:N.length;w.length+=Z;const te=w.length<w.highWaterMark;return te||(w.needDrain=!0),w.writing||w.corked||w.errored||!w.constructed?(w.buffered.push({chunk:N,encoding:C,callback:F}),w.allBuffers&&C!=="buffer"&&(w.allBuffers=!1),w.allNoop&&F!==we&&(w.allNoop=!1)):(w.writelen=Z,w.writecb=F,w.writing=!0,w.sync=!0,g._write(N,C,w.onwrite),w.sync=!1),te&&!w.errored&&!w.destroyed}function fe(g,w,N,C,F,Z,te){w.writelen=C,w.writecb=te,w.writing=!0,w.sync=!0,w.destroyed?w.onwrite(new U("write")):N?g._writev(F,w.onwrite):g._write(F,Z,w.onwrite),w.sync=!1}function re(g,w,N,C){--w.pendingcb,C(N),M(w),ge(g,N)}function ce(g,w){const N=g._writableState,C=N.sync,F=N.writecb;if(typeof F!="function"){ge(g,new T);return}N.writing=!1,N.writecb=null,N.length-=N.writelen,N.writelen=0,w?(w.stack,N.errored||(N.errored=w),g._readableState&&!g._readableState.errored&&(g._readableState.errored=w),C?t.nextTick(re,g,N,w,F):re(g,N,w,F)):(N.buffered.length>N.bufferedIndex&&he(g,N),C?N.afterWriteTickInfo!==null&&N.afterWriteTickInfo.cb===F?N.afterWriteTickInfo.count++:(N.afterWriteTickInfo={count:1,cb:F,stream:g,state:N},t.nextTick(D,N.afterWriteTickInfo)):ne(g,N,1,F))}function D({stream:g,state:w,count:N,cb:C}){return w.afterWriteTickInfo=null,ne(g,w,N,C)}function ne(g,w,N,C){for(!w.ending&&!g.destroyed&&w.length===0&&w.needDrain&&(w.needDrain=!1,g.emit("drain"));N-- >0;)w.pendingcb--,C();w.destroyed&&M(w),je(g,w)}function M(g){if(g.writing)return;for(let F=g.bufferedIndex;F<g.buffered.length;++F){var w;const{chunk:Z,callback:te}=g.buffered[F],Y=g.objectMode?1:Z.length;g.length-=Y,te((w=g.errored)!==null&&w!==void 0?w:new U("write"))}const N=g[Q].splice(0);for(let F=0;F<N.length;F++){var C;N[F]((C=g.errored)!==null&&C!==void 0?C:new U("end"))}K(g)}function he(g,w){if(w.corked||w.bufferProcessing||w.destroyed||!w.constructed)return;const{buffered:N,bufferedIndex:C,objectMode:F}=w,Z=N.length-C;if(!Z)return;let te=C;if(w.bufferProcessing=!0,Z>1&&g._writev){w.pendingcb-=Z-1;const Y=w.allNoop?we:O=>{for(let Le=te;Le<N.length;++Le)N[Le].callback(O)},Re=w.allNoop&&te===0?N:e(N,te);Re.allBuffers=w.allBuffers,fe(g,w,!0,w.length,Re,"",Y),K(w)}else{do{const{chunk:Y,encoding:Re,callback:O}=N[te];N[te++]=null;const Le=F?1:Y.length;fe(g,w,!1,Le,Y,Re,O)}while(te<N.length&&!w.writing);te===N.length?K(w):te>256?(N.splice(0,te),w.bufferedIndex=0):w.bufferedIndex=te}w.bufferProcessing=!1}G.prototype._write=function(g,w,N){if(this._writev)this._writev([{chunk:g,encoding:w}],N);else throw new B("_write()")},G.prototype._writev=null,G.prototype.end=function(g,w,N){const C=this._writableState;typeof g=="function"?(N=g,g=null,w=null):typeof w=="function"&&(N=w,w=null);let F;if(g!=null){const Z=H(this,g,w);Z instanceof r&&(F=Z)}return C.corked&&(C.corked=1,this.uncork()),F||(!C.errored&&!C.ending?(C.ending=!0,je(this,C,!0),C.ended=!0):C.finished?F=new ae("end"):C.destroyed&&(F=new U("end"))),typeof N=="function"&&(F||C.finished?t.nextTick(N,F):C[Q].push(N)),this};function Te(g){return g.ending&&!g.destroyed&&g.constructed&&g.length===0&&!g.errored&&g.buffered.length===0&&!g.finished&&!g.writing&&!g.errorEmitted&&!g.closeEmitted}function tt(g,w){let N=!1;function C(F){if(N){ge(g,F??T());return}if(N=!0,w.pendingcb--,F){const Z=w[Q].splice(0);for(let te=0;te<Z.length;te++)Z[te](F);ge(g,F,w.sync)}else Te(w)&&(w.prefinished=!0,g.emit("prefinish"),w.pendingcb++,t.nextTick(Ye,g,w))}w.sync=!0,w.pendingcb++;try{g._final(C)}catch(F){C(F)}w.sync=!1}function Ke(g,w){!w.prefinished&&!w.finalCalled&&(typeof g._final=="function"&&!w.destroyed?(w.finalCalled=!0,tt(g,w)):(w.prefinished=!0,g.emit("prefinish")))}function je(g,w,N){Te(w)&&(Ke(g,w),w.pendingcb===0&&(N?(w.pendingcb++,t.nextTick((C,F)=>{Te(F)?Ye(C,F):F.pendingcb--},g,w)):Te(w)&&(w.pendingcb++,Ye(g,w))))}function Ye(g,w){w.pendingcb--,w.finished=!0;const N=w[Q].splice(0);for(let C=0;C<N.length;C++)N[C]();if(g.emit("finish"),w.autoDestroy){const C=g._readableState;(!C||C.autoDestroy&&(C.endEmitted||C.readable===!1))&&g.destroy()}}a(G.prototype,{closed:{__proto__:null,get(){return this._writableState?this._writableState.closed:!1}},destroyed:{__proto__:null,get(){return this._writableState?this._writableState.destroyed:!1},set(g){this._writableState&&(this._writableState.destroyed=g)}},writable:{__proto__:null,get(){const g=this._writableState;return!!g&&g.writable!==!1&&!g.destroyed&&!g.errored&&!g.ending&&!g.ended},set(g){this._writableState&&(this._writableState.writable=!!g)}},writableFinished:{__proto__:null,get(){return this._writableState?this._writableState.finished:!1}},writableObjectMode:{__proto__:null,get(){return this._writableState?this._writableState.objectMode:!1}},writableBuffer:{__proto__:null,get(){return this._writableState&&this._writableState.getBuffer()}},writableEnded:{__proto__:null,get(){return this._writableState?this._writableState.ending:!1}},writableNeedDrain:{__proto__:null,get(){const g=this._writableState;return g?!g.destroyed&&!g.ending&&g.needDrain:!1}},writableHighWaterMark:{__proto__:null,get(){return this._writableState&&this._writableState.highWaterMark}},writableCorked:{__proto__:null,get(){return this._writableState?this._writableState.corked:0}},writableLength:{__proto__:null,get(){return this._writableState&&this._writableState.length}},errored:{__proto__:null,enumerable:!1,get(){return this._writableState?this._writableState.errored:null}},writableAborted:{__proto__:null,enumerable:!1,get:function(){return!!(this._writableState.writable!==!1&&(this._writableState.destroyed||this._writableState.errored)&&!this._writableState.finished)}}});const Pt=S.destroy;G.prototype.destroy=function(g,w){const N=this._writableState;return!N.destroyed&&(N.bufferedIndex<N.buffered.length||N[Q].length)&&t.nextTick(M,N),Pt.call(this,g,w),this},G.prototype._undestroy=S.undestroy,G.prototype._destroy=function(g,w){w(g)},G.prototype[y.captureRejectionSymbol]=function(g){this.destroy(g)};let _t;function rt(){return _t===void 0&&(_t={}),_t}return G.fromWeb=function(g,w){return rt().newStreamWritableFromWritableStream(g,w)},G.toWeb=function(g){return rt().newWritableStreamFromStreamWritable(g)},Jr}var tn,is;function Il(){if(is)return tn;is=1;const t=ut,e=Fe,{isReadable:r,isWritable:n,isIterable:i,isNodeStream:a,isReadableNodeStream:l,isWritableNodeStream:u,isDuplexNodeStream:p,isReadableStream:_,isWritableStream:y}=He,x=Je,{AbortError:I,codes:{ERR_INVALID_ARG_TYPE:S,ERR_INVALID_RETURN_VALUE:R}}=xe,{destroyer:m}=Tt,v=Qe(),$=dr(),B=en(),{createDeferredPromise:T}=Se,q=ts,U=globalThis.Blob||e.Blob,ae=typeof U<"u"?function(P){return P instanceof U}:function(P){return!1},Ee=globalThis.AbortController||Ot().AbortController,{FunctionPrototypeCall:ee}=oe;class le extends v{constructor(P){super(P),(P==null?void 0:P.readable)===!1&&(this._readableState.readable=!1,this._readableState.ended=!0,this._readableState.endEmitted=!0),(P==null?void 0:P.writable)===!1&&(this._writableState.writable=!1,this._writableState.ending=!0,this._writableState.ended=!0,this._writableState.finished=!0)}}tn=function Q(P,K){if(p(P))return P;if(l(P))return we({readable:P});if(u(P))return we({writable:P});if(a(P))return we({writable:!1,readable:!1});if(_(P))return we({readable:$.fromWeb(P)});if(y(P))return we({writable:B.fromWeb(P)});if(typeof P=="function"){const{value:H,write:ue,final:fe,destroy:re}=ge(P);if(i(H))return q(le,H,{objectMode:!0,write:ue,final:fe,destroy:re});const ce=H==null?void 0:H.then;if(typeof ce=="function"){let D;const ne=ee(ce,H,M=>{if(M!=null)throw new R("nully","body",M)},M=>{m(D,M)});return D=new le({objectMode:!0,readable:!1,write:ue,final(M){fe(async()=>{try{await ne,t.nextTick(M,null)}catch(he){t.nextTick(M,he)}})},destroy:re})}throw new R("Iterable, AsyncIterable or AsyncFunction",K,H)}if(ae(P))return Q(P.arrayBuffer());if(i(P))return q(le,P,{objectMode:!0,writable:!1});if(_(P==null?void 0:P.readable)&&y(P==null?void 0:P.writable))return le.fromWeb(P);if(typeof(P==null?void 0:P.writable)=="object"||typeof(P==null?void 0:P.readable)=="object"){const H=P!=null&&P.readable?l(P==null?void 0:P.readable)?P==null?void 0:P.readable:Q(P.readable):void 0,ue=P!=null&&P.writable?u(P==null?void 0:P.writable)?P==null?void 0:P.writable:Q(P.writable):void 0;return we({readable:H,writable:ue})}const G=P==null?void 0:P.then;if(typeof G=="function"){let H;return ee(G,P,ue=>{ue!=null&&H.push(ue),H.push(null)},ue=>{m(H,ue)}),H=new le({objectMode:!0,writable:!1,read(){}})}throw new S(K,["Blob","ReadableStream","WritableStream","Stream","Iterable","AsyncIterable","Function","{ readable, writable } pair","Promise"],P)};function ge(Q){let{promise:P,resolve:K}=T();const G=new Ee,H=G.signal;return{value:Q(async function*(){for(;;){const fe=P;P=null;const{chunk:re,done:ce,cb:D}=await fe;if(t.nextTick(D),ce)return;if(H.aborted)throw new I(void 0,{cause:H.reason});({promise:P,resolve:K}=T()),yield re}}(),{signal:H}),write(fe,re,ce){const D=K;K=null,D({chunk:fe,done:!1,cb:ce})},final(fe){const re=K;K=null,re({done:!0,cb:fe})},destroy(fe,re){G.abort(),re(fe)}}}function we(Q){const P=Q.readable&&typeof Q.readable.read!="function"?$.wrap(Q.readable):Q.readable,K=Q.writable;let G=!!r(P),H=!!n(K),ue,fe,re,ce,D;function ne(M){const he=ce;ce=null,he?he(M):M&&D.destroy(M)}return D=new le({readableObjectMode:!!(P!=null&&P.readableObjectMode),writableObjectMode:!!(K!=null&&K.writableObjectMode),readable:G,writable:H}),H&&(x(K,M=>{H=!1,M&&m(P,M),ne(M)}),D._write=function(M,he,Te){K.write(M,he)?Te():ue=Te},D._final=function(M){K.end(),fe=M},K.on("drain",function(){if(ue){const M=ue;ue=null,M()}}),K.on("finish",function(){if(fe){const M=fe;fe=null,M()}})),G&&(x(P,M=>{G=!1,M&&m(P,M),ne(M)}),P.on("readable",function(){if(re){const M=re;re=null,M()}}),P.on("end",function(){D.push(null)}),D._read=function(){for(;;){const M=P.read();if(M===null){re=D._read;return}if(!D.push(M))return}}),D._destroy=function(M,he){!M&&ce!==null&&(M=new I),re=null,ue=null,fe=null,ce===null?he(M):(ce=he,m(K,M),m(P,M))},D}return tn}var rn,ss;function Qe(){if(ss)return rn;ss=1;const{ObjectDefineProperties:t,ObjectGetOwnPropertyDescriptor:e,ObjectKeys:r,ObjectSetPrototypeOf:n}=oe;rn=l;const i=dr(),a=en();n(l.prototype,i.prototype),n(l,i);{const y=r(a.prototype);for(let x=0;x<y.length;x++){const I=y[x];l.prototype[I]||(l.prototype[I]=a.prototype[I])}}function l(y){if(!(this instanceof l))return new l(y);i.call(this,y),a.call(this,y),y?(this.allowHalfOpen=y.allowHalfOpen!==!1,y.readable===!1&&(this._readableState.readable=!1,this._readableState.ended=!0,this._readableState.endEmitted=!0),y.writable===!1&&(this._writableState.writable=!1,this._writableState.ending=!0,this._writableState.ended=!0,this._writableState.finished=!0)):this.allowHalfOpen=!0}t(l.prototype,{writable:{__proto__:null,...e(a.prototype,"writable")},writableHighWaterMark:{__proto__:null,...e(a.prototype,"writableHighWaterMark")},writableObjectMode:{__proto__:null,...e(a.prototype,"writableObjectMode")},writableBuffer:{__proto__:null,...e(a.prototype,"writableBuffer")},writableLength:{__proto__:null,...e(a.prototype,"writableLength")},writableFinished:{__proto__:null,...e(a.prototype,"writableFinished")},writableCorked:{__proto__:null,...e(a.prototype,"writableCorked")},writableEnded:{__proto__:null,...e(a.prototype,"writableEnded")},writableNeedDrain:{__proto__:null,...e(a.prototype,"writableNeedDrain")},destroyed:{__proto__:null,get(){return this._readableState===void 0||this._writableState===void 0?!1:this._readableState.destroyed&&this._writableState.destroyed},set(y){this._readableState&&this._writableState&&(this._readableState.destroyed=y,this._writableState.destroyed=y)}}});let u;function p(){return u===void 0&&(u={}),u}l.fromWeb=function(y,x){return p().newStreamDuplexFromReadableWritablePair(y,x)},l.toWeb=function(y){return p().newReadableWritablePairFromDuplex(y)};let _;return l.from=function(y){return _||(_=Il()),_(y,"body")},rn}const{ObjectSetPrototypeOf:os,Symbol:Rl}=oe;var as=Ve;const{ERR_METHOD_NOT_IMPLEMENTED:Al}=xe.codes,nn=Qe(),{getHighWaterMark:Tl}=cr;os(Ve.prototype,nn.prototype),os(Ve,nn);const Ut=Rl("kCallback");function Ve(t){if(!(this instanceof Ve))return new Ve(t);const e=t?Tl(this,t,"readableHighWaterMark",!0):null;e===0&&(t={...t,highWaterMark:null,readableHighWaterMark:e,writableHighWaterMark:t.writableHighWaterMark||0}),nn.call(this,t),this._readableState.sync=!1,this[Ut]=null,t&&(typeof t.transform=="function"&&(this._transform=t.transform),typeof t.flush=="function"&&(this._flush=t.flush)),this.on("prefinish",vl)}function sn(t){typeof this._flush=="function"&&!this.destroyed?this._flush((e,r)=>{if(e){t?t(e):this.destroy(e);return}r!=null&&this.push(r),this.push(null),t&&t()}):(this.push(null),t&&t())}function vl(){this._final!==sn&&sn.call(this)}Ve.prototype._final=sn,Ve.prototype._transform=function(t,e,r){throw new Al("_transform()")},Ve.prototype._write=function(t,e,r){const n=this._readableState,i=this._writableState,a=n.length;this._transform(t,e,(l,u)=>{if(l){r(l);return}u!=null&&this.push(u),i.ended||a===n.length||n.length<n.highWaterMark?r():this[Ut]=r})},Ve.prototype._read=function(){if(this[Ut]){const t=this[Ut];this[Ut]=null,t()}};const{ObjectSetPrototypeOf:ls}=oe;var us=vt;const on=as;ls(vt.prototype,on.prototype),ls(vt,on);function vt(t){if(!(this instanceof vt))return new vt(t);on.call(this,t)}vt.prototype._transform=function(t,e,r){r(null,t)};const Wt=ut,{ArrayIsArray:Nl,Promise:Pl,SymbolAsyncIterator:jl,SymbolDispose:Ll}=oe,hr=Je,{once:$l}=Se,Bl=Tt,fs=Qe(),{aggregateTwoErrors:Fl,codes:{ERR_INVALID_ARG_TYPE:an,ERR_INVALID_RETURN_VALUE:ln,ERR_MISSING_ARGS:kl,ERR_STREAM_DESTROYED:Cl,ERR_STREAM_PREMATURE_CLOSE:Ol},AbortError:Ml}=xe,{validateFunction:Dl,validateAbortSignal:Ul}=Mt,{isIterable:ct,isReadable:un,isReadableNodeStream:pr,isNodeStream:cs,isTransformStream:Nt,isWebStream:Wl,isReadableStream:fn,isReadableFinished:Gl}=He,zl=globalThis.AbortController||Ot().AbortController;let cn,dn,hn;function ds(t,e,r){let n=!1;t.on("close",()=>{n=!0});const i=hr(t,{readable:e,writable:r},a=>{n=!a});return{destroy:a=>{n||(n=!0,Bl.destroyer(t,a||new Cl("pipe")))},cleanup:i}}function ql(t){return Dl(t[t.length-1],"streams[stream.length - 1]"),t.pop()}function pn(t){if(ct(t))return t;if(pr(t))return Hl(t);throw new an("val",["Readable","Iterable","AsyncIterable"],t)}async function*Hl(t){dn||(dn=dr()),yield*dn.prototype[jl].call(t)}async function _r(t,e,r,{end:n}){let i,a=null;const l=_=>{if(_&&(i=_),a){const y=a;a=null,y()}},u=()=>new Pl((_,y)=>{i?y(i):a=()=>{i?y(i):_()}});e.on("drain",l);const p=hr(e,{readable:!1},l);try{e.writableNeedDrain&&await u();for await(const _ of t)e.write(_)||await u();n&&(e.end(),await u()),r()}catch(_){r(i!==_?Fl(i,_):_)}finally{p(),e.off("drain",l)}}async function _n(t,e,r,{end:n}){Nt(e)&&(e=e.writable);const i=e.getWriter();try{for await(const a of t)await i.ready,i.write(a).catch(()=>{});await i.ready,n&&await i.close(),r()}catch(a){try{await i.abort(a),r(a)}catch(l){r(l)}}}function Ql(...t){return hs(t,$l(ql(t)))}function hs(t,e,r){if(t.length===1&&Nl(t[0])&&(t=t[0]),t.length<2)throw new kl("streams");const n=new zl,i=n.signal,a=r==null?void 0:r.signal,l=[];Ul(a,"options.signal");function u(){R(new Ml)}hn=hn||Se.addAbortListener;let p;a&&(p=hn(a,u));let _,y;const x=[];let I=0;function S(B){R(B,--I===0)}function R(B,T){var q;if(B&&(!_||_.code==="ERR_STREAM_PREMATURE_CLOSE")&&(_=B),!(!_&&!T)){for(;x.length;)x.shift()(_);(q=p)===null||q===void 0||q[Ll](),n.abort(),T&&(_||l.forEach(U=>U()),Wt.nextTick(e,_,y))}}let m;for(let B=0;B<t.length;B++){const T=t[B],q=B<t.length-1,U=B>0,ae=q||(r==null?void 0:r.end)!==!1,Ee=B===t.length-1;if(cs(T)){let ee=function(le){le&&le.name!=="AbortError"&&le.code!=="ERR_STREAM_PREMATURE_CLOSE"&&S(le)};if(ae){const{destroy:le,cleanup:ge}=ds(T,q,U);x.push(le),un(T)&&Ee&&l.push(ge)}T.on("error",ee),un(T)&&Ee&&l.push(()=>{T.removeListener("error",ee)})}if(B===0)if(typeof T=="function"){if(m=T({signal:i}),!ct(m))throw new ln("Iterable, AsyncIterable or Stream","source",m)}else ct(T)||pr(T)||Nt(T)?m=T:m=fs.from(T);else if(typeof T=="function"){if(Nt(m)){var v;m=pn((v=m)===null||v===void 0?void 0:v.readable)}else m=pn(m);if(m=T(m,{signal:i}),q){if(!ct(m,!0))throw new ln("AsyncIterable",`transform[${B-1}]`,m)}else{var $;cn||(cn=us);const ee=new cn({objectMode:!0}),le=($=m)===null||$===void 0?void 0:$.then;if(typeof le=="function")I++,le.call(m,Q=>{y=Q,Q!=null&&ee.write(Q),ae&&ee.end(),Wt.nextTick(S)},Q=>{ee.destroy(Q),Wt.nextTick(S,Q)});else if(ct(m,!0))I++,_r(m,ee,S,{end:ae});else if(fn(m)||Nt(m)){const Q=m.readable||m;I++,_r(Q,ee,S,{end:ae})}else throw new ln("AsyncIterable or Promise","destination",m);m=ee;const{destroy:ge,cleanup:we}=ds(m,!1,!0);x.push(ge),Ee&&l.push(we)}}else if(cs(T)){if(pr(m)){I+=2;const ee=Vl(m,T,S,{end:ae});un(T)&&Ee&&l.push(ee)}else if(Nt(m)||fn(m)){const ee=m.readable||m;I++,_r(ee,T,S,{end:ae})}else if(ct(m))I++,_r(m,T,S,{end:ae});else throw new an("val",["Readable","Iterable","AsyncIterable","ReadableStream","TransformStream"],m);m=T}else if(Wl(T)){if(pr(m))I++,_n(pn(m),T,S,{end:ae});else if(fn(m)||ct(m))I++,_n(m,T,S,{end:ae});else if(Nt(m))I++,_n(m.readable,T,S,{end:ae});else throw new an("val",["Readable","Iterable","AsyncIterable","ReadableStream","TransformStream"],m);m=T}else m=fs.from(T)}return(i!=null&&i.aborted||a!=null&&a.aborted)&&Wt.nextTick(u),m}function Vl(t,e,r,{end:n}){let i=!1;if(e.on("close",()=>{i||r(new Ol)}),t.pipe(e,{end:!1}),n){let a=function(){i=!0,e.end()};Gl(t)?Wt.nextTick(a):t.once("end",a)}else r();return hr(t,{readable:!0,writable:!1},a=>{const l=t._readableState;a&&a.code==="ERR_STREAM_PREMATURE_CLOSE"&&l&&l.ended&&!l.errored&&!l.errorEmitted?t.once("end",r).once("error",r):r(a)}),hr(e,{readable:!1,writable:!0},r)}var bn={pipelineImpl:hs,pipeline:Ql};const{pipeline:Kl}=bn,br=Qe(),{destroyer:Yl}=Tt,{isNodeStream:yr,isReadable:ps,isWritable:_s,isWebStream:yn,isTransformStream:dt,isWritableStream:bs,isReadableStream:ys}=He,{AbortError:Xl,codes:{ERR_INVALID_ARG_VALUE:gs,ERR_MISSING_ARGS:Zl}}=xe,Jl=Je;var ws=function(...e){if(e.length===0)throw new Zl("streams");if(e.length===1)return br.from(e[0]);const r=[...e];if(typeof e[0]=="function"&&(e[0]=br.from(e[0])),typeof e[e.length-1]=="function"){const S=e.length-1;e[S]=br.from(e[S])}for(let S=0;S<e.length;++S)if(!(!yr(e[S])&&!yn(e[S]))){if(S<e.length-1&&!(ps(e[S])||ys(e[S])||dt(e[S])))throw new gs(`streams[${S}]`,r[S],"must be readable");if(S>0&&!(_s(e[S])||bs(e[S])||dt(e[S])))throw new gs(`streams[${S}]`,r[S],"must be writable")}let n,i,a,l,u;function p(S){const R=l;l=null,R?R(S):S?u.destroy(S):!I&&!x&&u.destroy()}const _=e[0],y=Kl(e,p),x=!!(_s(_)||bs(_)||dt(_)),I=!!(ps(y)||ys(y)||dt(y));if(u=new br({writableObjectMode:!!(_!=null&&_.writableObjectMode),readableObjectMode:!!(y!=null&&y.readableObjectMode),writable:x,readable:I}),x){if(yr(_))u._write=function(R,m,v){_.write(R,m)?v():n=v},u._final=function(R){_.end(),i=R},_.on("drain",function(){if(n){const R=n;n=null,R()}});else if(yn(_)){const m=(dt(_)?_.writable:_).getWriter();u._write=async function(v,$,B){try{await m.ready,m.write(v).catch(()=>{}),B()}catch(T){B(T)}},u._final=async function(v){try{await m.ready,m.close().catch(()=>{}),i=v}catch($){v($)}}}const S=dt(y)?y.readable:y;Jl(S,()=>{if(i){const R=i;i=null,R()}})}if(I){if(yr(y))y.on("readable",function(){if(a){const S=a;a=null,S()}}),y.on("end",function(){u.push(null)}),u._read=function(){for(;;){const S=y.read();if(S===null){a=u._read;return}if(!u.push(S))return}};else if(yn(y)){const R=(dt(y)?y.readable:y).getReader();u._read=async function(){for(;;)try{const{value:m,done:v}=await R.read();if(!u.push(m))return;if(v){u.push(null);return}}catch{return}}}}return u._destroy=function(S,R){!S&&l!==null&&(S=new Xl),a=null,n=null,i=null,l===null?R(S):(l=R,yr(y)&&Yl(y,S))},u};const eu=globalThis.AbortController||Ot().AbortController,{codes:{ERR_INVALID_ARG_VALUE:tu,ERR_INVALID_ARG_TYPE:Gt,ERR_MISSING_ARGS:ru,ERR_OUT_OF_RANGE:nu},AbortError:Ue}=xe,{validateAbortSignal:ht,validateInteger:ms,validateObject:pt}=Mt,iu=oe.Symbol("kWeak"),su=oe.Symbol("kResistStopPropagation"),{finished:ou}=Je,au=ws,{addAbortSignalNoValidate:lu}=ur,{isWritable:uu,isNodeStream:fu}=He,{deprecate:cu}=Se,{ArrayPrototypePush:du,Boolean:hu,MathFloor:xs,Number:pu,NumberIsNaN:_u,Promise:Es,PromiseReject:Ss,PromiseResolve:bu,PromisePrototypeThen:Is,Symbol:Rs}=oe,gr=Rs("kEmpty"),As=Rs("kEof");function yu(t,e){if(e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal"),fu(t)&&!uu(t))throw new tu("stream",t,"must be writable");const r=au(this,t);return e!=null&&e.signal&&lu(e.signal,r),r}function wr(t,e){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal");let r=1;(e==null?void 0:e.concurrency)!=null&&(r=xs(e.concurrency));let n=r-1;return(e==null?void 0:e.highWaterMark)!=null&&(n=xs(e.highWaterMark)),ms(r,"options.concurrency",1),ms(n,"options.highWaterMark",0),n+=r,(async function*(){const a=Se.AbortSignalAny([e==null?void 0:e.signal].filter(hu)),l=this,u=[],p={signal:a};let _,y,x=!1,I=0;function S(){x=!0,R()}function R(){I-=1,m()}function m(){y&&!x&&I<r&&u.length<n&&(y(),y=null)}async function v(){try{for await(let $ of l){if(x)return;if(a.aborted)throw new Ue;try{if($=t($,p),$===gr)continue;$=bu($)}catch(B){$=Ss(B)}I+=1,Is($,R,S),u.push($),_&&(_(),_=null),!x&&(u.length>=n||I>=r)&&await new Es(B=>{y=B})}u.push(As)}catch($){const B=Ss($);Is(B,R,S),u.push(B)}finally{x=!0,_&&(_(),_=null)}}v();try{for(;;){for(;u.length>0;){const $=await u[0];if($===As)return;if(a.aborted)throw new Ue;$!==gr&&(yield $),u.shift(),m()}await new Es($=>{_=$})}}finally{x=!0,y&&(y(),y=null)}}).call(this)}function gu(t=void 0){return t!=null&&pt(t,"options"),(t==null?void 0:t.signal)!=null&&ht(t.signal,"options.signal"),(async function*(){let r=0;for await(const i of this){var n;if(t!=null&&(n=t.signal)!==null&&n!==void 0&&n.aborted)throw new Ue({cause:t.signal.reason});yield[r++,i]}}).call(this)}async function Ts(t,e=void 0){for await(const r of gn.call(this,t,e))return!0;return!1}async function wu(t,e=void 0){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);return!await Ts.call(this,async(...r)=>!await t(...r),e)}async function mu(t,e){for await(const r of gn.call(this,t,e))return r}async function xu(t,e){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);async function r(n,i){return await t(n,i),gr}for await(const n of wr.call(this,r,e));}function gn(t,e){if(typeof t!="function")throw new Gt("fn",["Function","AsyncFunction"],t);async function r(n,i){return await t(n,i)?n:gr}return wr.call(this,r,e)}class Eu extends ru{constructor(){super("reduce"),this.message="Reduce of an empty stream requires an initial value"}}async function Su(t,e,r){var n;if(typeof t!="function")throw new Gt("reducer",["Function","AsyncFunction"],t);r!=null&&pt(r,"options"),(r==null?void 0:r.signal)!=null&&ht(r.signal,"options.signal");let i=arguments.length>1;if(r!=null&&(n=r.signal)!==null&&n!==void 0&&n.aborted){const _=new Ue(void 0,{cause:r.signal.reason});throw this.once("error",()=>{}),await ou(this.destroy(_)),_}const a=new eu,l=a.signal;if(r!=null&&r.signal){const _={once:!0,[iu]:this,[su]:!0};r.signal.addEventListener("abort",()=>a.abort(),_)}let u=!1;try{for await(const _ of this){var p;if(u=!0,r!=null&&(p=r.signal)!==null&&p!==void 0&&p.aborted)throw new Ue;i?e=await t(e,_,{signal:l}):(e=_,i=!0)}if(!u&&!i)throw new Eu}finally{a.abort()}return e}async function Iu(t){t!=null&&pt(t,"options"),(t==null?void 0:t.signal)!=null&&ht(t.signal,"options.signal");const e=[];for await(const n of this){var r;if(t!=null&&(r=t.signal)!==null&&r!==void 0&&r.aborted)throw new Ue(void 0,{cause:t.signal.reason});du(e,n)}return e}function Ru(t,e){const r=wr.call(this,t,e);return(async function*(){for await(const i of r)yield*i}).call(this)}function vs(t){if(t=pu(t),_u(t))return 0;if(t<0)throw new nu("number",">= 0",t);return t}function Au(t,e=void 0){return e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal"),t=vs(t),(async function*(){var n;if(e!=null&&(n=e.signal)!==null&&n!==void 0&&n.aborted)throw new Ue;for await(const a of this){var i;if(e!=null&&(i=e.signal)!==null&&i!==void 0&&i.aborted)throw new Ue;t--<=0&&(yield a)}}).call(this)}function Tu(t,e=void 0){return e!=null&&pt(e,"options"),(e==null?void 0:e.signal)!=null&&ht(e.signal,"options.signal"),t=vs(t),(async function*(){var n;if(e!=null&&(n=e.signal)!==null&&n!==void 0&&n.aborted)throw new Ue;for await(const a of this){var i;if(e!=null&&(i=e.signal)!==null&&i!==void 0&&i.aborted)throw new Ue;if(t-- >0&&(yield a),t<=0)return}}).call(this)}Lr.streamReturningOperators={asIndexedPairs:cu(gu,"readable.asIndexedPairs will be removed in a future version."),drop:Au,filter:gn,flatMap:Ru,map:wr,take:Tu,compose:yu},Lr.promiseReturningOperators={every:wu,forEach:xu,reduce:Su,toArray:Iu,some:Ts,find:mu};var wn,Ns;function Ps(){if(Ns)return wn;Ns=1;const{ArrayPrototypePop:t,Promise:e}=oe,{isIterable:r,isNodeStream:n,isWebStream:i}=He,{pipelineImpl:a}=bn,{finished:l}=Je;Ls();function u(...p){return new e((_,y)=>{let x,I;const S=p[p.length-1];if(S&&typeof S=="object"&&!n(S)&&!r(S)&&!i(S)){const R=t(p);x=R.signal,I=R.end}a(p,(R,m)=>{R?y(R):_(m)},{signal:x,end:I})})}return wn={finished:l,pipeline:u},wn}var js;function Ls(){if(js)return Pr.exports;js=1;const{Buffer:t}=Fe,{ObjectDefineProperty:e,ObjectKeys:r,ReflectApply:n}=oe,{promisify:{custom:i}}=Se,{streamReturningOperators:a,promiseReturningOperators:l}=Lr,{codes:{ERR_ILLEGAL_CONSTRUCTOR:u}}=xe,p=ws,{setDefaultHighWaterMark:_,getDefaultHighWaterMark:y}=cr,{pipeline:x}=bn,{destroyer:I}=Tt,S=Je,R=Ps(),m=He,v=Pr.exports=Qr.Stream;v.isDestroyed=m.isDestroyed,v.isDisturbed=m.isDisturbed,v.isErrored=m.isErrored,v.isReadable=m.isReadable,v.isWritable=m.isWritable,v.Readable=dr();for(const B of r(a)){let q=function(...U){if(new.target)throw u();return v.Readable.from(n(T,this,U))};const T=a[B];e(q,"name",{__proto__:null,value:T.name}),e(q,"length",{__proto__:null,value:T.length}),e(v.Readable.prototype,B,{__proto__:null,value:q,enumerable:!1,configurable:!0,writable:!0})}for(const B of r(l)){let q=function(...U){if(new.target)throw u();return n(T,this,U)};const T=l[B];e(q,"name",{__proto__:null,value:T.name}),e(q,"length",{__proto__:null,value:T.length}),e(v.Readable.prototype,B,{__proto__:null,value:q,enumerable:!1,configurable:!0,writable:!0})}v.Writable=en(),v.Duplex=Qe(),v.Transform=as,v.PassThrough=us,v.pipeline=x;const{addAbortSignal:$}=ur;return v.addAbortSignal=$,v.finished=S,v.destroy=I,v.compose=p,v.setDefaultHighWaterMark=_,v.getDefaultHighWaterMark=y,e(v,"promises",{__proto__:null,configurable:!0,enumerable:!0,get(){return R}}),e(x,i,{__proto__:null,enumerable:!0,get(){return R.pipeline}}),e(S,i,{__proto__:null,enumerable:!0,get(){return R.finished}}),v.Stream=v,v._isUint8Array=function(T){return T instanceof Uint8Array},v._uint8ArrayToBuffer=function(T){return t.from(T.buffer,T.byteOffset,T.byteLength)},Pr.exports}(function(t){const e=Ls(),r=Ps(),n=e.Readable.destroy;t.exports=e.Readable,t.exports._uint8ArrayToBuffer=e._uint8ArrayToBuffer,t.exports._isUint8Array=e._isUint8Array,t.exports.isDisturbed=e.isDisturbed,t.exports.isErrored=e.isErrored,t.exports.isReadable=e.isReadable,t.exports.Readable=e.Readable,t.exports.Writable=e.Writable,t.exports.Duplex=e.Duplex,t.exports.Transform=e.Transform,t.exports.PassThrough=e.PassThrough,t.exports.addAbortSignal=e.addAbortSignal,t.exports.finished=e.finished,t.exports.destroy=e.destroy,t.exports.destroy=n,t.exports.pipeline=e.pipeline,t.exports.compose=e.compose,Object.defineProperty(e,"promises",{configurable:!0,enumerable:!0,get(){return r}}),t.exports.Stream=e.Stream,t.exports.default=t.exports})(Hn);var $s=Hn.exports;const mn=Symbol("iter");function zt(t,e,r=4){if(r===0)return Object.assign(t,e);for(const n in e)t[n]=zt(t[n]||Object.create(null),e[n],r-1);return t}function Bs(t,e,r=4){let n=!1;for(const i in t)if(i in e){const a=r===0?null:Bs(t[i],e[i],r-1);if(a!==!1)n=n||Object.create(null),n[i]=a;else if(r===3)return!1}return n}function Fs(t,e,r=4){let n=!1;for(const i in t)if(!(i in e))n=n||Object.create(null),n[i]=r===0?null:zt({},t[i],r-1);else if(r!==0){const a=Fs(t[i],e[i],r-1);if(a!==!1)n=n||Object.create(null),n[i]=a;else if(r===3)return!1}return n}class vu{constructor(e={}){this._id=1,this._ids=Object.create(null),this._ids[""]=1,this._entities=Object.create(null),this._entities[1]="",this._blankNodeIndex=0,this._factory=e.factory||ot}_termFromId(e){if(e[0]==="."){const r=this._entities,n=e.split(".");return this._factory.quad(this._termFromId(r[n[1]]),this._termFromId(r[n[2]]),this._termFromId(r[n[3]]),n[4]&&this._termFromId(r[n[4]]))}return $t(e,this._factory)}_termToNumericId(e){if(e.termType==="Quad"){const r=this._termToNumericId(e.subject),n=this._termToNumericId(e.predicate),i=this._termToNumericId(e.object);let a;return r&&n&&i&&(Nr(e.graph)||(a=this._termToNumericId(e.graph)))&&this._ids[a?`.${r}.${n}.${i}.${a}`:`.${r}.${n}.${i}`]}return this._ids[xt(e)]}_termToNewNumericId(e){const r=e&&e.termType==="Quad"?`.${this._termToNewNumericId(e.subject)}.${this._termToNewNumericId(e.predicate)}.${this._termToNewNumericId(e.object)}${Nr(e.graph)?"":`.${this._termToNewNumericId(e.graph)}`}`:xt(e);return this._ids[r]||(this._ids[this._entities[++this._id]=r]=this._id)}createBlankNode(e){let r,n;if(e)for(r=e=`_:${e}`,n=1;this._ids[r];)r=e+n++;else do r=`_:b${this._blankNodeIndex++}`;while(this._ids[r]);return this._ids[r]=++this._id,this._entities[this._id]=r,this._factory.blankNode(r.substr(2))}}class Ie{constructor(e,r){this._size=0,this._graphs=Object.create(null),!r&&e&&!e[0]&&typeof e.match!="function"&&(r=e,e=null),r=r||{},this._factory=r.factory||ot,this._entityIndex=r.entityIndex||new vu({factory:this._factory}),this._entities=this._entityIndex._entities,this._termFromId=this._entityIndex._termFromId.bind(this._entityIndex),this._termToNumericId=this._entityIndex._termToNumericId.bind(this._entityIndex),this._termToNewNumericId=this._entityIndex._termToNewNumericId.bind(this._entityIndex),e&&this.addAll(e)}get size(){let e=this._size;if(e!==null)return e;e=0;const r=this._graphs;let n,i;for(const a in r)for(const l in n=r[a].subjects)for(const u in i=n[l])e+=Object.keys(i[u]).length;return this._size=e}_addToIndex(e,r,n,i){const a=e[r]||(e[r]={}),l=a[n]||(a[n]={}),u=i in l;return u||(l[i]=null),!u}_removeFromIndex(e,r,n,i){const a=e[r],l=a[n];delete l[i];for(const u in l)return;delete a[n];for(const u in a)return;delete e[r]}*_findInIndex(e,r,n,i,a,l,u,p){let _,y,x;const I=this._entities,S=this._termFromId(I[p]),R={subject:null,predicate:null,object:null};r&&((_=e,e={})[r]=_[r]);for(const m in e)if(y=e[m]){R[a]=this._termFromId(I[m]),n&&((_=y,y={})[n]=_[n]);for(const v in y)if(x=y[v]){R[l]=this._termFromId(I[v]);const $=i?i in x?[i]:[]:Object.keys(x);for(let B=0;B<$.length;B++)R[u]=this._termFromId(I[$[B]]),yield this._factory.quad(R.subject,R.predicate,R.object,S)}}}_loop(e,r){for(const n in e)r(n)}_loopByKey0(e,r,n){let i,a;if(i=e[r])for(a in i)n(a)}_loopByKey1(e,r,n){let i,a;for(i in e)a=e[i],a[r]&&n(i)}_loopBy2Keys(e,r,n,i){let a,l,u;if((a=e[r])&&(l=a[n]))for(u in l)i(u)}_countInIndex(e,r,n,i){let a=0,l,u,p;r&&((l=e,e={})[r]=l[r]);for(const _ in e)if(u=e[_]){n&&((l=u,u={})[n]=l[n]);for(const y in u)(p=u[y])&&(i?i in p&&a++:a+=Object.keys(p).length)}return a}_getGraphs(e){return e=e===""?1:e&&(this._termToNumericId(e)||-1),typeof e!="number"?this._graphs:{[e]:this._graphs[e]}}_uniqueEntities(e){const r=Object.create(null);return n=>{n in r||(r[n]=!0,e(this._termFromId(this._entities[n],this._factory)))}}add(e){return this.addQuad(e),this}addQuad(e,r,n,i){r||(i=e.graph,n=e.object,r=e.predicate,e=e.subject),i=i?this._termToNewNumericId(i):1;let a=this._graphs[i];return a||(a=this._graphs[i]={subjects:{},predicates:{},objects:{}},Object.freeze(a)),e=this._termToNewNumericId(e),r=this._termToNewNumericId(r),n=this._termToNewNumericId(n),this._addToIndex(a.subjects,e,r,n)?(this._addToIndex(a.predicates,r,n,e),this._addToIndex(a.objects,n,e,r),this._size=null,!0):!1}addQuads(e){for(let r=0;r<e.length;r++)this.addQuad(e[r])}delete(e){return this.removeQuad(e),this}has(e,r,n,i){return e&&e.subject&&({subject:e,predicate:r,object:n,graph:i}=e),!this.readQuads(e,r,n,i).next().done}import(e){return e.on("data",r=>{this.addQuad(r)}),e}removeQuad(e,r,n,i){r||({subject:e,predicate:r,object:n,graph:i}=e),i=i?this._termToNumericId(i):1;const a=this._graphs;let l,u,p;if(!(e=e&&this._termToNumericId(e))||!(r=r&&this._termToNumericId(r))||!(n=n&&this._termToNumericId(n))||!(l=a[i])||!(u=l.subjects[e])||!(p=u[r])||!(n in p))return!1;this._removeFromIndex(l.subjects,e,r,n),this._removeFromIndex(l.predicates,r,n,e),this._removeFromIndex(l.objects,n,e,r),this._size!==null&&this._size--;for(e in l.subjects)return!0;return delete a[i],!0}removeQuads(e){for(let r=0;r<e.length;r++)this.removeQuad(e[r])}remove(e){return e.on("data",r=>{this.removeQuad(r)}),e}removeMatches(e,r,n,i){const a=new $s.Readable({objectMode:!0}),l=this.readQuads(e,r,n,i);return a._read=u=>{for(;--u>=0;){const{done:p,value:_}=l.next();if(p){a.push(null);return}a.push(_)}},this.remove(a)}deleteGraph(e){return this.removeMatches(null,null,null,e)}getQuads(e,r,n,i){return[...this.readQuads(e,r,n,i)]}*readQuads(e,r,n,i){const a=this._getGraphs(i);let l,u,p,_;if(!(e&&!(u=this._termToNumericId(e))||r&&!(p=this._termToNumericId(r))||n&&!(_=this._termToNumericId(n))))for(const y in a)(l=a[y])&&(u?_?yield*this._findInIndex(l.objects,_,u,p,"object","subject","predicate",y):yield*this._findInIndex(l.subjects,u,p,null,"subject","predicate","object",y):p?yield*this._findInIndex(l.predicates,p,_,null,"predicate","object","subject",y):_?yield*this._findInIndex(l.objects,_,null,null,"object","subject","predicate",y):yield*this._findInIndex(l.subjects,null,null,null,"subject","predicate","object",y))}match(e,r,n,i){return new et(this,e,r,n,i,{entityIndex:this._entityIndex})}countQuads(e,r,n,i){const a=this._getGraphs(i);let l=0,u,p,_,y;if(e&&!(p=this._termToNumericId(e))||r&&!(_=this._termToNumericId(r))||n&&!(y=this._termToNumericId(n)))return 0;for(const x in a)(u=a[x])&&(e?n?l+=this._countInIndex(u.objects,y,p,_):l+=this._countInIndex(u.subjects,p,_,y):r?l+=this._countInIndex(u.predicates,_,y,p):l+=this._countInIndex(u.objects,y,p,_));return l}forEach(e,r,n,i,a){this.some(l=>(e(l,this),!1),r,n,i,a)}every(e,r,n,i,a){return!this.some(l=>!e(l,this),r,n,i,a)}some(e,r,n,i,a){for(const l of this.readQuads(r,n,i,a))if(e(l,this))return!0;return!1}getSubjects(e,r,n){const i=[];return this.forSubjects(a=>{i.push(a)},e,r,n),i}forSubjects(e,r,n,i){const a=this._getGraphs(i);let l,u,p;if(e=this._uniqueEntities(e),!(r&&!(u=this._termToNumericId(r))||n&&!(p=this._termToNumericId(n))))for(i in a)(l=a[i])&&(u?p?this._loopBy2Keys(l.predicates,u,p,e):this._loopByKey1(l.subjects,u,e):p?this._loopByKey0(l.objects,p,e):this._loop(l.subjects,e))}getPredicates(e,r,n){const i=[];return this.forPredicates(a=>{i.push(a)},e,r,n),i}forPredicates(e,r,n,i){const a=this._getGraphs(i);let l,u,p;if(e=this._uniqueEntities(e),!(r&&!(u=this._termToNumericId(r))||n&&!(p=this._termToNumericId(n))))for(i in a)(l=a[i])&&(u?p?this._loopBy2Keys(l.objects,p,u,e):this._loopByKey0(l.subjects,u,e):p?this._loopByKey1(l.predicates,p,e):this._loop(l.predicates,e))}getObjects(e,r,n){const i=[];return this.forObjects(a=>{i.push(a)},e,r,n),i}forObjects(e,r,n,i){const a=this._getGraphs(i);let l,u,p;if(e=this._uniqueEntities(e),!(r&&!(u=this._termToNumericId(r))||n&&!(p=this._termToNumericId(n))))for(i in a)(l=a[i])&&(u?p?this._loopBy2Keys(l.subjects,u,p,e):this._loopByKey1(l.objects,u,e):p?this._loopByKey0(l.predicates,p,e):this._loop(l.objects,e))}getGraphs(e,r,n){const i=[];return this.forGraphs(a=>{i.push(a)},e,r,n),i}forGraphs(e,r,n,i){for(const a in this._graphs)this.some(l=>(e(l.graph),!0),r,n,i,this._termFromId(this._entities[a]))}createBlankNode(e){return this._entityIndex.createBlankNode(e)}extractLists({remove:e=!1,ignoreErrors:r=!1}={}){const n={},i=r?()=>!0:(u,p)=>{throw new Error(`${u.value} ${p}`)},a=this.getQuads(null,_e.rdf.rest,_e.rdf.nil,null),l=e?[...a]:[];return a.forEach(u=>{const p=[];let _=!1,y,x;const I=u.graph;let S=u.subject;for(;S&&!_;){const R=this.getQuads(null,null,S,null),m=this.getQuads(S,null,null,null);let v,$=null,B=null,T=null;for(let q=0;q<m.length&&!_;q++)v=m[q],v.graph.equals(I)?y?_=i(S,"has non-list arcs out"):v.predicate.value===_e.rdf.first?$?_=i(S,"has multiple rdf:first arcs"):l.push($=v):v.predicate.value===_e.rdf.rest?B?_=i(S,"has multiple rdf:rest arcs"):l.push(B=v):R.length?_=i(S,"can't be subject and object"):(y=v,x="subject"):_=i(S,"not confined to single graph");for(let q=0;q<R.length&&!_;++q)v=R[q],y?_=i(S,"can't have coreferences"):v.predicate.value===_e.rdf.rest?T?_=i(S,"has incoming rdf:rest arcs"):T=v:(y=v,x="object");$?p.unshift($.object):_=i(S,"has no list head"),S=T&&T.subject}_?e=!1:y&&(n[y[x].value]=p)}),e&&this.removeQuads(l),n}addAll(e){if(e instanceof et&&(e=e.filtered),Array.isArray(e))this.addQuads(e);else if(e instanceof Ie&&e._entityIndex===this._entityIndex)e._size!==0&&(this._graphs=zt(this._graphs,e._graphs),this._size=null);else for(const r of e)this.add(r);return this}contains(e){if(e instanceof et&&(e=e.filtered),e===this)return!0;if(!(e instanceof Ie)||this._entityIndex!==e._entityIndex)return e.every(_=>this.has(_));const r=this._graphs,n=e._graphs;let i,a,l,u,p;for(const _ in n){if(!(i=r[_]))return!1;i=i.subjects;for(const y in a=n[_].subjects){if(!(l=i[y]))return!1;for(const x in u=a[y]){if(!(p=l[x]))return!1;for(const I in u[x])if(!(I in p))return!1}}}return!0}deleteMatches(e,r,n,i){for(const a of this.match(e,r,n,i))this.removeQuad(a);return this}difference(e){if(e&&e instanceof et&&(e=e.filtered),e===this)return new Ie({entityIndex:this._entityIndex});if(e instanceof Ie&&e._entityIndex===this._entityIndex){const r=new Ie({entityIndex:this._entityIndex}),n=Fs(this._graphs,e._graphs);return n&&(r._graphs=n,r._size=null),r}return this.filter(r=>!e.has(r))}equals(e){return e instanceof et&&(e=e.filtered),e===this||this.size===e.size&&this.contains(e)}filter(e){const r=new Ie({entityIndex:this._entityIndex});for(const n of this)e(n,this)&&r.add(n);return r}intersection(e){if(e instanceof et&&(e=e.filtered),e===this){const r=new Ie({entityIndex:this._entityIndex});return r._graphs=zt(Object.create(null),this._graphs),r._size=this._size,r}else if(e instanceof Ie&&this._entityIndex===e._entityIndex){const r=new Ie({entityIndex:this._entityIndex}),n=Bs(e._graphs,this._graphs);return n&&(r._graphs=n,r._size=null),r}return this.filter(r=>e.has(r))}map(e){const r=new Ie({entityIndex:this._entityIndex});for(const n of this)r.add(e(n,this));return r}reduce(e,r){const n=this.readQuads();let i=r===void 0?n.next().value:r;for(const a of n)i=e(i,a,this);return i}toArray(){return this.getQuads()}toCanonical(){throw new Error("not implemented")}toStream(){return this.match()}toString(){return new Gn().quadsToString(this)}union(e){const r=new Ie({entityIndex:this._entityIndex});return r._graphs=zt(Object.create(null),this._graphs),r._size=this._size,r.addAll(e),r}*[Symbol.iterator](){yield*this.readQuads()}}function We(t,e,r=0){const n=e[r];if(n&&!(n in t))return!1;let i=!1;for(const a in n?{[n]:t[n]}:t){const l=r===2?null:We(t[a],e,r+1);l!==!1&&(i=i||Object.create(null),i[a]=l)}return i}class et extends $s.Readable{constructor(e,r,n,i,a,l){super({objectMode:!0}),Object.assign(this,{n3Store:e,subject:r,predicate:n,object:i,graph:a,options:l})}get filtered(){if(!this._filtered){const{n3Store:e,graph:r,object:n,predicate:i,subject:a}=this,l=this._filtered=new Ie({factory:e._factory,entityIndex:this.options.entityIndex});let u,p,_;if(a&&!(u=l._termToNumericId(a))||i&&!(p=l._termToNumericId(i))||n&&!(_=l._termToNumericId(n)))return l;const y=e._getGraphs(r);for(const x in y){let I,S,R,m;(m=y[x])&&(!u&&p?(S=We(m.predicates,[p,_,u]))&&(I=We(m.subjects,[u,p,_]),R=We(m.objects,[_,u,p])):_?(R=We(m.objects,[_,u,p]))&&(I=We(m.subjects,[u,p,_]),S=We(m.predicates,[p,_,u])):(I=We(m.subjects,[u,p,_]))&&(S=We(m.predicates,[p,_,u]),R=We(m.objects,[_,u,p])),I&&(l._graphs[x]={subjects:I,predicates:S,objects:R}))}l._size=null}return this._filtered}get size(){return this.filtered.size}_read(e){e>0&&!this[mn]&&(this[mn]=this[Symbol.iterator]());const r=this[mn];for(;--e>=0;){const{done:n,value:i}=r.next();if(n){this.push(null);return}this.push(i)}}addAll(e){return this.filtered.addAll(e)}contains(e){return this.filtered.contains(e)}deleteMatches(e,r,n,i){return this.filtered.deleteMatches(e,r,n,i)}difference(e){return this.filtered.difference(e)}equals(e){return this.filtered.equals(e)}every(e,r,n,i,a){return this.filtered.every(e,r,n,i,a)}filter(e){return this.filtered.filter(e)}forEach(e,r,n,i,a){return this.filtered.forEach(e,r,n,i,a)}import(e){return this.filtered.import(e)}intersection(e){return this.filtered.intersection(e)}map(e){return this.filtered.map(e)}some(e,r,n,i,a){return this.filtered.some(e,r,n,i,a)}toCanonical(){return this.filtered.toCanonical()}toStream(){return this._filtered?this._filtered.toStream():this.n3Store.match(this.subject,this.predicate,this.object,this.graph)}union(e){return this._filtered?this._filtered.union(e):this.n3Store.match(this.subject,this.predicate,this.object,this.graph).addAll(e)}toArray(){return this._filtered?this._filtered.toArray():this.n3Store.getQuads(this.subject,this.predicate,this.object,this.graph)}reduce(e,r){return this.filtered.reduce(e,r)}toString(){return new Gn().quadsToString(this)}add(e){return this.filtered.add(e)}delete(e){return this.filtered.delete(e)}has(e){return this.filtered.has(e)}match(e,r,n,i){return new et(this.filtered,e,r,n,i,this.options)}*[Symbol.iterator](){yield*this._filtered||this.n3Store.readQuads(this.subject,this.predicate,this.object,this.graph)}}const mr={rdf:"http://www.w3.org/1999/02/22-rdf-syntax-ns#"},pe={namespace:"https://prez.dev/",label:"https://prez.dev/label",description:"https://prez.dev/description",provenance:"https://prez.dev/provenance",focusNode:"https://prez.dev/FocusNode",link:"https://prez.dev/link",members:"https://prez.dev/members",identifier:"https://prez.dev/identifier",count:"https://prez.dev/count",searchResult:"https://prez.dev/SearchResult",searchResultWeight:"https://prez.dev/searchResultWeight",searchResultPredicate:"https://prez.dev/searchResultPredicate",searchResultURI:"https://prez.dev/searchResultURI",searchResultMatch:"https://prez.dev/searchResultMatch",hasChildren:"https://prez.dev/hasChildren"},ye={skosConceptScheme:"http://www.w3.org/2004/02/skos/core#ConceptScheme",skosConcept:"http://www.w3.org/2004/02/skos/core#Concept",a:"http://www.w3.org/1999/02/22-rdf-syntax-ns#type",rdfLangString:"http://www.w3.org/1999/02/22-rdf-syntax-ns#langString",xmlString:"http://www.w3.org/2001/XMLSchema#string",w3Html:"http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML",w3Markdown:"https://www.w3.org/ns/iana/media-types/text/markdown",shaclAllPredicates:"http://example.com/shacl-extension#allPredicateValues",shaclProperty:"http://www.w3.org/ns/shacl#property",shaclPath:"http://www.w3.org/ns/shacl#path",shaclUnion:"http://www.w3.org/ns/shacl#union"},Nu={label:["https://prez.dev/label"],description:["https://prez.dev/description"],provenance:["https://prez.dev/provenance"]};function ks(t,e=mr){if(t==="a")return e.rdf+"type";{const[r,n]=t.split(":");return r?[r]+n:t}}function Cs(t,e=mr){let r="";return Object.entries(e).forEach(([n,i])=>{t.startsWith(i)&&(r=n+":"+t.split(i)[1])}),r}const Os=t=>{const e=new URL(t);return`${e.protocol}//${e.hostname}`},Pu=t=>new URL(t).pathname,ju=(t,e)=>{var n,i;const r=(i=(n=e.identifiers)==null?void 0:n.find(a=>a.value))==null?void 0:i.value;return r?t+`/concept-hierarchy/${r}/narrowers`:""},Lu=(t,e)=>{var l;const r=e?Os(e):"",n=(l=t.identifiers)==null?void 0:l.find(u=>u.value),i=n?n.value:"";return i?r+`/concept-hierarchy/${i}/top-concepts`:""},xr=t=>t.flatMap(e=>{var r;if(e["@id"])return e["@id"];if(e["@list"]&&e["@list"].length>0){const n=e["@list"][0];return(n==null?void 0:n["@id"])===ye.shaclUnion?xr(((r=e["@list"][1])==null?void 0:r["@list"])||[]).filter(Boolean):xr(e["@list"]).flat()}return[]}).filter(e=>!!e),$u=t=>t.reduce((e,r)=>{if(ye.shaclProperty in r)for(const n of r[ye.shaclProperty]){const i=t.find(a=>a["@id"]===n["@id"]);i&&ye.shaclPath in i&&(e[r["@id"]]=xr(i[ye.shaclPath]).filter(a=>a!==ye.shaclAllPredicates))}return e},{});function qt(t){if(Array.isArray(t))return t.reduce((e,r)=>{const n=qt(r);return typeof n=="object"&&!Array.isArray(n)&&Object.assign(e,n),e},{});if(typeof t=="object"&&t!==null){if(t.hasOwnProperty("value"))return t.value;if(t.hasOwnProperty("node")&&t.hasOwnProperty("list")){const e={};return e[t.node.value]=t.list.length>0?qt(t.list):"",e}else{const e={};for(const r in t)e[r]=qt(t[r]);return e}}return t}function xn(t,e=""){let r="";const n=Object.entries(t),i=n.length;return n.forEach(([a,l],u)=>{const p=a.replace(/https?:\/\/(www\.)?/,""),[_,y]=p.split("#"),x=_.split("/"),I=x[x.length-1],S=y?`(${x[0]})/${I}#${y}`:`(${x[0]})/${I}`,R=u===i-1;r+=`${e}${R?"└── ":"├── "}${S}
|
|
28
28
|
`,typeof l=="object"&&l!==null&&(r+=xn(l,e+(R?" ":"│ ")))}),r}function Bu(t){return t?xn(qt(t)):""}const{namedNode:Ht}=ot;class Er{constructor(){nt(this,"store");nt(this,"parser");nt(this,"prefixes");nt(this,"basePath");nt(this,"baseUrl");nt(this,"linkedLists");nt(this,"lists");this.store=new Ie,this.baseUrl="",this.basePath="",this.parser=new Mn,this.prefixes=mr,this.linkedLists={},this.lists={}}load(e){e=`PREFIX rdf: <http://www.w3.org/1999/02/22-rdf-syntax-ns#>
|
|
29
29
|
`+e;const r=this.parser.parse(e,null,(n,i)=>{this.prefixes[n]=i.value});this.store.addQuads(r),this.linkedLists=this.store.extractLists(),this.buildLists()}buildSubList(e){const r=[];for(const n of e)if(n.termType=="BlankNode"){const i=n.value;if(i in this.linkedLists){const a=this.buildSubList(this.linkedLists[i]);if(a.length>1){const l=r.find(u=>u.node.value==a[0].node.value);l?(l.list??(l.list=[])).push(...a.slice(1)):r.push({node:a[0].node,list:a.slice(1)})}else r.push(...a)}}else if(n.termType=="NamedNode"&&n.value!=ye.shaclUnion){const i=this.toPrezTerm(new Tr(n.value));r.push({node:i,list:[]})}return r}buildLists(){this.lists={};const e=this.linkedLists;for(const r in e){const n=e[r];if(n.find(a=>a.termType=="NamedNode"&&a.value==ye.shaclUnion)){const a=n.find(l=>l.termType=="BlankNode");a&&a.value in this.linkedLists&&(this.lists[r]=this.buildSubList(this.linkedLists[a.value]))}}}setBaseUrl(e){this.baseUrl=e,this.basePath=new URL(e).pathname}toIri(e){return ks(e,this.prefixes)}fromIri(e){return Cs(e,this.prefixes)}getObjectLiteral(e,r){return this.getObjects(e,r).map(n=>this.toPrezTerm(n))[0]||void 0}getProperties(e,r){const n={};return this.store.forEach(i=>{var a;r!=null&&r.excludePrefix&&i.predicate.value.startsWith(r.excludePrefix)||r!=null&&r.includePrefix&&!i.predicate.value.startsWith(r.includePrefix)||(n[a=i.predicate.value]??(n[a]={predicate:this.toPrezTerm(i.predicate),objects:[]}),n[i.predicate.value].objects.push(this.toPrezTerm(i.object)))},e,null,null,null),e.termType,n}getParents(e){e.startsWith(this.basePath)&&(e=e.substring(this.basePath.length));const r=e.split("/"),n=[];let i="";for(const a of r){if(a=="")continue;i+="/"+a;const l={url:i,segment:a};if(a.includes(":")){const u=a.split(":"),p=this.prefixes[u[0]];if(p){const _=this.getObjects(p+u[1],pe.label);_.length>0&&(l.label=Ir(_[0].value))}}n.push(l)}return n}toPrezTerm(e){switch(e.termType){case"NamedNode":const r=it(e.value);r.label=this.getObjectLiteral(e.value,pe.label),r.description=this.getObjectLiteral(e.value,pe.description),r.provenance=this.getObjectLiteral(e.value,pe.provenance);const n=this.getObjects(e.value,pe.identifier);n.length>0&&(r.identifiers=n.map(_=>this.toPrezTerm(_)));const i=this.getObjects(e.value,pe.link);i.length>0&&(r.links=i.map(_=>({value:_.value,parents:this.getParents(_.value)})));const a=this.getObjects(e.value,pe.members);a.length>0&&(r.members={value:a[0].value,parents:this.getParents(a[0].value)});const l=this.getObjects(e.value,ye.a);return l.length>0&&(r.rdfTypes=l.map(_=>this.toPrezTerm(_))),r;case"Literal":const u=Ir(e.value);return e.datatype&&(u.datatype=this.toPrezTerm(e.datatype)),e.language&&(u.language=e.language),u;case"BlankNode":const p=vn(e.value);return p.properties=this.getProperties(e),e.value in this.lists&&(p.list=this.lists[e.value]),p;default:throw"Invalid n3 Term object"}}toPrezFocusNode(e){var n,i,a,l,u;const r=this.toPrezTerm(e);return r.properties=this.getProperties(e,{excludePrefix:pe.namespace}),r.systemProperties=this.getProperties(e,{includePrefix:pe.namespace}),(n=r.rdfTypes)!=null&&n.map(p=>p.value).includes(ye.skosConcept)&&(r.hasChildren=((u=(l=(a=(i=r.systemProperties)==null?void 0:i[pe.hasChildren])==null?void 0:a.objects)==null?void 0:l[0])==null?void 0:u.value)=="true"),r}getSubjects(e,r){return this.store.getSubjects(e,r,null)}getObjects(e,r){if(typeof r=="string")return this.store.getObjects(Ht(e),Ht(r),null);{const n=[];return r.forEach(i=>{n.push(...this.store.getObjects(Ht(e),Ht(i),null))}),n}}getMembers(e){this.getObjects(e,this.toIri("prez:members")).forEach(n=>({value:n.value,parents:[]}))}getConcepts(e){const r=this.getSubjects(this.toIri("skos:inScheme"),e.value);function n(_){return r.map(y=>y.value).includes(_.value)}const i=this.getObjects(e.value,this.toIri("skos:hasTopConcept")),a=this.getObjects(e.value,this.toIri("skos:topConceptOf")),l={},u=[...i,...a].filter(_=>n(_));r.forEach(_=>{l[_.value]=[]}),r.forEach(_=>{this.getObjects(_.value,this.toIri("skos:broader")).forEach(I=>{n(I)&&l[I.value].push(_)}),this.getObjects(_.value,this.toIri("skos:narrower")).forEach(I=>{n(I)&&l[_.value].push(I)})});const p=[];return u.forEach(_=>{p.push(this.createHierarchy(_,l))}),p}createHierarchy(e,r){const n=r[e.value].map(i=>this.createHierarchy(i,r));return{...this.toPrezTerm(e),hasChildren:n.length>0,narrowers:n}}getByPrezId(e){const r=[];return this.store.forEach(n=>{r.push(n)},null,null,Ht("https://prez.dev/FocusNode"),null),e?r.find(n=>n.object.value===e).subject:r.map(n=>n.subject)}getCount(){const e=this.store.getObjects(null,pe.count,null);return e.length>0?Number(e[0].value.replace(">","")):0}getMaxReached(){const e=this.store.getObjects(null,pe.count,null);return e.length>0?e[0].value.includes(">"):!1}getList(){const e=[];return this.getByPrezId().forEach(n=>{e.push(this.toPrezFocusNode(n))}),e}getItem(){var n;const e=this.getByPrezId();if(e.length==0)throw new Error("Unable to find item");const r=this.toPrezFocusNode(e[0]);if((n=r.rdfTypes)!=null&&n.map(i=>i.value).includes(ye.skosConcept)){const i=this.getConcepts(e[0]);return{...r,topConcepts:{narrowers:i,hasChildren:i.length>0}}}return r}getSubItems(e){const r=this.store.getQuads(null,e,null,null),n=[];return r.forEach(i=>{const a=this.toPrezFocusNode(i.object);a&&n.push(a)}),n}search(){return this.getSubjects(ye.a,pe.searchResult).map(n=>({hash:n.value.split("urn:hash:").slice(-1)[0],weight:Number(this.getObjects(n.value,pe.searchResultWeight)[0].value),predicate:this.toPrezTerm(this.getObjects(n.value,pe.searchResultPredicate)[0]),match:this.toPrezTerm(this.getObjects(n.value,pe.searchResultMatch)[0]),resource:this.toPrezFocusNode(this.getObjects(n.value,pe.searchResultURI)[0])}))}}class Fu extends Error{constructor(e){super(e),this.name="NetworkError"}}function ku(t){let e={};const r=t.split(",").map(i=>{const[,a,l]=i.trim().match(/<(.+)>; (.+)/),u={uri:a};return l.split("; ").forEach(p=>{const[,_,y]=p.match(/(.+)=[\"<](.+)[\">]/);u[_]=y}),u});r.filter(i=>i.rel==="type").forEach(i=>{e[i.anchor]={default:!1,current:!1,token:i.token,mediatypes:[],title:i.title,description:"",uri:i.anchor}});const n=r.find(i=>i.rel==="self");return n.format in e&&(e[n.format].current=!0),r.filter(i=>i.rel==="alternate"&&i.format).forEach(i=>{e[i.format].mediatypes.map(a=>a.mediatype).includes(i.type)||e[i.format].mediatypes.push({title:"",mediatype:i.type,default:!1})}),Object.values(e)}async function Sr(t){const e=await fetch(t,{method:"GET",headers:{Accept:"text/anot+turtle"}});if(!e.ok)throw new Fu(`Network error - status code ${e.status}: ${e.statusText}`);const r=e.headers.get("link")||e.headers.get("Link"),n=r?ku(r):[];return{data:await e.text(),profiles:n}}async function Ms(t,e){const r=t+e,n=new URL(r).pathname,{data:i,profiles:a}=await Sr(r),l=new Er;return l.setBaseUrl(t),l.load(i),{type:"list",data:l.getList(),profiles:a,maxReached:l.getMaxReached(),count:l.getCount(),parents:l.getParents(n)}}async function Cu(t,e){const r=t+e,n=new URL(r).pathname,{data:i,profiles:a}=await Sr(r),l=new Er;return l.setBaseUrl(t),l.load(i),{type:"item",data:l.getItem(),profiles:a,parents:l.getParents(n),store:l}}async function Ou(t,e){const r=t+e,n=new URL(r).pathname,{data:i,profiles:a}=await Sr(r),l=new Er;return l.setBaseUrl(t),l.load(i),{type:"search",data:l.search(),profiles:a,maxReached:l.getMaxReached(),count:l.getCount(),parents:l.getParents(n)}}async function Mu(t){var i,a;const e="/profiles?page=1&limit=999&_mediatype=application/anot%2Bturtle",{data:r}=await Ms(t,e),n={};for(const l of r)if(n[l.value]=[],l.properties&&((a=(i=l.properties)==null?void 0:i[ye.shaclProperty])!=null&&a.objects)){const u=l.properties[ye.shaclProperty].objects;for(const p of u){const _=p;if(_.properties&&_.properties[ye.shaclPath])for(const y of _.properties[ye.shaclPath].objects){const x=y.list;x&&(n[l.value]=x)}}}return n}function Du(t,e){const r={},n=Object.keys(t),i=[...(e||[]).filter(a=>n.includes(a.node.value)).map(a=>a.node.value),...n.filter(a=>!(e||[]).find(l=>l.node.value==a))].filter(a=>a in(t||{})).map(a=>t[a]);for(const a of i)e.find(l=>l.node.value==a.predicate.value&&l.list&&l.list.length>0),r[a.predicate.value]=t[a.predicate.value];return r}function Uu(t,e){t.data.properties=Du(t.data.properties||{},e)}z.ANNOTATION_PREDICATES=Nu,z.DEFAULT_PREFIXES=mr,z.PREZ_PREDICATES=pe,z.RDFStore=Er,z.SYSTEM_PREDICATES=ye,z.apiGet=Sr,z.applyProfileToItem=Uu,z.bnode=vn,z.buildProfiles=$u,z.defaultFromIri=Cs,z.defaultToIri=ks,z.dumpNodeArray=Bu,z.getBaseUrl=Os,z.getItem=Cu,z.getList=Ms,z.getNarrowersUrl=ju,z.getProfiles=Mu,z.getTopConceptsUrl=Lu,z.getUrlPath=Pu,z.isTypePrezTerm=Ae,z.literal=Ir,z.node=it,z.nodeArrayToTree=xn,z.processShaclPath=xr,z.search=Ou,z.simplifyNodeArray=qt,Object.defineProperty(z,Symbol.toStringTag,{value:"Module"})});
|