hook-fetch 1.1.2 → 1.1.4

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/README.en.md CHANGED
@@ -341,10 +341,134 @@ interface HookFetchPlugin<T = unknown, E = unknown, P = unknown, D = unknown> {
341
341
  }
342
342
  ```
343
343
 
344
+
345
+
346
+
347
+
348
+ ## Vue Hooks
349
+
350
+ Hook-Fetch provides Vue Composition API support, making it easier to use in Vue components:
351
+
352
+ ```typescript
353
+ import { useHookFetch } from 'hook-fetch/vue';
354
+ import hookFetch from 'hook-fetch';
355
+
356
+ // Create request instance
357
+ const api = hookFetch.create({
358
+ baseURL: 'https://api.example.com'
359
+ });
360
+
361
+ // Use in component
362
+ const YourComponent = defineComponent({
363
+ setup() {
364
+ // Use useHookFetch
365
+ const { request, loading, cancel, text, stream, blob, arrayBufferData, formDataResult, bytesData } = useHookFetch({
366
+ request: api.get,
367
+ onError: (error) => {
368
+ console.error('Request error:', error);
369
+ }
370
+ });
371
+
372
+ // Make request
373
+ const fetchData = async () => {
374
+ const response = await request('/users');
375
+ console.log(response);
376
+ };
377
+
378
+ // Get text response
379
+ const fetchText = async () => {
380
+ const text = await text('/text');
381
+ console.log(text);
382
+ };
383
+
384
+ // Handle streaming response
385
+ const handleStream = async () => {
386
+ for await (const chunk of stream('/stream')) {
387
+ console.log(chunk);
388
+ }
389
+ };
390
+
391
+ // Cancel request
392
+ const handleCancel = () => {
393
+ cancel();
394
+ };
395
+
396
+ return {
397
+ loading,
398
+ fetchData,
399
+ fetchText,
400
+ handleStream,
401
+ handleCancel
402
+ };
403
+ }
404
+ });
405
+ ```
406
+
407
+ ## React Hooks
408
+
409
+ Hook-Fetch also provides React Hooks support, making it convenient to use in React components:
410
+
411
+ ```typescript
412
+ import { useHookFetch } from 'hook-fetch/react';
413
+ import hookFetch from 'hook-fetch';
414
+
415
+ // Create request instance
416
+ const api = hookFetch.create({
417
+ baseURL: 'https://api.example.com'
418
+ });
419
+
420
+ // Use in component
421
+ const YourComponent = () => {
422
+ // Use useHookFetch
423
+ const { request, loading, setLoading, cancel, text, stream, blob, arrayBufferData, formDataResult, bytesData } = useHookFetch({
424
+ request: api.get,
425
+ onError: (error) => {
426
+ console.error('Request error:', error);
427
+ }
428
+ });
429
+
430
+ // Make request
431
+ const fetchData = async () => {
432
+ const response = await request('/users');
433
+ console.log(response);
434
+ };
435
+
436
+ // Get text response
437
+ const fetchText = async () => {
438
+ const text = await text('/text');
439
+ console.log(text);
440
+ };
441
+
442
+ // Handle streaming response
443
+ const handleStream = async () => {
444
+ for await (const chunk of stream('/stream')) {
445
+ console.log(chunk);
446
+ }
447
+ };
448
+
449
+ // Cancel request
450
+ const handleCancel = () => {
451
+ cancel();
452
+ };
453
+
454
+ return (
455
+ <div>
456
+ <div>Loading status: {loading ? 'Loading' : 'Completed'}</div>
457
+ <button onClick={fetchData}>Fetch Data</button>
458
+ <button onClick={fetchText}>Fetch Text</button>
459
+ <button onClick={handleStream}>Handle Stream</button>
460
+ <button onClick={handleCancel}>Cancel Request</button>
461
+ </div>
462
+ );
463
+ };
464
+ ```
465
+
344
466
  ### vscode hint plugin reference path
345
467
  ```typescript
346
468
  // Create a file hook-fetch.d.ts in src with the following content
347
469
  /// <reference types="hook-fetch/plugins" />
470
+ /// <reference types="hook-fetch/react" />
471
+ /// <reference types="hook-fetch/vue" />
348
472
  ```
349
473
 
350
474
  ## Notes
package/README.md CHANGED
@@ -452,10 +452,131 @@ interface HookFetchPlugin<T = unknown, E = unknown, P = unknown, D = unknown> {
452
452
  }
453
453
  ```
454
454
 
455
+
456
+ ## Vue Hooks
457
+
458
+ Hook-Fetch 提供了 Vue 组合式 API 的支持,可以更方便地在 Vue 组件中使用:
459
+
460
+ ```typescript
461
+ import { useHookFetch } from 'hook-fetch/vue';
462
+ import hookFetch from 'hook-fetch';
463
+
464
+ // 创建请求实例
465
+ const api = hookFetch.create({
466
+ baseURL: 'https://api.example.com'
467
+ });
468
+
469
+ // 在组件中使用
470
+ const YourComponent = defineComponent({
471
+ setup() {
472
+ // 使用 useHookFetch
473
+ const { request, loading, cancel, text, stream, blob, arrayBufferData, formDataResult, bytesData } = useHookFetch({
474
+ request: api.get,
475
+ onError: (error) => {
476
+ console.error('请求错误:', error);
477
+ }
478
+ });
479
+
480
+ // 发起请求
481
+ const fetchData = async () => {
482
+ const response = await request('/users');
483
+ console.log(response);
484
+ };
485
+
486
+ // 获取文本响应
487
+ const fetchText = async () => {
488
+ const text = await text('/text');
489
+ console.log(text);
490
+ };
491
+
492
+ // 处理流式响应
493
+ const handleStream = async () => {
494
+ for await (const chunk of stream('/stream')) {
495
+ console.log(chunk);
496
+ }
497
+ };
498
+
499
+ // 取消请求
500
+ const handleCancel = () => {
501
+ cancel();
502
+ };
503
+
504
+ return {
505
+ loading,
506
+ fetchData,
507
+ fetchText,
508
+ handleStream,
509
+ handleCancel
510
+ };
511
+ }
512
+ });
513
+ ```
514
+
515
+ ## React Hooks
516
+
517
+ Hook-Fetch 同样提供了 React Hooks 的支持,可以在 React 组件中方便地使用:
518
+
519
+ ```typescript
520
+ import { useHookFetch } from 'hook-fetch/react';
521
+ import hookFetch from 'hook-fetch';
522
+
523
+ // 创建请求实例
524
+ const api = hookFetch.create({
525
+ baseURL: 'https://api.example.com'
526
+ });
527
+
528
+ // 在组件中使用
529
+ const YourComponent = () => {
530
+ // 使用 useHookFetch
531
+ const { request, loading, setLoading, cancel, text, stream, blob, arrayBufferData, formDataResult, bytesData } = useHookFetch({
532
+ request: api.get,
533
+ onError: (error) => {
534
+ console.error('请求错误:', error);
535
+ }
536
+ });
537
+
538
+ // 发起请求
539
+ const fetchData = async () => {
540
+ const response = await request('/users');
541
+ console.log(response);
542
+ };
543
+
544
+ // 获取文本响应
545
+ const fetchText = async () => {
546
+ const text = await text('/text');
547
+ console.log(text);
548
+ };
549
+
550
+ // 处理流式响应
551
+ const handleStream = async () => {
552
+ for await (const chunk of stream('/stream')) {
553
+ console.log(chunk);
554
+ }
555
+ };
556
+
557
+ // 取消请求
558
+ const handleCancel = () => {
559
+ cancel();
560
+ };
561
+
562
+ return (
563
+ <div>
564
+ <div>加载状态: {loading ? '加载中' : '已完成'}</div>
565
+ <button onClick={fetchData}>获取数据</button>
566
+ <button onClick={fetchText}>获取文本</button>
567
+ <button onClick={handleStream}>处理流</button>
568
+ <button onClick={handleCancel}>取消请求</button>
569
+ </div>
570
+ );
571
+ };
572
+ ```
573
+
455
574
  ### vscode提示插件的引用路径
456
575
  ```typescript
457
576
  // 在 src 中创建文件 hook-fetch.d.ts, 内容如下
458
577
  /// <reference types="hook-fetch/plugins" />
578
+ /// <reference types="hook-fetch/react" />
579
+ /// <reference types="hook-fetch/vue" />
459
580
  ```
460
581
 
461
582
  ## 注意事项
@@ -0,0 +1 @@
1
+ var e=Object.create,t=Object.defineProperty,n=Object.getOwnPropertyDescriptor,r=Object.getOwnPropertyNames,i=Object.getPrototypeOf,a=Object.prototype.hasOwnProperty,o=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports),s=(e,i,o,s)=>{if(i&&typeof i==`object`||typeof i==`function`)for(var c=r(i),l=0,u=c.length,d;l<u;l++)d=c[l],!a.call(e,d)&&d!==o&&t(e,d,{get:(e=>i[e]).bind(null,d),enumerable:!(s=n(i,d))||s.enumerable});return e},c=(n,r,a)=>(a=n==null?{}:e(i(n)),s(r||!n||!n.__esModule?t(a,`default`,{value:n,enumerable:!0}):a,n));Object.defineProperty(exports,`__commonJSMin`,{enumerable:!0,get:function(){return o}}),Object.defineProperty(exports,`__toESM`,{enumerable:!0,get:function(){return c}});
@@ -0,0 +1,4 @@
1
+ var e=function(exports){function t(e,t,n){if(typeof e==`function`?e===t:e.has(t))return arguments.length<3?t:n;throw TypeError(`Private element is not present on this object`)}function n(e,n,r){return e.set(t(e,n),r),r}function r(e,t){if(t.has(e))throw TypeError(`Cannot initialize the same private elements twice on an object`)}function i(e,t,n){r(e,t),t.set(e,n)}function a(e,t){r(e,t),t.add(e)}function o(e,n){return e.get(t(e,n))}return exports.assertClassBrand=t,exports.classPrivateFieldGet2=o,exports.classPrivateFieldInitSpec=i,exports.classPrivateFieldSet2=n,exports.classPrivateMethodInitSpec=a,exports}({}),t,n,r,i,a,o,s,c,l,u,d,f,p,m,h,g,_,v,y,b,x,S,C,w,T,E,D,O,k;Object.defineProperty(exports,`__esModule`,{value:!0});const A=require(`../chunk-mbd8xe7s.cjs`);var j=A.__commonJSMin((exports,t)=>{t.exports=TypeError}),M=A.__commonJSMin((exports,t)=>{t.exports={}}),N=A.__commonJSMin((exports,t)=>{var n=typeof Map==`function`&&Map.prototype,r=Object.getOwnPropertyDescriptor&&n?Object.getOwnPropertyDescriptor(Map.prototype,`size`):null,i=n&&r&&typeof r.get==`function`?r.get:null,a=n&&Map.prototype.forEach,o=typeof Set==`function`&&Set.prototype,s=Object.getOwnPropertyDescriptor&&o?Object.getOwnPropertyDescriptor(Set.prototype,`size`):null,c=o&&s&&typeof s.get==`function`?s.get:null,l=o&&Set.prototype.forEach,u=typeof WeakMap==`function`&&WeakMap.prototype,d=u?WeakMap.prototype.has:null,f=typeof WeakSet==`function`&&WeakSet.prototype,p=f?WeakSet.prototype.has:null,m=typeof WeakRef==`function`&&WeakRef.prototype,h=m?WeakRef.prototype.deref:null,g=Boolean.prototype.valueOf,_=Object.prototype.toString,v=Function.prototype.toString,y=String.prototype.match,b=String.prototype.slice,x=String.prototype.replace,S=String.prototype.toUpperCase,C=String.prototype.toLowerCase,w=RegExp.prototype.test,T=Array.prototype.concat,E=Array.prototype.join,D=Array.prototype.slice,O=Math.floor,k=typeof BigInt==`function`?BigInt.prototype.valueOf:null,A=Object.getOwnPropertySymbols,j=typeof Symbol==`function`&&typeof Symbol.iterator==`symbol`?Symbol.prototype.toString:null,N=typeof Symbol==`function`&&typeof Symbol.iterator==`object`,P=typeof Symbol==`function`&&Symbol.toStringTag&&(typeof Symbol.toStringTag===N||`symbol`)?Symbol.toStringTag:null,F=Object.prototype.propertyIsEnumerable,I=(typeof Reflect==`function`?Reflect.getPrototypeOf:Object.getPrototypeOf)||([].__proto__===Array.prototype?function(e){return e.__proto__}:null);function L(e,t){if(e===1/0||e===-1/0||e!==e||e&&e>-1e3&&e<1e3||w.call(/e/,t))return t;var n=/[0-9](?=(?:[0-9]{3})+(?![0-9]))/g;if(typeof e==`number`){var r=e<0?-O(-e):O(e);if(r!==e){var i=String(r),a=b.call(t,i.length+1);return x.call(i,n,`$&_`)+`.`+x.call(x.call(a,/([0-9]{3})/g,`$&_`),/_$/,``)}}return x.call(t,n,`$&_`)}var R=M(),z=R.custom,B=U(z)?z:null,ee={__proto__:null,double:`"`,single:`'`},V={__proto__:null,double:/(["\\])/g,single:/(['\\])/g};t.exports=function e(t,n,r,o){var s=n||{};if(G(s,`quoteStyle`)&&!G(ee,s.quoteStyle))throw TypeError(`option "quoteStyle" must be "single" or "double"`);if(G(s,`maxStringLength`)&&(typeof s.maxStringLength==`number`?s.maxStringLength<0&&s.maxStringLength!==1/0:s.maxStringLength!==null))throw TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`');var u=G(s,`customInspect`)?s.customInspect:!0;if(typeof u!=`boolean`&&u!==`symbol`)throw TypeError("option \"customInspect\", if provided, must be `true`, `false`, or `'symbol'`");if(G(s,`indent`)&&s.indent!==null&&s.indent!==` `&&!(parseInt(s.indent,10)===s.indent&&s.indent>0))throw TypeError('option "indent" must be "\\t", an integer > 0, or `null`');if(G(s,`numericSeparator`)&&typeof s.numericSeparator!=`boolean`)throw TypeError('option "numericSeparator", if provided, must be `true` or `false`');var d=s.numericSeparator;if(t===void 0)return`undefined`;if(t===null)return`null`;if(typeof t==`boolean`)return t?`true`:`false`;if(typeof t==`string`)return ye(t,s);if(typeof t==`number`){if(t===0)return 1/0/t>0?`0`:`-0`;var f=String(t);return d?L(t,f):f}if(typeof t==`bigint`){var p=String(t)+`n`;return d?L(t,p):p}var m=s.depth===void 0?5:s.depth;if(r===void 0&&(r=0),r>=m&&m>0&&typeof t==`object`)return re(t)?`[Array]`:`[Object]`;var h=Ce(s,r);if(o===void 0)o=[];else if(fe(o,t)>=0)return`[Circular]`;function _(t,n,i){if(n&&(o=D.call(o),o.push(n)),i){var a={depth:s.depth};return G(s,`quoteStyle`)&&(a.quoteStyle=s.quoteStyle),e(t,a,r+1,o)}return e(t,s,r+1,o)}if(typeof t==`function`&&!ae(t)){var v=de(t),y=Te(t,_);return`[Function`+(v?`: `+v:` (anonymous)`)+`]`+(y.length>0?` { `+E.call(y,`, `)+` }`:``)}if(U(t)){var S=N?x.call(String(t),/^(Symbol\(.*\))_[^)]*$/,`$1`):j.call(t);return typeof t==`object`&&!N?J(S):S}if(ve(t)){for(var w=`<`+C.call(String(t.nodeName)),O=t.attributes||[],A=0;A<O.length;A++)w+=` `+O[A].name+`=`+te(ne(O[A].value),`double`,s);return w+=`>`,t.childNodes&&t.childNodes.length&&(w+=`...`),w+=`</`+C.call(String(t.nodeName))+`>`,w}if(re(t)){if(t.length===0)return`[]`;var M=Te(t,_);return h&&!Se(M)?`[`+we(M,h)+`]`:`[ `+E.call(M,`, `)+` ]`}if(oe(t)){var z=Te(t,_);return!(`cause`in Error.prototype)&&`cause`in t&&!F.call(t,`cause`)?`{ [`+String(t)+`] `+E.call(T.call(`[cause]: `+_(t.cause),z),`, `)+` }`:z.length===0?`[`+String(t)+`]`:`{ [`+String(t)+`] `+E.call(z,`, `)+` }`}if(typeof t==`object`&&u){if(B&&typeof t[B]==`function`&&R)return R(t,{depth:m-r});if(u!==`symbol`&&typeof t.inspect==`function`)return t.inspect()}if(pe(t)){var V=[];return a&&a.call(t,function(e,n){V.push(_(n,t,!0)+` => `+_(e,t))}),xe(`Map`,i.call(t),V,h)}if(ge(t)){var H=[];return l&&l.call(t,function(e){H.push(_(e,t))}),xe(`Set`,c.call(t),H,h)}if(me(t))return be(`WeakMap`);if(_e(t))return be(`WeakSet`);if(he(t))return be(`WeakRef`);if(ce(t))return J(_(Number(t)));if(ue(t))return J(_(k.call(t)));if(le(t))return J(g.call(t));if(se(t))return J(_(String(t)));if(typeof window<`u`&&t===window)return`{ [object Window] }`;if(typeof globalThis<`u`&&t===globalThis||typeof global<`u`&&t===global)return`{ [object globalThis] }`;if(!ie(t)&&!ae(t)){var W=Te(t,_),q=I?I(t)===Object.prototype:t instanceof Object||t.constructor===Object,Ee=t instanceof Object?``:`null prototype`,De=!q&&P&&Object(t)===t&&P in t?b.call(K(t),8,-1):Ee?`Object`:``,Oe=q||typeof t.constructor!=`function`?``:t.constructor.name?t.constructor.name+` `:``,Y=Oe+(De||Ee?`[`+E.call(T.call([],De||[],Ee||[]),`: `)+`] `:``);return W.length===0?Y+`{}`:h?Y+`{`+we(W,h)+`}`:Y+`{ `+E.call(W,`, `)+` }`}return String(t)};function te(e,t,n){var r=n.quoteStyle||t,i=ee[r];return i+e+i}function ne(e){return x.call(String(e),/"/g,`&quot;`)}function H(e){return!P||!(typeof e==`object`&&(P in e||e[P]!==void 0))}function re(e){return K(e)===`[object Array]`&&H(e)}function ie(e){return K(e)===`[object Date]`&&H(e)}function ae(e){return K(e)===`[object RegExp]`&&H(e)}function oe(e){return K(e)===`[object Error]`&&H(e)}function se(e){return K(e)===`[object String]`&&H(e)}function ce(e){return K(e)===`[object Number]`&&H(e)}function le(e){return K(e)===`[object Boolean]`&&H(e)}function U(e){if(N)return e&&typeof e==`object`&&e instanceof Symbol;if(typeof e==`symbol`)return!0;if(!e||typeof e!=`object`||!j)return!1;try{return j.call(e),!0}catch{}return!1}function ue(e){if(!e||typeof e!=`object`||!k)return!1;try{return k.call(e),!0}catch{}return!1}var W=Object.prototype.hasOwnProperty||function(e){return e in this};function G(e,t){return W.call(e,t)}function K(e){return _.call(e)}function de(e){if(e.name)return e.name;var t=y.call(v.call(e),/^function\s*([\w$]+)/);return t?t[1]:null}function fe(e,t){if(e.indexOf)return e.indexOf(t);for(var n=0,r=e.length;n<r;n++)if(e[n]===t)return n;return-1}function pe(e){if(!i||!e||typeof e!=`object`)return!1;try{i.call(e);try{c.call(e)}catch{return!0}return e instanceof Map}catch{}return!1}function me(e){if(!d||!e||typeof e!=`object`)return!1;try{d.call(e,d);try{p.call(e,p)}catch{return!0}return e instanceof WeakMap}catch{}return!1}function he(e){if(!h||!e||typeof e!=`object`)return!1;try{return h.call(e),!0}catch{}return!1}function ge(e){if(!c||!e||typeof e!=`object`)return!1;try{c.call(e);try{i.call(e)}catch{return!0}return e instanceof Set}catch{}return!1}function _e(e){if(!p||!e||typeof e!=`object`)return!1;try{p.call(e,p);try{d.call(e,d)}catch{return!0}return e instanceof WeakSet}catch{}return!1}function ve(e){return!e||typeof e!=`object`?!1:typeof HTMLElement<`u`&&e instanceof HTMLElement?!0:typeof e.nodeName==`string`&&typeof e.getAttribute==`function`}function ye(e,t){if(e.length>t.maxStringLength){var n=e.length-t.maxStringLength,r=`... `+n+` more character`+(n>1?`s`:``);return ye(b.call(e,0,t.maxStringLength),t)+r}var i=V[t.quoteStyle||`single`];i.lastIndex=0;var a=x.call(x.call(e,i,`\\$1`),/[\x00-\x1f]/g,q);return te(a,`single`,t)}function q(e){var t=e.charCodeAt(0),n={8:`b`,9:`t`,10:`n`,12:`f`,13:`r`}[t];return n?`\\`+n:`\\x`+(t<16?`0`:``)+S.call(t.toString(16))}function J(e){return`Object(`+e+`)`}function be(e){return e+` { ? }`}function xe(e,t,n,r){var i=r?we(n,r):E.call(n,`, `);return e+` (`+t+`) {`+i+`}`}function Se(e){for(var t=0;t<e.length;t++)if(fe(e[t],`
2
+ `)>=0)return!1;return!0}function Ce(e,t){var n;if(e.indent===` `)n=` `;else if(typeof e.indent==`number`&&e.indent>0)n=E.call(Array(e.indent+1),` `);else return null;return{base:n,prev:E.call(Array(t+1),n)}}function we(e,t){if(e.length===0)return``;var n=`
3
+ `+t.prev+t.base;return n+E.call(e,`,`+n)+`
4
+ `+t.prev}function Te(e,t){var n=re(e),r=[];if(n){r.length=e.length;for(var i=0;i<e.length;i++)r[i]=G(e,i)?t(e[i],e):``}var a=typeof A==`function`?A(e):[],o;if(N){o={};for(var s=0;s<a.length;s++)o[`$`+a[s]]=a[s]}for(var c in e){if(!G(e,c)||n&&String(Number(c))===c&&c<e.length||N&&o[`$`+c]instanceof Symbol)continue;w.call(/[^\w$]/,c)?r.push(t(c,e)+`: `+t(e[c],e)):r.push(c+`: `+t(e[c],e))}if(typeof A==`function`)for(var l=0;l<a.length;l++)F.call(e,a[l])&&r.push(`[`+t(a[l])+`]: `+t(e[a[l]],e));return r}}),P=A.__commonJSMin((exports,t)=>{var n=N(),r=j(),i=function(e,t,n){for(var r=e,i;(i=r.next)!=null;r=i)if(i.key===t)return r.next=i.next,n||(i.next=e.next,e.next=i),i},a=function(e,t){if(e){var n=i(e,t);return n&&n.value}},o=function(e,t,n){var r=i(e,t);r?r.value=n:e.next={key:t,next:e.next,value:n}},s=function(e,t){return e?!!i(e,t):!1},c=function(e,t){if(e)return i(e,t,!0)};t.exports=function(){var e,t={assert:function(e){if(!t.has(e))throw new r(`Side channel does not contain `+n(e))},delete:function(t){var n=e&&e.next,r=c(e,t);return r&&n&&n===r&&(e=void 0),!!r},get:function(t){return a(e,t)},has:function(t){return s(e,t)},set:function(t,n){e||={next:void 0},o(e,t,n)}};return t}}),F=A.__commonJSMin((exports,t)=>{t.exports=Object}),I=A.__commonJSMin((exports,t)=>{t.exports=Error}),L=A.__commonJSMin((exports,t)=>{t.exports=EvalError}),R=A.__commonJSMin((exports,t)=>{t.exports=RangeError}),z=A.__commonJSMin((exports,t)=>{t.exports=ReferenceError}),B=A.__commonJSMin((exports,t)=>{t.exports=SyntaxError}),ee=A.__commonJSMin((exports,t)=>{t.exports=URIError}),V=A.__commonJSMin((exports,t)=>{t.exports=Math.abs}),te=A.__commonJSMin((exports,t)=>{t.exports=Math.floor}),ne=A.__commonJSMin((exports,t)=>{t.exports=Math.max}),H=A.__commonJSMin((exports,t)=>{t.exports=Math.min}),re=A.__commonJSMin((exports,t)=>{t.exports=Math.pow}),ie=A.__commonJSMin((exports,t)=>{t.exports=Math.round}),ae=A.__commonJSMin((exports,t)=>{t.exports=Number.isNaN||function(e){return e!==e}}),oe=A.__commonJSMin((exports,t)=>{var n=ae();t.exports=function(e){return n(e)||e===0?e:e<0?-1:1}}),se=A.__commonJSMin((exports,t)=>{t.exports=Object.getOwnPropertyDescriptor}),ce=A.__commonJSMin((exports,t)=>{var n=se();if(n)try{n([],`length`)}catch{n=null}t.exports=n}),le=A.__commonJSMin((exports,t)=>{var n=Object.defineProperty||!1;if(n)try{n({},`a`,{value:1})}catch{n=!1}t.exports=n}),U=A.__commonJSMin((exports,t)=>{t.exports=function(){if(typeof Symbol!=`function`||typeof Object.getOwnPropertySymbols!=`function`)return!1;if(typeof Symbol.iterator==`symbol`)return!0;var e={},t=Symbol(`test`),n=Object(t);if(typeof t==`string`||Object.prototype.toString.call(t)!==`[object Symbol]`||Object.prototype.toString.call(n)!==`[object Symbol]`)return!1;var r=42;for(var i in e[t]=r,e)return!1;if(typeof Object.keys==`function`&&Object.keys(e).length!==0||typeof Object.getOwnPropertyNames==`function`&&Object.getOwnPropertyNames(e).length!==0)return!1;var a=Object.getOwnPropertySymbols(e);if(a.length!==1||a[0]!==t||!Object.prototype.propertyIsEnumerable.call(e,t))return!1;if(typeof Object.getOwnPropertyDescriptor==`function`){var o=Object.getOwnPropertyDescriptor(e,t);if(o.value!==r||o.enumerable!==!0)return!1}return!0}}),ue=A.__commonJSMin((exports,t)=>{var n=typeof Symbol<`u`&&Symbol,r=U();t.exports=function(){return typeof n!=`function`||typeof Symbol!=`function`||typeof n(`foo`)!=`symbol`||typeof Symbol(`bar`)!=`symbol`?!1:r()}}),W=A.__commonJSMin((exports,t)=>{t.exports=typeof Reflect<`u`&&Reflect.getPrototypeOf||null}),G=A.__commonJSMin((exports,t)=>{var n=F();t.exports=n.getPrototypeOf||null}),K=A.__commonJSMin((exports,t)=>{var n=`Function.prototype.bind called on incompatible `,r=Object.prototype.toString,i=Math.max,a=`[object Function]`,o=function(e,t){for(var n=[],r=0;r<e.length;r+=1)n[r]=e[r];for(var i=0;i<t.length;i+=1)n[i+e.length]=t[i];return n},s=function(e,t){for(var n=[],r=t||0,i=0;r<e.length;r+=1,i+=1)n[i]=e[r];return n},c=function(e,t){for(var n=``,r=0;r<e.length;r+=1)n+=e[r],r+1<e.length&&(n+=t);return n};t.exports=function(e){var t=this;if(typeof t!=`function`||r.apply(t)!==a)throw TypeError(n+t);for(var l=s(arguments,1),u,d=function(){if(this instanceof u){var n=t.apply(this,o(l,arguments));return Object(n)===n?n:this}return t.apply(e,o(l,arguments))},f=i(0,t.length-l.length),p=[],m=0;m<f;m++)p[m]=`$`+m;if(u=Function(`binder`,`return function (`+c(p,`,`)+`){ return binder.apply(this,arguments); }`)(d),t.prototype){var h=function(){};h.prototype=t.prototype,u.prototype=new h,h.prototype=null}return u}}),de=A.__commonJSMin((exports,t)=>{var n=K();t.exports=Function.prototype.bind||n}),fe=A.__commonJSMin((exports,t)=>{t.exports=Function.prototype.call}),pe=A.__commonJSMin((exports,t)=>{t.exports=Function.prototype.apply}),me=A.__commonJSMin((exports,t)=>{t.exports=typeof Reflect<`u`&&Reflect&&Reflect.apply}),he=A.__commonJSMin((exports,t)=>{var n=de(),r=pe(),i=fe(),a=me();t.exports=a||n.call(i,r)}),ge=A.__commonJSMin((exports,t)=>{var n=de(),r=j(),i=fe(),a=he();t.exports=function(e){if(e.length<1||typeof e[0]!=`function`)throw new r(`a function is required`);return a(n,i,e)}}),_e=A.__commonJSMin((exports,t)=>{var n=ge(),r=ce(),i;try{i=[].__proto__===Array.prototype}catch(e){if(!e||typeof e!=`object`||!(`code`in e)||e.code!==`ERR_PROTO_ACCESS`)throw e}var a=!!i&&r&&r(Object.prototype,`__proto__`),o=Object,s=o.getPrototypeOf;t.exports=a&&typeof a.get==`function`?n([a.get]):typeof s==`function`?function(e){return s(e==null?e:o(e))}:!1}),ve=A.__commonJSMin((exports,t)=>{var n=W(),r=G(),i=_e();t.exports=n?function(e){return n(e)}:r?function(e){if(!e||typeof e!=`object`&&typeof e!=`function`)throw TypeError(`getProto: not an object`);return r(e)}:i?function(e){return i(e)}:null}),ye=A.__commonJSMin((exports,t)=>{var n=Function.prototype.call,r=Object.prototype.hasOwnProperty,i=de();t.exports=i.call(n,r)}),q=A.__commonJSMin((exports,t)=>{var n,r=F(),i=I(),a=L(),o=R(),s=z(),c=B(),l=j(),u=ee(),d=V(),f=te(),p=ne(),m=H(),h=re(),g=ie(),_=oe(),v=Function,y=function(e){try{return v(`"use strict"; return (`+e+`).constructor;`)()}catch{}},b=ce(),x=le(),S=function(){throw new l},C=b?function(){try{return arguments.callee,S}catch{try{return b(arguments,`callee`).get}catch{return S}}}():S,w=ue()(),T=ve(),E=G(),D=W(),O=pe(),k=fe(),A={},M=typeof Uint8Array>`u`||!T?n:T(Uint8Array),N={__proto__:null,"%AggregateError%":typeof AggregateError>`u`?n:AggregateError,"%Array%":Array,"%ArrayBuffer%":typeof ArrayBuffer>`u`?n:ArrayBuffer,"%ArrayIteratorPrototype%":w&&T?T([][Symbol.iterator]()):n,"%AsyncFromSyncIteratorPrototype%":n,"%AsyncFunction%":A,"%AsyncGenerator%":A,"%AsyncGeneratorFunction%":A,"%AsyncIteratorPrototype%":A,"%Atomics%":typeof Atomics>`u`?n:Atomics,"%BigInt%":typeof BigInt>`u`?n:BigInt,"%BigInt64Array%":typeof BigInt64Array>`u`?n:BigInt64Array,"%BigUint64Array%":typeof BigUint64Array>`u`?n:BigUint64Array,"%Boolean%":Boolean,"%DataView%":typeof DataView>`u`?n:DataView,"%Date%":Date,"%decodeURI%":decodeURI,"%decodeURIComponent%":decodeURIComponent,"%encodeURI%":encodeURI,"%encodeURIComponent%":encodeURIComponent,"%Error%":i,"%eval%":eval,"%EvalError%":a,"%Float16Array%":typeof Float16Array>`u`?n:Float16Array,"%Float32Array%":typeof Float32Array>`u`?n:Float32Array,"%Float64Array%":typeof Float64Array>`u`?n:Float64Array,"%FinalizationRegistry%":typeof FinalizationRegistry>`u`?n:FinalizationRegistry,"%Function%":v,"%GeneratorFunction%":A,"%Int8Array%":typeof Int8Array>`u`?n:Int8Array,"%Int16Array%":typeof Int16Array>`u`?n:Int16Array,"%Int32Array%":typeof Int32Array>`u`?n:Int32Array,"%isFinite%":isFinite,"%isNaN%":isNaN,"%IteratorPrototype%":w&&T?T(T([][Symbol.iterator]())):n,"%JSON%":typeof JSON==`object`?JSON:n,"%Map%":typeof Map>`u`?n:Map,"%MapIteratorPrototype%":typeof Map>`u`||!w||!T?n:T(new Map()[Symbol.iterator]()),"%Math%":Math,"%Number%":Number,"%Object%":r,"%Object.getOwnPropertyDescriptor%":b,"%parseFloat%":parseFloat,"%parseInt%":parseInt,"%Promise%":typeof Promise>`u`?n:Promise,"%Proxy%":typeof Proxy>`u`?n:Proxy,"%RangeError%":o,"%ReferenceError%":s,"%Reflect%":typeof Reflect>`u`?n:Reflect,"%RegExp%":RegExp,"%Set%":typeof Set>`u`?n:Set,"%SetIteratorPrototype%":typeof Set>`u`||!w||!T?n:T(new Set()[Symbol.iterator]()),"%SharedArrayBuffer%":typeof SharedArrayBuffer>`u`?n:SharedArrayBuffer,"%String%":String,"%StringIteratorPrototype%":w&&T?T(``[Symbol.iterator]()):n,"%Symbol%":w?Symbol:n,"%SyntaxError%":c,"%ThrowTypeError%":C,"%TypedArray%":M,"%TypeError%":l,"%Uint8Array%":typeof Uint8Array>`u`?n:Uint8Array,"%Uint8ClampedArray%":typeof Uint8ClampedArray>`u`?n:Uint8ClampedArray,"%Uint16Array%":typeof Uint16Array>`u`?n:Uint16Array,"%Uint32Array%":typeof Uint32Array>`u`?n:Uint32Array,"%URIError%":u,"%WeakMap%":typeof WeakMap>`u`?n:WeakMap,"%WeakRef%":typeof WeakRef>`u`?n:WeakRef,"%WeakSet%":typeof WeakSet>`u`?n:WeakSet,"%Function.prototype.call%":k,"%Function.prototype.apply%":O,"%Object.defineProperty%":x,"%Object.getPrototypeOf%":E,"%Math.abs%":d,"%Math.floor%":f,"%Math.max%":p,"%Math.min%":m,"%Math.pow%":h,"%Math.round%":g,"%Math.sign%":_,"%Reflect.getPrototypeOf%":D};if(T)try{null.error}catch(e){var P=T(T(e));N[`%Error.prototype%`]=P}var ae=function e(t){var n;if(t===`%AsyncFunction%`)n=y(`async function () {}`);else if(t===`%GeneratorFunction%`)n=y(`function* () {}`);else if(t===`%AsyncGeneratorFunction%`)n=y(`async function* () {}`);else if(t===`%AsyncGenerator%`){var r=e(`%AsyncGeneratorFunction%`);r&&(n=r.prototype)}else if(t===`%AsyncIteratorPrototype%`){var i=e(`%AsyncGenerator%`);i&&T&&(n=T(i.prototype))}return N[t]=n,n},se={__proto__:null,"%ArrayBufferPrototype%":[`ArrayBuffer`,`prototype`],"%ArrayPrototype%":[`Array`,`prototype`],"%ArrayProto_entries%":[`Array`,`prototype`,`entries`],"%ArrayProto_forEach%":[`Array`,`prototype`,`forEach`],"%ArrayProto_keys%":[`Array`,`prototype`,`keys`],"%ArrayProto_values%":[`Array`,`prototype`,`values`],"%AsyncFunctionPrototype%":[`AsyncFunction`,`prototype`],"%AsyncGenerator%":[`AsyncGeneratorFunction`,`prototype`],"%AsyncGeneratorPrototype%":[`AsyncGeneratorFunction`,`prototype`,`prototype`],"%BooleanPrototype%":[`Boolean`,`prototype`],"%DataViewPrototype%":[`DataView`,`prototype`],"%DatePrototype%":[`Date`,`prototype`],"%ErrorPrototype%":[`Error`,`prototype`],"%EvalErrorPrototype%":[`EvalError`,`prototype`],"%Float32ArrayPrototype%":[`Float32Array`,`prototype`],"%Float64ArrayPrototype%":[`Float64Array`,`prototype`],"%FunctionPrototype%":[`Function`,`prototype`],"%Generator%":[`GeneratorFunction`,`prototype`],"%GeneratorPrototype%":[`GeneratorFunction`,`prototype`,`prototype`],"%Int8ArrayPrototype%":[`Int8Array`,`prototype`],"%Int16ArrayPrototype%":[`Int16Array`,`prototype`],"%Int32ArrayPrototype%":[`Int32Array`,`prototype`],"%JSONParse%":[`JSON`,`parse`],"%JSONStringify%":[`JSON`,`stringify`],"%MapPrototype%":[`Map`,`prototype`],"%NumberPrototype%":[`Number`,`prototype`],"%ObjectPrototype%":[`Object`,`prototype`],"%ObjProto_toString%":[`Object`,`prototype`,`toString`],"%ObjProto_valueOf%":[`Object`,`prototype`,`valueOf`],"%PromisePrototype%":[`Promise`,`prototype`],"%PromiseProto_then%":[`Promise`,`prototype`,`then`],"%Promise_all%":[`Promise`,`all`],"%Promise_reject%":[`Promise`,`reject`],"%Promise_resolve%":[`Promise`,`resolve`],"%RangeErrorPrototype%":[`RangeError`,`prototype`],"%ReferenceErrorPrototype%":[`ReferenceError`,`prototype`],"%RegExpPrototype%":[`RegExp`,`prototype`],"%SetPrototype%":[`Set`,`prototype`],"%SharedArrayBufferPrototype%":[`SharedArrayBuffer`,`prototype`],"%StringPrototype%":[`String`,`prototype`],"%SymbolPrototype%":[`Symbol`,`prototype`],"%SyntaxErrorPrototype%":[`SyntaxError`,`prototype`],"%TypedArrayPrototype%":[`TypedArray`,`prototype`],"%TypeErrorPrototype%":[`TypeError`,`prototype`],"%Uint8ArrayPrototype%":[`Uint8Array`,`prototype`],"%Uint8ClampedArrayPrototype%":[`Uint8ClampedArray`,`prototype`],"%Uint16ArrayPrototype%":[`Uint16Array`,`prototype`],"%Uint32ArrayPrototype%":[`Uint32Array`,`prototype`],"%URIErrorPrototype%":[`URIError`,`prototype`],"%WeakMapPrototype%":[`WeakMap`,`prototype`],"%WeakSetPrototype%":[`WeakSet`,`prototype`]},U=de(),K=ye(),me=U.call(k,Array.prototype.concat),he=U.call(O,Array.prototype.splice),ge=U.call(k,String.prototype.replace),_e=U.call(k,String.prototype.slice),q=U.call(k,RegExp.prototype.exec),J=/[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g,be=/\\(\\)?/g,xe=function(e){var t=_e(e,0,1),n=_e(e,-1);if(t===`%`&&n!==`%`)throw new c("invalid intrinsic syntax, expected closing `%`");if(n===`%`&&t!==`%`)throw new c("invalid intrinsic syntax, expected opening `%`");var r=[];return ge(e,J,function(e,t,n,i){r[r.length]=n?ge(i,be,`$1`):t||e}),r},Se=function(e,t){var n=e,r;if(K(se,n)&&(r=se[n],n=`%`+r[0]+`%`),K(N,n)){var i=N[n];if(i===A&&(i=ae(n)),i===void 0&&!t)throw new l(`intrinsic `+e+` exists, but is not available. Please file an issue!`);return{alias:r,name:n,value:i}}throw new c(`intrinsic `+e+` does not exist!`)};t.exports=function(e,t){if(typeof e!=`string`||e.length===0)throw new l(`intrinsic name must be a non-empty string`);if(arguments.length>1&&typeof t!=`boolean`)throw new l(`"allowMissing" argument must be a boolean`);if(q(/^%?[^%]*%?$/,e)===null)throw new c("`%` may not be present anywhere but at the beginning and end of the intrinsic name");var n=xe(e),r=n.length>0?n[0]:``,i=Se(`%`+r+`%`,t),a=i.name,o=i.value,s=!1,u=i.alias;u&&(r=u[0],he(n,me([0,1],u)));for(var d=1,f=!0;d<n.length;d+=1){var p=n[d],m=_e(p,0,1),h=_e(p,-1);if((m===`"`||m===`'`||m==="`"||h===`"`||h===`'`||h==="`")&&m!==h)throw new c(`property names with quotes must have matching quotes`);if((p===`constructor`||!f)&&(s=!0),r+=`.`+p,a=`%`+r+`%`,K(N,a))o=N[a];else if(o!=null){if(!(p in o)){if(!t)throw new l(`base intrinsic for `+e+` exists, but the property is not available.`);return}if(b&&d+1>=n.length){var g=b(o,p);f=!!g,o=f&&`get`in g&&!(`originalValue`in g.get)?g.get:o[p]}else f=K(o,p),o=o[p];f&&!s&&(N[a]=o)}}return o}}),J=A.__commonJSMin((exports,t)=>{var n=q(),r=ge(),i=r([n(`%String.prototype.indexOf%`)]);t.exports=function(e,t){var a=n(e,!!t);return typeof a==`function`&&i(e,`.prototype.`)>-1?r([a]):a}}),be=A.__commonJSMin((exports,t)=>{var n=q(),r=J(),i=N(),a=j(),o=n(`%Map%`,!0),s=r(`Map.prototype.get`,!0),c=r(`Map.prototype.set`,!0),l=r(`Map.prototype.has`,!0),u=r(`Map.prototype.delete`,!0),d=r(`Map.prototype.size`,!0);t.exports=!!o&&function(){var e,t={assert:function(e){if(!t.has(e))throw new a(`Side channel does not contain `+i(e))},delete:function(t){if(e){var n=u(e,t);return d(e)===0&&(e=void 0),n}return!1},get:function(t){if(e)return s(e,t)},has:function(t){return e?l(e,t):!1},set:function(t,n){e||=new o,c(e,t,n)}};return t}}),xe=A.__commonJSMin((exports,t)=>{var n=q(),r=J(),i=N(),a=be(),o=j(),s=n(`%WeakMap%`,!0),c=r(`WeakMap.prototype.get`,!0),l=r(`WeakMap.prototype.set`,!0),u=r(`WeakMap.prototype.has`,!0),d=r(`WeakMap.prototype.delete`,!0);t.exports=s?function(){var e,t,n={assert:function(e){if(!n.has(e))throw new o(`Side channel does not contain `+i(e))},delete:function(n){if(s&&n&&(typeof n==`object`||typeof n==`function`)){if(e)return d(e,n)}else if(a&&t)return t.delete(n);return!1},get:function(n){return s&&n&&(typeof n==`object`||typeof n==`function`)&&e?c(e,n):t&&t.get(n)},has:function(n){return s&&n&&(typeof n==`object`||typeof n==`function`)&&e?u(e,n):!!t&&t.has(n)},set:function(n,r){s&&n&&(typeof n==`object`||typeof n==`function`)?(e||=new s,l(e,n,r)):a&&(t||=a(),t.set(n,r))}};return n}:a}),Se=A.__commonJSMin((exports,t)=>{var n=j(),r=N(),i=P(),a=be(),o=xe(),s=o||a||i;t.exports=function(){var e,t={assert:function(e){if(!t.has(e))throw new n(`Side channel does not contain `+r(e))},delete:function(t){return!!e&&e.delete(t)},get:function(t){return e&&e.get(t)},has:function(t){return!!e&&e.has(t)},set:function(t,n){e||=s(),e.set(t,n)}};return t}}),Ce=A.__commonJSMin((exports,t)=>{var n=String.prototype.replace,r=/%20/g,i={RFC1738:`RFC1738`,RFC3986:`RFC3986`};t.exports={default:i.RFC3986,formatters:{RFC1738:function(e){return n.call(e,r,`+`)},RFC3986:function(e){return String(e)}},RFC1738:i.RFC1738,RFC3986:i.RFC3986}}),we=A.__commonJSMin((exports,t)=>{var n=Ce(),r=Object.prototype.hasOwnProperty,i=Array.isArray,a=function(){for(var e=[],t=0;t<256;++t)e.push(`%`+((t<16?`0`:``)+t.toString(16)).toUpperCase());return e}(),o=function(e){for(;e.length>1;){var t=e.pop(),n=t.obj[t.prop];if(i(n)){for(var r=[],a=0;a<n.length;++a)n[a]!==void 0&&r.push(n[a]);t.obj[t.prop]=r}}},s=function(e,t){for(var n=t&&t.plainObjects?{__proto__:null}:{},r=0;r<e.length;++r)e[r]!==void 0&&(n[r]=e[r]);return n},c=function e(t,n,a){if(!n)return t;if(typeof n!=`object`&&typeof n!=`function`){if(i(t))t.push(n);else if(t&&typeof t==`object`)(a&&(a.plainObjects||a.allowPrototypes)||!r.call(Object.prototype,n))&&(t[n]=!0);else return[t,n];return t}if(!t||typeof t!=`object`)return[t].concat(n);var o=t;return i(t)&&!i(n)&&(o=s(t,a)),i(t)&&i(n)?(n.forEach(function(n,i){if(r.call(t,i)){var o=t[i];o&&typeof o==`object`&&n&&typeof n==`object`?t[i]=e(o,n,a):t.push(n)}else t[i]=n}),t):Object.keys(n).reduce(function(t,i){var o=n[i];return r.call(t,i)?t[i]=e(t[i],o,a):t[i]=o,t},o)},l=function(e,t){return Object.keys(t).reduce(function(e,n){return e[n]=t[n],e},e)},u=function(e,t,n){var r=e.replace(/\+/g,` `);if(n===`iso-8859-1`)return r.replace(/%[0-9a-f]{2}/gi,unescape);try{return decodeURIComponent(r)}catch{return r}},d=1024,f=function(e,t,r,i,o){if(e.length===0)return e;var s=e;if(typeof e==`symbol`?s=Symbol.prototype.toString.call(e):typeof e!=`string`&&(s=String(e)),r===`iso-8859-1`)return escape(s).replace(/%u[0-9a-f]{4}/gi,function(e){return`%26%23`+parseInt(e.slice(2),16)+`%3B`});for(var c=``,l=0;l<s.length;l+=d){for(var u=s.length>=d?s.slice(l,l+d):s,f=[],p=0;p<u.length;++p){var m=u.charCodeAt(p);if(m===45||m===46||m===95||m===126||m>=48&&m<=57||m>=65&&m<=90||m>=97&&m<=122||o===n.RFC1738&&(m===40||m===41)){f[f.length]=u.charAt(p);continue}if(m<128){f[f.length]=a[m];continue}if(m<2048){f[f.length]=a[192|m>>6]+a[128|m&63];continue}if(m<55296||m>=57344){f[f.length]=a[224|m>>12]+a[128|m>>6&63]+a[128|m&63];continue}p+=1,m=65536+((m&1023)<<10|u.charCodeAt(p)&1023),f[f.length]=a[240|m>>18]+a[128|m>>12&63]+a[128|m>>6&63]+a[128|m&63]}c+=f.join(``)}return c},p=function(e){for(var t=[{obj:{o:e},prop:`o`}],n=[],r=0;r<t.length;++r)for(var i=t[r],a=i.obj[i.prop],s=Object.keys(a),c=0;c<s.length;++c){var l=s[c],u=a[l];typeof u==`object`&&u&&n.indexOf(u)===-1&&(t.push({obj:a,prop:l}),n.push(u))}return o(t),e},m=function(e){return Object.prototype.toString.call(e)===`[object RegExp]`},h=function(e){return!e||typeof e!=`object`?!1:!!(e.constructor&&e.constructor.isBuffer&&e.constructor.isBuffer(e))},g=function(e,t){return[].concat(e,t)},_=function(e,t){if(i(e)){for(var n=[],r=0;r<e.length;r+=1)n.push(t(e[r]));return n}return t(e)};t.exports={arrayToObject:s,assign:l,combine:g,compact:p,decode:u,encode:f,isBuffer:h,isRegExp:m,maybeMap:_,merge:c}}),Te=A.__commonJSMin((exports,t)=>{var n=Se(),r=we(),i=Ce(),a=Object.prototype.hasOwnProperty,o={brackets:function(e){return e+`[]`},comma:`comma`,indices:function(e,t){return e+`[`+t+`]`},repeat:function(e){return e}},s=Array.isArray,c=Array.prototype.push,l=function(e,t){c.apply(e,s(t)?t:[t])},u=Date.prototype.toISOString,d=i.default,f={addQueryPrefix:!1,allowDots:!1,allowEmptyArrays:!1,arrayFormat:`indices`,charset:`utf-8`,charsetSentinel:!1,commaRoundTrip:!1,delimiter:`&`,encode:!0,encodeDotInKeys:!1,encoder:r.encode,encodeValuesOnly:!1,filter:void 0,format:d,formatter:i.formatters[d],indices:!1,serializeDate:function(e){return u.call(e)},skipNulls:!1,strictNullHandling:!1},p=function(e){return typeof e==`string`||typeof e==`number`||typeof e==`boolean`||typeof e==`symbol`||typeof e==`bigint`},m={},h=function e(t,i,a,o,c,u,d,h,g,_,v,y,b,x,S,C,w,T){for(var E=t,D=T,O=0,k=!1;(D=D.get(m))!==void 0&&!k;){var A=D.get(t);if(O+=1,A!==void 0){if(A===O)throw RangeError(`Cyclic object value`);k=!0}D.get(m)===void 0&&(O=0)}if(typeof _==`function`?E=_(i,E):E instanceof Date?E=b(E):a===`comma`&&s(E)&&(E=r.maybeMap(E,function(e){return e instanceof Date?b(e):e})),E===null){if(u)return g&&!C?g(i,f.encoder,w,`key`,x):i;E=``}if(p(E)||r.isBuffer(E)){if(g){var j=C?i:g(i,f.encoder,w,`key`,x);return[S(j)+`=`+S(g(E,f.encoder,w,`value`,x))]}return[S(i)+`=`+S(String(E))]}var M=[];if(E===void 0)return M;var N;if(a===`comma`&&s(E))C&&g&&(E=r.maybeMap(E,g)),N=[{value:E.length>0?E.join(`,`)||null:void 0}];else if(s(_))N=_;else{var P=Object.keys(E);N=v?P.sort(v):P}var F=h?String(i).replace(/\./g,`%2E`):String(i),I=o&&s(E)&&E.length===1?F+`[]`:F;if(c&&s(E)&&E.length===0)return I+`[]`;for(var L=0;L<N.length;++L){var R=N[L],z=typeof R==`object`&&R&&R.value!==void 0?R.value:E[R];if(!(d&&z===null)){var B=y&&h?String(R).replace(/\./g,`%2E`):String(R),ee=s(E)?typeof a==`function`?a(I,B):I:I+(y?`.`+B:`[`+B+`]`);T.set(t,O);var V=n();V.set(m,T),l(M,e(z,ee,a,o,c,u,d,h,a===`comma`&&C&&s(E)?null:g,_,v,y,b,x,S,C,w,V))}}return M},g=function(e){if(!e)return f;if(e.allowEmptyArrays!==void 0&&typeof e.allowEmptyArrays!=`boolean`)throw TypeError("`allowEmptyArrays` option can only be `true` or `false`, when provided");if(e.encodeDotInKeys!==void 0&&typeof e.encodeDotInKeys!=`boolean`)throw TypeError("`encodeDotInKeys` option can only be `true` or `false`, when provided");if(e.encoder!==null&&e.encoder!==void 0&&typeof e.encoder!=`function`)throw TypeError(`Encoder has to be a function.`);var t=e.charset||f.charset;if(e.charset!==void 0&&e.charset!==`utf-8`&&e.charset!==`iso-8859-1`)throw TypeError(`The charset option must be either utf-8, iso-8859-1, or undefined`);var n=i.default;if(e.format!==void 0){if(!a.call(i.formatters,e.format))throw TypeError(`Unknown format option provided.`);n=e.format}var r=i.formatters[n],c=f.filter;(typeof e.filter==`function`||s(e.filter))&&(c=e.filter);var l;if(l=e.arrayFormat in o?e.arrayFormat:`indices`in e?e.indices?`indices`:`repeat`:f.arrayFormat,`commaRoundTrip`in e&&typeof e.commaRoundTrip!=`boolean`)throw TypeError("`commaRoundTrip` must be a boolean, or absent");var u=e.allowDots===void 0?e.encodeDotInKeys===!0?!0:f.allowDots:!!e.allowDots;return{addQueryPrefix:typeof e.addQueryPrefix==`boolean`?e.addQueryPrefix:f.addQueryPrefix,allowDots:u,allowEmptyArrays:typeof e.allowEmptyArrays==`boolean`?!!e.allowEmptyArrays:f.allowEmptyArrays,arrayFormat:l,charset:t,charsetSentinel:typeof e.charsetSentinel==`boolean`?e.charsetSentinel:f.charsetSentinel,commaRoundTrip:!!e.commaRoundTrip,delimiter:e.delimiter===void 0?f.delimiter:e.delimiter,encode:typeof e.encode==`boolean`?e.encode:f.encode,encodeDotInKeys:typeof e.encodeDotInKeys==`boolean`?e.encodeDotInKeys:f.encodeDotInKeys,encoder:typeof e.encoder==`function`?e.encoder:f.encoder,encodeValuesOnly:typeof e.encodeValuesOnly==`boolean`?e.encodeValuesOnly:f.encodeValuesOnly,filter:c,format:n,formatter:r,serializeDate:typeof e.serializeDate==`function`?e.serializeDate:f.serializeDate,skipNulls:typeof e.skipNulls==`boolean`?e.skipNulls:f.skipNulls,sort:typeof e.sort==`function`?e.sort:null,strictNullHandling:typeof e.strictNullHandling==`boolean`?e.strictNullHandling:f.strictNullHandling}};t.exports=function(e,t){var r=e,i=g(t),a,c;typeof i.filter==`function`?(c=i.filter,r=c(``,r)):s(i.filter)&&(c=i.filter,a=c);var u=[];if(typeof r!=`object`||!r)return``;var d=o[i.arrayFormat],f=d===`comma`&&i.commaRoundTrip;a||=Object.keys(r),i.sort&&a.sort(i.sort);for(var p=n(),m=0;m<a.length;++m){var _=a[m],v=r[_];i.skipNulls&&v===null||l(u,h(v,_,d,f,i.allowEmptyArrays,i.strictNullHandling,i.skipNulls,i.encodeDotInKeys,i.encode?i.encoder:null,i.filter,i.sort,i.allowDots,i.serializeDate,i.format,i.formatter,i.encodeValuesOnly,i.charset,p))}var y=u.join(i.delimiter),b=i.addQueryPrefix===!0?`?`:``;return i.charsetSentinel&&(i.charset===`iso-8859-1`?b+=`utf8=%26%2310003%3B&`:b+=`utf8=%E2%9C%93&`),y.length>0?b+y:``}}),Ee=A.__commonJSMin((exports,t)=>{var n=we(),r=Object.prototype.hasOwnProperty,i=Array.isArray,a={allowDots:!1,allowEmptyArrays:!1,allowPrototypes:!1,allowSparse:!1,arrayLimit:20,charset:`utf-8`,charsetSentinel:!1,comma:!1,decodeDotInKeys:!1,decoder:n.decode,delimiter:`&`,depth:5,duplicates:`combine`,ignoreQueryPrefix:!1,interpretNumericEntities:!1,parameterLimit:1e3,parseArrays:!0,plainObjects:!1,strictDepth:!1,strictNullHandling:!1,throwOnLimitExceeded:!1},o=function(e){return e.replace(/&#(\d+);/g,function(e,t){return String.fromCharCode(parseInt(t,10))})},s=function(e,t,n){if(e&&typeof e==`string`&&t.comma&&e.indexOf(`,`)>-1)return e.split(`,`);if(t.throwOnLimitExceeded&&n>=t.arrayLimit)throw RangeError(`Array limit exceeded. Only `+t.arrayLimit+` element`+(t.arrayLimit===1?``:`s`)+` allowed in an array.`);return e},c=`utf8=%26%2310003%3B`,l=`utf8=%E2%9C%93`,u=function(e,t){var u={__proto__:null},d=t.ignoreQueryPrefix?e.replace(/^\?/,``):e;d=d.replace(/%5B/gi,`[`).replace(/%5D/gi,`]`);var f=t.parameterLimit===1/0?void 0:t.parameterLimit,p=d.split(t.delimiter,t.throwOnLimitExceeded?f+1:f);if(t.throwOnLimitExceeded&&p.length>f)throw RangeError(`Parameter limit exceeded. Only `+f+` parameter`+(f===1?``:`s`)+` allowed.`);var m=-1,h,g=t.charset;if(t.charsetSentinel)for(h=0;h<p.length;++h)p[h].indexOf(`utf8=`)===0&&(p[h]===l?g=`utf-8`:p[h]===c&&(g=`iso-8859-1`),m=h,h=p.length);for(h=0;h<p.length;++h)if(h!==m){var _=p[h],v=_.indexOf(`]=`),y=v===-1?_.indexOf(`=`):v+1,b,x;y===-1?(b=t.decoder(_,a.decoder,g,`key`),x=t.strictNullHandling?null:``):(b=t.decoder(_.slice(0,y),a.decoder,g,`key`),x=n.maybeMap(s(_.slice(y+1),t,i(u[b])?u[b].length:0),function(e){return t.decoder(e,a.decoder,g,`value`)})),x&&t.interpretNumericEntities&&g===`iso-8859-1`&&(x=o(String(x))),_.indexOf(`[]=`)>-1&&(x=i(x)?[x]:x);var S=r.call(u,b);S&&t.duplicates===`combine`?u[b]=n.combine(u[b],x):(!S||t.duplicates===`last`)&&(u[b]=x)}return u},d=function(e,t,r,i){var a=0;if(e.length>0&&e[e.length-1]===`[]`){var o=e.slice(0,-1).join(``);a=Array.isArray(t)&&t[o]?t[o].length:0}for(var c=i?t:s(t,r,a),l=e.length-1;l>=0;--l){var u,d=e[l];if(d===`[]`&&r.parseArrays)u=r.allowEmptyArrays&&(c===``||r.strictNullHandling&&c===null)?[]:n.combine([],c);else{u=r.plainObjects?{__proto__:null}:{};var f=d.charAt(0)===`[`&&d.charAt(d.length-1)===`]`?d.slice(1,-1):d,p=r.decodeDotInKeys?f.replace(/%2E/g,`.`):f,m=parseInt(p,10);!r.parseArrays&&p===``?u={0:c}:!isNaN(m)&&d!==p&&String(m)===p&&m>=0&&r.parseArrays&&m<=r.arrayLimit?(u=[],u[m]=c):p!==`__proto__`&&(u[p]=c)}c=u}return c},f=function(e,t,n,i){if(e){var a=n.allowDots?e.replace(/\.([^.[]+)/g,`[$1]`):e,o=/(\[[^[\]]*])/,s=/(\[[^[\]]*])/g,c=n.depth>0&&o.exec(a),l=c?a.slice(0,c.index):a,u=[];if(l){if(!n.plainObjects&&r.call(Object.prototype,l)&&!n.allowPrototypes)return;u.push(l)}for(var f=0;n.depth>0&&(c=s.exec(a))!==null&&f<n.depth;){if(f+=1,!n.plainObjects&&r.call(Object.prototype,c[1].slice(1,-1))&&!n.allowPrototypes)return;u.push(c[1])}if(c){if(n.strictDepth===!0)throw RangeError(`Input depth exceeded depth option of `+n.depth+` and strictDepth is true`);u.push(`[`+a.slice(c.index)+`]`)}return d(u,t,n,i)}},p=function(e){if(!e)return a;if(e.allowEmptyArrays!==void 0&&typeof e.allowEmptyArrays!=`boolean`)throw TypeError("`allowEmptyArrays` option can only be `true` or `false`, when provided");if(e.decodeDotInKeys!==void 0&&typeof e.decodeDotInKeys!=`boolean`)throw TypeError("`decodeDotInKeys` option can only be `true` or `false`, when provided");if(e.decoder!==null&&e.decoder!==void 0&&typeof e.decoder!=`function`)throw TypeError(`Decoder has to be a function.`);if(e.charset!==void 0&&e.charset!==`utf-8`&&e.charset!==`iso-8859-1`)throw TypeError(`The charset option must be either utf-8, iso-8859-1, or undefined`);if(e.throwOnLimitExceeded!==void 0&&typeof e.throwOnLimitExceeded!=`boolean`)throw TypeError("`throwOnLimitExceeded` option must be a boolean");var t=e.charset===void 0?a.charset:e.charset,r=e.duplicates===void 0?a.duplicates:e.duplicates;if(r!==`combine`&&r!==`first`&&r!==`last`)throw TypeError(`The duplicates option must be either combine, first, or last`);var i=e.allowDots===void 0?e.decodeDotInKeys===!0?!0:a.allowDots:!!e.allowDots;return{allowDots:i,allowEmptyArrays:typeof e.allowEmptyArrays==`boolean`?!!e.allowEmptyArrays:a.allowEmptyArrays,allowPrototypes:typeof e.allowPrototypes==`boolean`?e.allowPrototypes:a.allowPrototypes,allowSparse:typeof e.allowSparse==`boolean`?e.allowSparse:a.allowSparse,arrayLimit:typeof e.arrayLimit==`number`?e.arrayLimit:a.arrayLimit,charset:t,charsetSentinel:typeof e.charsetSentinel==`boolean`?e.charsetSentinel:a.charsetSentinel,comma:typeof e.comma==`boolean`?e.comma:a.comma,decodeDotInKeys:typeof e.decodeDotInKeys==`boolean`?e.decodeDotInKeys:a.decodeDotInKeys,decoder:typeof e.decoder==`function`?e.decoder:a.decoder,delimiter:typeof e.delimiter==`string`||n.isRegExp(e.delimiter)?e.delimiter:a.delimiter,depth:typeof e.depth==`number`||e.depth===!1?+e.depth:a.depth,duplicates:r,ignoreQueryPrefix:e.ignoreQueryPrefix===!0,interpretNumericEntities:typeof e.interpretNumericEntities==`boolean`?e.interpretNumericEntities:a.interpretNumericEntities,parameterLimit:typeof e.parameterLimit==`number`?e.parameterLimit:a.parameterLimit,parseArrays:e.parseArrays!==!1,plainObjects:typeof e.plainObjects==`boolean`?e.plainObjects:a.plainObjects,strictDepth:typeof e.strictDepth==`boolean`?!!e.strictDepth:a.strictDepth,strictNullHandling:typeof e.strictNullHandling==`boolean`?e.strictNullHandling:a.strictNullHandling,throwOnLimitExceeded:typeof e.throwOnLimitExceeded==`boolean`?e.throwOnLimitExceeded:!1}};t.exports=function(e,t){var r=p(t);if(e===``||e==null)return r.plainObjects?{__proto__:null}:{};for(var i=typeof e==`string`?u(e,r):e,a=r.plainObjects?{__proto__:null}:{},o=Object.keys(i),s=0;s<o.length;++s){var c=o[s],l=f(c,i[c],r,typeof e==`string`);a=n.merge(a,l,r)}return r.allowSparse===!0?a:n.compact(a)}}),De=A.__commonJSMin((exports,t)=>{var n=Te(),r=Ee(),i=Ce();t.exports={formats:i,parse:r,stringify:n}});const Oe=(e,t)=>e?!t||t.length===0?e:t.reduce((e,t)=>(delete e[t],e),{...e}):{};let Y=function(e){return e.JSON=`application/json`,e.FORM_URLENCODED=`application/x-www-form-urlencoded`,e.FORM_DATA=`multipart/form-data`,e.TEXT=`text/plain`,e.HTML=`text/html`,e.XML=`text/xml`,e.CSV=`text/csv`,e.STREAM=`application/octet-stream`,e}({}),ke=function(e){return e[e.TIME_OUT=408]=`TIME_OUT`,e[e.ABORTED=499]=`ABORTED`,e[e.NETWORK_ERROR=599]=`NETWORK_ERROR`,e[e.BODY_NULL=502]=`BODY_NULL`,e[e.UNKNOWN=601]=`UNKNOWN`,e}({}),Ae=function(e){return e.GET=`GET`,e.POST=`POST`,e.PUT=`PUT`,e.DELETE=`DELETE`,e.PATCH=`PATCH`,e.HEAD=`HEAD`,e.OPTIONS=`OPTIONS`,e}({});var je=A.__toESM(De()),X=(t=new WeakMap,n=new WeakMap,r=new WeakMap,i=new WeakMap,a=new WeakMap,o=new WeakMap,class extends Error{constructor({message:s,status:c,statusText:l,response:u,config:d,name:f}){super(s),e.classPrivateFieldInitSpec(this,t,void 0),e.classPrivateFieldInitSpec(this,n,void 0),e.classPrivateFieldInitSpec(this,r,void 0),e.classPrivateFieldInitSpec(this,i,void 0),e.classPrivateFieldInitSpec(this,a,void 0),e.classPrivateFieldInitSpec(this,o,void 0),e.classPrivateFieldSet2(t,this,s),e.classPrivateFieldSet2(r,this,c),e.classPrivateFieldSet2(i,this,l),e.classPrivateFieldSet2(a,this,u),e.classPrivateFieldSet2(o,this,d),e.classPrivateFieldSet2(n,this,f??s)}get message(){return e.classPrivateFieldGet2(t,this)}get status(){return e.classPrivateFieldGet2(r,this)}get statusText(){return e.classPrivateFieldGet2(i,this)}get response(){return e.classPrivateFieldGet2(a,this)}get config(){return e.classPrivateFieldGet2(o,this)}get name(){return e.classPrivateFieldGet2(n,this)}});const Me=e=>{let t=new Map;e.forEach(e=>{t.set(e.name,e)});let n=Array.from(t.values()).sort((e,t)=>(e.priority??0)-(t.priority??0)),r=[],i=[],a=[],o=[],s=[],c=[];return n.forEach(e=>{e.beforeRequest&&r.push(e.beforeRequest),e.afterResponse&&i.push(e.afterResponse),e.onError&&a.push(e.onError),e.onFinally&&o.push(e.onFinally),e.transformStreamChunk&&s.push(e.transformStreamChunk),e.beforeStream&&c.push(e.beforeStream)}),{beforeRequestPlugins:r,afterResponsePlugins:i,errorPlugins:a,finallyPlugins:o,beforeStreamPlugins:c,transformStreamChunkPlugins:s}},Ne=(e,t,n=`repeat`)=>{if(t){let r=je.default.stringify(t,{arrayFormat:n});r&&(e=e.includes(`?`)?`${e}&${r}`:`${e}?${r}`)}return e},Pe=(e={},t={})=>{let n=e instanceof Headers?e:new Headers(e),r=e=>{e instanceof Headers||(e=new Headers(e)),e.forEach((e,t)=>{n.set(t,e)})};return r(t),n},Fe=[`PATCH`,`POST`,`PUT`],Ie=[`GET`,`HEAD`,`OPTIONS`,`DELETE`],Le=(e,t,n,r=`repeat`)=>{if(!e)return null;if(e instanceof FormData)return e;let i=null;if(Fe.includes(t.toUpperCase())){let t=new Headers(n||{}),a=t.get(`Content-Type`)||Y.JSON;if(a.includes(Y.JSON))i=JSON.stringify(e);else if(a.includes(Y.FORM_URLENCODED))i=je.default.stringify(e,{arrayFormat:r});else if(a.includes(Y.FORM_DATA)){let t=new FormData;if(!(e instanceof FormData)&&typeof e==`object`){let n=e;Object.keys(n).forEach(e=>{n.prototype.hasOwnProperty.call(e)&&t.append(e,n[e])}),i=t}}}return Ie.includes(t.toUpperCase())&&(i=null),i};var Re=(s=new WeakMap,c=new WeakMap,l=new WeakMap,u=new WeakMap,d=new WeakMap,f=new WeakMap,p=new WeakMap,m=new WeakMap,h=new WeakMap,g=new WeakSet,class t{constructor(t){e.classPrivateMethodInitSpec(this,g),e.classPrivateFieldInitSpec(this,s,void 0),e.classPrivateFieldInitSpec(this,c,void 0),e.classPrivateFieldInitSpec(this,l,void 0),e.classPrivateFieldInitSpec(this,u,void 0),e.classPrivateFieldInitSpec(this,d,!1),e.classPrivateFieldInitSpec(this,f,null),e.classPrivateFieldInitSpec(this,p,[]),e.classPrivateFieldInitSpec(this,m,`json`),e.classPrivateFieldInitSpec(this,h,void 0),e.classPrivateFieldSet2(h,this,t);let{plugins:n=[],controller:r,url:i,baseURL:a=``,params:o,data:_,qsArrayFormat:v=`repeat`,withCredentials:y,extra:b,method:x=`GET`,headers:S}=t;e.classPrivateFieldSet2(c,this,r??new AbortController),e.classPrivateFieldSet2(s,this,Me(n)),e.classPrivateFieldSet2(l,this,{url:i,baseURL:a,params:o,data:_,withCredentials:y,extra:b,method:x,headers:S,qsArrayFormat:v}),e.classPrivateFieldSet2(u,this,e.assertClassBrand(g,this,ze).call(this,t))}lazyFinally(t){return e.classPrivateFieldGet2(f,this)?e.classPrivateFieldGet2(f,this).finally(()=>{for(let t of e.classPrivateFieldGet2(p,this))t();e.classPrivateFieldSet2(p,this,[])}):(t&&e.classPrivateFieldGet2(p,this).push(t),null)}then(t,n){return Ue.call(e.assertClassBrand(g,this)).then(async n=>t?.call(this,await e.assertClassBrand(g,this,Z).call(this,n)),async t=>n?.call(this,await e.assertClassBrand(g,this,Ve).call(this,t)))}catch(t){return Ue.call(e.assertClassBrand(g,this)).catch(t)}finally(t){return Ue.call(e.assertClassBrand(g,this)).finally(t)}abort(){e.classPrivateFieldGet2(c,this).abort()}blob(){return e.classPrivateFieldSet2(f,this,Q.call(e.assertClassBrand(g,this)).then(e=>e.blob()).then(t=>(e.classPrivateFieldSet2(m,this,`blob`),e.assertClassBrand(g,this,Z).call(this,t)))),e.classPrivateFieldGet2(f,this)}text(){return e.classPrivateFieldSet2(f,this,Q.call(e.assertClassBrand(g,this)).then(e=>e.text()).then(t=>(e.classPrivateFieldSet2(m,this,`text`),e.assertClassBrand(g,this,Z).call(this,t)))),e.classPrivateFieldGet2(f,this).finally(this.lazyFinally.bind(this)),e.classPrivateFieldGet2(f,this)}arrayBuffer(){return e.classPrivateFieldSet2(f,this,Q.call(e.assertClassBrand(g,this)).then(e=>e.arrayBuffer()).then(t=>(e.classPrivateFieldSet2(m,this,`arrayBuffer`),e.assertClassBrand(g,this,Z).call(this,t)))),e.classPrivateFieldGet2(f,this).finally(this.lazyFinally.bind(this)),e.classPrivateFieldGet2(f,this)}formData(){return e.classPrivateFieldSet2(f,this,Q.call(e.assertClassBrand(g,this)).then(e=>e.formData()).then(t=>(e.classPrivateFieldSet2(m,this,`formData`),e.assertClassBrand(g,this,Z).call(this,t)))),e.classPrivateFieldGet2(f,this).finally(this.lazyFinally.bind(this)),e.classPrivateFieldGet2(f,this)}bytes(){return e.classPrivateFieldSet2(f,this,Q.call(e.assertClassBrand(g,this)).then(e=>e.bytes()).then(t=>(e.classPrivateFieldSet2(m,this,`bytes`),e.assertClassBrand(g,this,Z).call(this,t)))),e.classPrivateFieldGet2(f,this).finally(this.lazyFinally.bind(this)),e.classPrivateFieldGet2(f,this)}async*stream(){var t;let n=(t=await Q.call(e.assertClassBrand(g,this)))?.body;if(!n)throw Error(`Response body is null`);for(let t of e.classPrivateFieldGet2(s,this).beforeStreamPlugins)n=await t(n,e.classPrivateFieldGet2(l,this));let r=n.getReader();if(!r)throw Error(`Response body reader is null`);try{for(;;){let{done:t,value:n}=await r.read();if(t)break;let i={source:n,result:n,error:null};try{for(let t of e.classPrivateFieldGet2(s,this).transformStreamChunkPlugins)i=await t(i,e.classPrivateFieldGet2(l,this));if(i.result&&(We(i.result)||Ge(i.result)))for await(let e of i.result){let t={source:i.source,result:e,error:null};yield t}else yield i}catch(e){i.error=e,i.result=null,yield i}}}finally{r.releaseLock()}}retry(){let{controller:n,...r}=e.classPrivateFieldGet2(h,this);return new t(r)}get response(){return Q.call(e.assertClassBrand(g,this))}});function ze({timeout:t}){return new Promise(async(n,r)=>{let i=e.classPrivateFieldGet2(l,this),{beforeRequestPlugins:a}=e.classPrivateFieldGet2(s,this);for(let e of a)i=await e(i);let o=Ne(i.baseURL+i.url,i.params,i.qsArrayFormat),u=Le(i.data,i.method,i.headers,i.qsArrayFormat),f=Oe(i??{},[`baseURL`,`data`,`extra`,`headers`,`method`,`params`,`url`,`withCredentials`]),p={...f,method:i.method,headers:i.headers,signal:e.classPrivateFieldGet2(c,this).signal,credentials:i.withCredentials?`include`:`omit`,body:u},m=fetch(o,p),h=[m],_=null;if(t){let n=new Promise(n=>{_=setTimeout(()=>{var t;e.classPrivateFieldSet2(d,this,!0),(t=e.classPrivateFieldGet2(c,this))?.abort()},t)});h.push(n)}try{let t=await Promise.race(h);return t?(t.ok&&n(t),r(new X({message:`Fail Request`,status:t.status,statusText:t.statusText,config:e.classPrivateFieldGet2(l,this),name:`Fail Request`}))):r(new X({message:`NETWORK_ERROR`,status:ke.NETWORK_ERROR,statusText:`Network Error`,config:e.classPrivateFieldGet2(l,this),name:`Network Error`}))}catch(t){r(await e.assertClassBrand(g,this,Ve).call(this,t))}finally{_&&clearTimeout(_)}})}async function Be(t){return t instanceof X?t:t instanceof TypeError?t.name===`AbortError`?e.classPrivateFieldGet2(d,this)?new X({message:`Request timeout`,status:ke.TIME_OUT,statusText:`Request timeout`,config:e.classPrivateFieldGet2(l,this),name:`Request timeout`,response:await Q.call(e.assertClassBrand(g,this))}):new X({message:`Request aborted`,status:ke.ABORTED,statusText:`Request aborted`,config:e.classPrivateFieldGet2(l,this),name:`Request aborted`,response:await Q.call(e.assertClassBrand(g,this))}):new X({message:t.message,status:ke.NETWORK_ERROR,statusText:`Unknown Request Error`,config:e.classPrivateFieldGet2(l,this),name:t.name,response:await Q.call(e.assertClassBrand(g,this))}):new X({message:t?.message??`Unknown Request Error`,status:ke.UNKNOWN,statusText:`Unknown Request Error`,config:e.classPrivateFieldGet2(l,this),name:`Unknown Request Error`,response:await Q.call(e.assertClassBrand(g,this))})}async function Ve(t){let n=await e.assertClassBrand(g,this,Be).call(this,t);for(let t of e.classPrivateFieldGet2(s,this).errorPlugins)n=await t(n,e.classPrivateFieldGet2(l,this));return n}function He(){return Q.call(e.assertClassBrand(g,this)).then(e=>e.json()).then(t=>(e.classPrivateFieldSet2(m,this,`json`),e.assertClassBrand(g,this,Z).call(this,t)))}function Ue(){return e.classPrivateFieldGet2(f,this)?e.classPrivateFieldGet2(f,this):He.call(e.assertClassBrand(g,this))}async function Z(t){let n=e.classPrivateFieldGet2(s,this).afterResponsePlugins,r={config:e.classPrivateFieldGet2(l,this),response:await Q.call(e.assertClassBrand(g,this)).then(e=>e.clone()),responseType:e.classPrivateFieldGet2(m,this),controller:e.classPrivateFieldGet2(c,this),result:t};for(let t of n)r=await t(r,e.classPrivateFieldGet2(l,this));return r.result}function Q(){return e.classPrivateFieldGet2(u,this).then(e=>e.clone())}const We=e=>e[Symbol.toStringTag]===`Generator`&&typeof e.next==`function`&&typeof e.return==`function`&&typeof e.throw==`function`&&typeof e[Symbol.iterator]==`function`,Ge=e=>e[Symbol.toStringTag]===`AsyncGenerator`&&typeof e.next==`function`&&typeof e.return==`function`&&typeof e.throw==`function`&&typeof e[Symbol.asyncIterator]==`function`,Ke=e=>new Re(e);var qe=(_=new WeakMap,v=new WeakMap,y=new WeakMap,b=new WeakMap,x=new WeakMap,S=new WeakMap,C=new WeakSet,class{constructor({timeout:t=0,baseURL:n=``,headers:r={},plugins:i=[],withCredentials:a=!1}){e.classPrivateMethodInitSpec(this,C),e.classPrivateFieldInitSpec(this,_,void 0),e.classPrivateFieldInitSpec(this,v,void 0),e.classPrivateFieldInitSpec(this,y,void 0),e.classPrivateFieldInitSpec(this,b,[]),e.classPrivateFieldInitSpec(this,x,[]),e.classPrivateFieldInitSpec(this,S,void 0),e.classPrivateFieldSet2(_,this,t),e.classPrivateFieldSet2(v,this,n),e.classPrivateFieldSet2(y,this,r),e.classPrivateFieldSet2(x,this,i),e.classPrivateFieldSet2(S,this,a),this.request=this.request.bind(this),this.get=this.get.bind(this),this.head=this.head.bind(this),this.options=this.options.bind(this),this.delete=this.delete.bind(this),this.post=this.post.bind(this),this.put=this.put.bind(this),this.patch=this.patch.bind(this),this.abortAll=this.abortAll.bind(this),this.use=this.use.bind(this)}use(t){return e.classPrivateFieldGet2(x,this).push(t),this}request(t,{timeout:n,headers:r,method:i=`GET`,params:a={},data:o,qsArrayFormat:s,withCredentials:c,extra:l}={}){let u=new AbortController;e.classPrivateFieldGet2(b,this).push(u);let d=Ke({url:t,baseURL:e.classPrivateFieldGet2(v,this),timeout:n??e.classPrivateFieldGet2(_,this),plugins:e.classPrivateFieldGet2(x,this),headers:Pe(e.classPrivateFieldGet2(y,this),r),controller:u,method:i,params:a,data:o,qsArrayFormat:s,withCredentials:c??e.classPrivateFieldGet2(S,this),extra:l});return d.lazyFinally(()=>{e.classPrivateFieldSet2(b,this,e.classPrivateFieldGet2(b,this).filter(e=>e!==u))}),d}get(t,n={},r){return e.assertClassBrand(C,this,Je).call(this,t,n,{...r,method:`GET`})}head(t,n={},r){return e.assertClassBrand(C,this,Je).call(this,t,n,{...r,method:`HEAD`})}options(t,n={},r){return e.assertClassBrand(C,this,Je).call(this,t,n,{...r,method:`OPTIONS`})}delete(e,t){return this.request(e,{...t,method:`DELETE`})}post(t,n,r){return e.assertClassBrand(C,this,Ye).call(this,t,n,{...r,method:`POST`})}upload(t,n,r){let i=new FormData;for(let e in n)if(Object.prototype.hasOwnProperty.call(n,e)){let t=n[e];t instanceof File||t instanceof Blob?i.append(e,t):i.append(e,String(t))}return e.assertClassBrand(C,this,Ye).call(this,t,i,{...r,method:`POST`})}put(t,n,r){return e.assertClassBrand(C,this,Ye).call(this,t,n,{...r,method:`PUT`})}patch(t,n,r){return e.assertClassBrand(C,this,Ye).call(this,t,n,{...r,method:`PATCH`})}abortAll(){e.classPrivateFieldGet2(b,this).forEach(e=>e.abort()),e.classPrivateFieldSet2(b,this,[])}});function Je(e,t={},n={}){return this.request(e,{...n,params:t})}function Ye(e,t={},n={}){return this.request(e,{...n,data:t})}const Xe=(e,t={})=>Ke({url:e,baseURL:``,...t}),Ze=(e,t,n={})=>Xe(e,{...n,params:t}),Qe=(e,t=null,n={})=>Xe(e,{...n,data:t}),$e=Xe,et=(e,t={},n)=>Ze(e,t,{...n,method:`GET`}),tt=(e,t={},n)=>Ze(e,t,{...n,method:`HEAD`}),nt=(e,t={},n)=>Ze(e,t,{...n,method:`OPTIONS`}),rt=(e,t)=>Xe(e,{...t,method:`DELETE`}),it=(e,t,n)=>Qe(e,t,{...n,method:`POST`}),at=(e,t,n)=>{let r=new FormData;for(let e in t)if(Object.prototype.hasOwnProperty.call(t,e)){let n=t[e];n instanceof File||n instanceof Blob?r.append(e,n):r.append(e,String(n))}return Qe(e,r,{...n,method:`POST`})},ot=(e,t,n)=>Qe(e,t,{...n,method:`PUT`}),st=(e,t,n)=>Qe(e,t,{...n,method:`PATCH`}),$=Xe;$.create=e=>{let t=new qe(e),n=t.request.bind(void 0);return Object.assign(n,qe.prototype,t),n},$.get=et,$.head=tt,$.options=nt,$.delete=rt,$.post=it,$.put=ot,$.patch=st,$.upload=at;var ct=$,lt=(w=new WeakMap,T=new WeakMap,E=new WeakMap,D=new WeakMap,O=new WeakMap,k=new WeakMap,class extends Error{constructor({message:t,status:n,statusText:r,response:i,config:a,name:o}){super(t),e.classPrivateFieldInitSpec(this,w,void 0),e.classPrivateFieldInitSpec(this,T,void 0),e.classPrivateFieldInitSpec(this,E,void 0),e.classPrivateFieldInitSpec(this,D,void 0),e.classPrivateFieldInitSpec(this,O,void 0),e.classPrivateFieldInitSpec(this,k,void 0),e.classPrivateFieldSet2(w,this,t),e.classPrivateFieldSet2(E,this,n),e.classPrivateFieldSet2(D,this,r),e.classPrivateFieldSet2(O,this,i),e.classPrivateFieldSet2(k,this,a),e.classPrivateFieldSet2(T,this,o??t)}get message(){return e.classPrivateFieldGet2(w,this)}get status(){return e.classPrivateFieldGet2(E,this)}get statusText(){return e.classPrivateFieldGet2(D,this)}get response(){return e.classPrivateFieldGet2(O,this)}get config(){return e.classPrivateFieldGet2(k,this)}get name(){return e.classPrivateFieldGet2(T,this)}}),ut=ct;exports.ContentType=Y,exports.Method=Ae,exports.ResponseError=lt,exports.StatusCode=ke,exports.default=ut,exports.del=rt,exports.get=et,exports.head=tt,exports.options=nt,exports.patch=st,exports.post=it,exports.put=ot,exports.request=$e,exports.upload=at;
@@ -0,0 +1 @@
1
+ const e=require(`../../sse-CHHNDid2.cjs`);exports.sseTextDecoderPlugin=e.sseTextDecoderPlugin;
@@ -0,0 +1 @@
1
+ const e=require(`../../sse-CHHNDid2.cjs`);exports.sseTextDecoderPlugin=e.sseTextDecoderPlugin;
@@ -0,0 +1 @@
1
+ const e=require(`../../chunk-mbd8xe7s.cjs`),t=e.__toESM(require(`react`)),n=({request:e,onError:n})=>{let r=(0,t.useRef)(null),[i,a]=(0,t.useState)(!1),o=(...t)=>(r.current=e(...t),r),s=(...t)=>{var i;return r.current=e(...t),a(!0),(i=r.current)?.catch(e=>{e instanceof Error&&!e.message.includes(`Unexpected token`)&&e.name!==`AbortError`&&n?.(e)}).finally(()=>{a(!1)}),r},c=(...e)=>(s(...e),r.current.text()),l=(...e)=>(s(...e),r.current.stream()),u=(...e)=>(s(...e),r.current.blob()),d=(...e)=>(s(...e),r.current.arrayBuffer()),f=(...e)=>(s(...e),r.current.formData()),p=(...e)=>(s(...e),r.current.bytes()),m=()=>{if(a(!1),r)try{var e;(e=r.current)?.abort()}catch(e){console.error(`cancel error`,e)}};return{request:o,stream:l,text:c,blob:u,arrayBufferData:d,formDataResult:f,bytesData:p,cancel:m,loading:i,setLoading:a}};exports.useHookFetch=n;
@@ -0,0 +1 @@
1
+ const e=require(`../../chunk-mbd8xe7s.cjs`),t=e.__toESM(require(`vue`)),n=({request:e,onError:n})=>{let r=null,i=(0,t.ref)(!1),a=(...t)=>r||(r=e(...t),r),o=(...t)=>(r=e(...t),i.value=!0,r?.catch(e=>{e instanceof Error&&!e.message.includes(`Unexpected token`)&&e.name!==`AbortError`&&n?.(e)}).finally(()=>{i.value=!1}),r),s=(...e)=>(o(...e),r.text()),c=(...e)=>(o(...e),r.stream()),l=(...e)=>(o(...e),r.blob()),u=(...e)=>(o(...e),r.arrayBuffer()),d=(...e)=>(o(...e),r.formData()),f=(...e)=>(o(...e),r.bytes()),p=()=>{if(i.value=!1,r)try{r?.abort()}catch(e){console.error(`cancel error`,e)}};return{request:a,stream:c,text:s,blob:l,arrayBufferData:u,formDataResult:d,bytesData:f,cancel:p,loading:i}};exports.useHookFetch=n;