From 183b98384fb40406095fce86d08da3934563d01c Mon Sep 17 00:00:00 2001 From: Lincoln Stein <lincoln.stein@gmail.com> Date: Thu, 6 Oct 2022 09:35:04 -0400 Subject: [PATCH 1/8] set perlin & threshold to zero on generator initialization --- ldm/dream/generator/base.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/ldm/dream/generator/base.py b/ldm/dream/generator/base.py index eef1e3259e..08dcd3aa81 100644 --- a/ldm/dream/generator/base.py +++ b/ldm/dream/generator/base.py @@ -21,6 +21,8 @@ class Generator(): self.seed = None self.latent_channels = model.channels self.downsampling_factor = downsampling # BUG: should come from model or config + self.perlin = 0.0 + self.threshold = 0 self.variation_amount = 0 self.with_variations = [] From f3050fefce761bec71671ad94525664faee87551 Mon Sep 17 00:00:00 2001 From: Lincoln Stein <lincoln.stein@gmail.com> Date: Thu, 6 Oct 2022 10:39:08 -0400 Subject: [PATCH 2/8] bug and warning message fixes - txt2img2img back to using DDIM as img2img sampler; results produced by some k* samplers are just not reliable enough for good user experience - img2img progress message clarifies why img2img steps taken != steps requested - warn of potential problems when user tries to run img2img on a small init image --- ldm/dream/generator/inpaint.py | 2 +- ldm/dream/generator/txt2img2img.py | 14 ++++++++------ ldm/generate.py | 30 +++++++++++++++++++----------- ldm/models/diffusion/ksampler.py | 9 ++++++--- ldm/models/diffusion/sampler.py | 4 +++- 5 files changed, 37 insertions(+), 22 deletions(-) diff --git a/ldm/dream/generator/inpaint.py b/ldm/dream/generator/inpaint.py index 620210b118..f5d0b38ba6 100644 --- a/ldm/dream/generator/inpaint.py +++ b/ldm/dream/generator/inpaint.py @@ -27,7 +27,7 @@ class Inpaint(Img2Img): # klms samplers not supported yet, so ignore previous sampler if isinstance(sampler,KSampler): print( - f">> sampler '{sampler.__class__.__name__}' is not yet supported for inpainting, using DDIMSampler instead." + f">> Using recommended DDIM sampler for inpainting." ) sampler = DDIMSampler(self.model, device=self.model.device) diff --git a/ldm/dream/generator/txt2img2img.py b/ldm/dream/generator/txt2img2img.py index d6c0cdf168..91e5801eda 100644 --- a/ldm/dream/generator/txt2img2img.py +++ b/ldm/dream/generator/txt2img2img.py @@ -64,7 +64,7 @@ class Txt2Img2Img(Generator): ) print( - f"\n>> Interpolating from {init_width}x{init_height} to {width}x{height}" + f"\n>> Interpolating from {init_width}x{init_height} to {width}x{height} using DDIM sampling" ) # resizing @@ -75,17 +75,19 @@ class Txt2Img2Img(Generator): ) t_enc = int(strength * steps) + ddim_sampler = DDIMSampler(self.model, device=self.model.device) + ddim_sampler.make_schedule( + ddim_num_steps=steps, ddim_eta=ddim_eta, verbose=False + ) - x = self.get_noise(width,height,False) - - z_enc = sampler.stochastic_encode( + z_enc = ddim_sampler.stochastic_encode( samples, torch.tensor([t_enc]).to(self.model.device), - noise=x + noise=self.get_noise(width,height,False) ) # decode it - samples = sampler.decode( + samples = ddim_sampler.decode( z_enc, c, t_enc, diff --git a/ldm/generate.py b/ldm/generate.py index d268b909db..ea5ac88245 100644 --- a/ldm/generate.py +++ b/ldm/generate.py @@ -417,7 +417,8 @@ class Generate: generator = self._make_txt2img() generator.set_variation( - self.seed, variation_amount, with_variations) + self.seed, variation_amount, with_variations + ) results = generator.generate( prompt, iterations=iterations, @@ -626,18 +627,14 @@ class Generate: height, ) + if image.width < self.width and image.height < self.height: + print(f'>> WARNING: img2img and inpainting may produce unexpected results with initial images smaller than {self.width}x{self.height} in both dimensions') + # if image has a transparent area and no mask was provided, then try to generate mask - if self._has_transparency(image) and not mask: - print( - '>> Initial image has transparent areas. Will inpaint in these regions.') - if self._check_for_erasure(image): - print( - '>> WARNING: Colors underneath the transparent region seem to have been erased.\n', - '>> Inpainting will be suboptimal. Please preserve the colors when making\n', - '>> a transparency mask, or provide mask explicitly using --init_mask (-M).' - ) + if self._has_transparency(image): + self._transparency_check_and_warning(image, mask) # this returns a torch tensor - init_mask = self._create_init_mask(image,width,height,fit=fit) + init_mask = self._create_init_mask(image, width, height, fit=fit) if (image.width * image.height) > (self.width * self.height): print(">> This input is larger than your defaults. If you run out of memory, please use a smaller image.") @@ -953,6 +950,17 @@ class Generate: colored += 1 return colored == 0 + def _transparency_check_and_warning(image, mask): + if not mask: + print( + '>> Initial image has transparent areas. Will inpaint in these regions.') + if self._check_for_erasure(image): + print( + '>> WARNING: Colors underneath the transparent region seem to have been erased.\n', + '>> Inpainting will be suboptimal. Please preserve the colors when making\n', + '>> a transparency mask, or provide mask explicitly using --init_mask (-M).' + ) + def _squeeze_image(self, image): x, y, resize_needed = self._resolution_check(image.width, image.height) if resize_needed: diff --git a/ldm/models/diffusion/ksampler.py b/ldm/models/diffusion/ksampler.py index 5e7033e3da..87b1e17ad9 100644 --- a/ldm/models/diffusion/ksampler.py +++ b/ldm/models/diffusion/ksampler.py @@ -51,8 +51,9 @@ class KSampler(Sampler): schedule, steps=model.num_timesteps, ) - self.ds = None - self.s_in = None + self.sigmas = None + self.ds = None + self.s_in = None def forward(self, x, sigma, uncond, cond, cond_scale): x_in = torch.cat([x] * 2) @@ -140,7 +141,7 @@ class KSampler(Sampler): 'uncond': unconditional_conditioning, 'cond_scale': unconditional_guidance_scale, } - print(f'>> Sampling with k_{self.schedule}') + print(f'>> Sampling with k_{self.schedule} starting at step {len(self.sigmas)-S-1} of {len(self.sigmas)-1} ({S} new sampling steps)') return ( K.sampling.__dict__[f'sample_{self.schedule}']( model_wrap_cfg, x, sigmas, extra_args=extra_args, @@ -149,6 +150,8 @@ class KSampler(Sampler): None, ) + # this code will support inpainting if and when ksampler API modified or + # a workaround is found. @torch.no_grad() def p_sample( self, diff --git a/ldm/models/diffusion/sampler.py b/ldm/models/diffusion/sampler.py index b62278c719..3056cbb6b8 100644 --- a/ldm/models/diffusion/sampler.py +++ b/ldm/models/diffusion/sampler.py @@ -39,6 +39,7 @@ class Sampler(object): ddim_eta=0.0, verbose=False, ): + self.total_steps = ddim_num_steps self.ddim_timesteps = make_ddim_timesteps( ddim_discr_method=ddim_discretize, num_ddim_timesteps=ddim_num_steps, @@ -211,6 +212,7 @@ class Sampler(object): if ddim_use_original_steps else np.flip(timesteps) ) + total_steps=steps iterator = tqdm( @@ -305,7 +307,7 @@ class Sampler(object): time_range = np.flip(timesteps) total_steps = timesteps.shape[0] - print(f'>> Running {self.__class__.__name__} Sampling with {total_steps} timesteps') + print(f'>> Running {self.__class__.__name__} sampling starting at step {self.total_steps - t_start} of {self.total_steps} ({total_steps} new sampling steps)') iterator = tqdm(time_range, desc='Decoding image', total=total_steps) x_dec = x_latent From 2154dd2349df970db79a5e73f2c8d11213acc66e Mon Sep 17 00:00:00 2001 From: Lincoln Stein <lincoln.stein@gmail.com> Date: Thu, 6 Oct 2022 10:54:05 -0400 Subject: [PATCH 3/8] prevent crashes due to uninitialized free_gpu_mem --- ldm/generate.py | 4 +++- scripts/dream.py | 5 ++--- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/ldm/generate.py b/ldm/generate.py index ea5ac88245..fc40fa6152 100644 --- a/ldm/generate.py +++ b/ldm/generate.py @@ -174,7 +174,8 @@ class Generate: config = None, gfpgan=None, codeformer=None, - esrgan=None + esrgan=None, + free_gpu_mem=False, ): models = OmegaConf.load(conf) mconfig = models[model] @@ -201,6 +202,7 @@ class Generate: self.gfpgan = gfpgan self.codeformer = codeformer self.esrgan = esrgan + self.free_gpu_mem = free_gpu_mem # Note that in previous versions, there was an option to pass the # device to Generate(). However the device was then ignored, so diff --git a/scripts/dream.py b/scripts/dream.py index cd0d7c33b4..b1882db827 100644 --- a/scripts/dream.py +++ b/scripts/dream.py @@ -75,7 +75,8 @@ def main(): precision = opt.precision, gfpgan=gfpgan, codeformer=codeformer, - esrgan=esrgan + esrgan=esrgan, + free_gpu_mem=opt.free_gpu_mem, ) except (FileNotFoundError, IOError, KeyError) as e: print(f'{e}. Aborting.') @@ -104,8 +105,6 @@ def main(): # preload the model gen.load_model() - #set additional option - gen.free_gpu_mem = opt.free_gpu_mem # web server loops forever if opt.web or opt.gui: From 911c99f125b5e92a7e5bc9e36e185f473af07645 Mon Sep 17 00:00:00 2001 From: blessedcoolant <54517381+blessedcoolant@users.noreply.github.com> Date: Fri, 7 Oct 2022 03:23:16 +1300 Subject: [PATCH 4/8] Fix WebUI CORS Issue --- backend/invoke_ai_web_server.py | 11 ++++------- 1 file changed, 4 insertions(+), 7 deletions(-) diff --git a/backend/invoke_ai_web_server.py b/backend/invoke_ai_web_server.py index 11a3c1b2b0..dced69f72f 100644 --- a/backend/invoke_ai_web_server.py +++ b/backend/invoke_ai_web_server.py @@ -53,17 +53,14 @@ class InvokeAIWebServer: cors_allowed_origins = [ 'http://127.0.0.1:5173', 'http://localhost:5173', + 'http://localhost:9090' ] additional_allowed_origins = ( opt.cors if opt.cors else [] ) # additional CORS allowed origins - if self.host == '127.0.0.1': - cors_allowed_origins.extend( - [ - f'http://{self.host}:{self.port}', - f'http://localhost:{self.port}', - ] - ) + cors_allowed_origins.append(f'http://{self.host}:{self.port}') + if self.host == '127.0.0.1' or self.host == '0.0.0.0': + cors_allowed_origins.append(f'http://localhost:{self.port}') cors_allowed_origins = ( cors_allowed_origins + additional_allowed_origins ) From 5f42d0894521fd2d9559decd523f21fc12ab1164 Mon Sep 17 00:00:00 2001 From: Lincoln Stein <lincoln.stein@gmail.com> Date: Thu, 6 Oct 2022 12:23:30 -0400 Subject: [PATCH 5/8] realesrgan inherits precision setting from main program --- ldm/dream/restoration/realesrgan.py | 20 ++++++++------------ ldm/generate.py | 5 +++-- 2 files changed, 11 insertions(+), 14 deletions(-) diff --git a/ldm/dream/restoration/realesrgan.py b/ldm/dream/restoration/realesrgan.py index dc3eebd912..0836021031 100644 --- a/ldm/dream/restoration/realesrgan.py +++ b/ldm/dream/restoration/realesrgan.py @@ -1,6 +1,7 @@ import torch import warnings import numpy as np +from ldm.dream.devices import choose_precision, choose_torch_device from PIL import Image @@ -8,17 +9,12 @@ from PIL import Image class ESRGAN(): def __init__(self, bg_tile_size=400) -> None: self.bg_tile_size = bg_tile_size + device = torch.device(choose_torch_device()) + precision = choose_precision(device) + use_half_precision = precision == 'float16' - if not torch.cuda.is_available(): # CPU or MPS on M1 - use_half_precision = False - else: - use_half_precision = True - - def load_esrgan_bg_upsampler(self): - if not torch.cuda.is_available(): # CPU or MPS on M1 - use_half_precision = False - else: - use_half_precision = True + def load_esrgan_bg_upsampler(self, precision): + use_half_precision = precision == 'float16' from realesrgan.archs.srvgg_arch import SRVGGNetCompact from realesrgan import RealESRGANer @@ -39,13 +35,13 @@ class ESRGAN(): return bg_upsampler - def process(self, image, strength: float, seed: str = None, upsampler_scale: int = 2): + def process(self, image, strength: float, seed: str = None, upsampler_scale: int = 2, precision: str = 'float16'): with warnings.catch_warnings(): warnings.filterwarnings('ignore', category=DeprecationWarning) warnings.filterwarnings('ignore', category=UserWarning) try: - upsampler = self.load_esrgan_bg_upsampler() + upsampler = self.load_esrgan_bg_upsampler(precision) except Exception: import traceback import sys diff --git a/ldm/generate.py b/ldm/generate.py index fc40fa6152..504314ef91 100644 --- a/ldm/generate.py +++ b/ldm/generate.py @@ -599,7 +599,8 @@ class Generate: opt, args, image_callback = callback, - prefix = prefix + prefix = prefix, + precision = self.precision, ) elif tool is None: @@ -770,7 +771,7 @@ class Generate: if len(upscale) < 2: upscale.append(0.75) image = self.esrgan.process( - image, upscale[1], seed, int(upscale[0])) + image, upscale[1], seed, int(upscale[0]), precision=self.precision) else: print(">> ESRGAN is disabled. Image not upscaled.") except Exception as e: From 70bbb670ecb5371e2824e2c91e352a400c31cd15 Mon Sep 17 00:00:00 2001 From: blessedcoolant <54517381+blessedcoolant@users.noreply.github.com> Date: Thu, 6 Oct 2022 18:42:26 +1300 Subject: [PATCH 6/8] Add Basic Hotkey Support --- frontend/dist/assets/index.853a336f.css | 1 - frontend/dist/assets/index.c485ac40.css | 1 + frontend/dist/assets/index.d6634413.js | 483 ++++++++++++++++++ frontend/dist/assets/index.d9916e7a.js | 483 ------------------ frontend/dist/index.html | 4 +- frontend/package.json | 1 + .../features/gallery/CurrentImageButtons.tsx | 148 ++++++ .../src/features/gallery/DeleteImageModal.tsx | 9 + .../options/ProcessButtons/CancelButton.tsx | 11 + .../options/PromptInput/PromptInput.tsx | 23 +- .../system/HotkeysModal/HotkeysModal.scss | 53 ++ .../system/HotkeysModal/HotkeysModal.tsx | 88 ++++ .../system/HotkeysModal/HotkeysModalItem.tsx | 20 + .../system/SettingsModal/SettingsModal.scss | 1 + frontend/src/features/system/SiteHeader.scss | 2 +- frontend/src/features/system/SiteHeader.tsx | 14 +- frontend/src/styles/index.scss | 1 + frontend/yarn.lock | 31 +- 18 files changed, 884 insertions(+), 490 deletions(-) delete mode 100644 frontend/dist/assets/index.853a336f.css create mode 100644 frontend/dist/assets/index.c485ac40.css create mode 100644 frontend/dist/assets/index.d6634413.js delete mode 100644 frontend/dist/assets/index.d9916e7a.js create mode 100644 frontend/src/features/system/HotkeysModal/HotkeysModal.scss create mode 100644 frontend/src/features/system/HotkeysModal/HotkeysModal.tsx create mode 100644 frontend/src/features/system/HotkeysModal/HotkeysModalItem.tsx diff --git a/frontend/dist/assets/index.853a336f.css b/frontend/dist/assets/index.853a336f.css deleted file mode 100644 index ae06e82c65..0000000000 --- a/frontend/dist/assets/index.853a336f.css +++ /dev/null @@ -1 +0,0 @@ -.checkerboard{background-position:0px 0px,10px 10px;background-size:20px 20px;background-image:linear-gradient(45deg,#eee 25%,transparent 25%,transparent 75%,#eee 75%,#eee 100%),linear-gradient(45deg,#eee 25%,white 25%,white 75%,#eee 75%,#eee 100%)}[data-theme=dark]{--white: rgb(255, 255, 255);--root-bg-color: rgb(10, 10, 10);--background-color: rgb(20, 20, 26);--background-color-secondary: rgb(16, 16, 22);--text-color: rgb(255, 255, 255);--text-color-secondary: rgb(160, 162, 188);--subtext-color: rgb(24, 24, 34);--subtext-color-bright: rgb(48, 48, 64);--border-color: rgb(30, 30, 46);--border-color-light: rgb(60, 60, 76);--invalid: rgb(255, 75, 75);--invalid-secondary: rgb(120, 5, 5);--border-color-invalid: rgb(255, 80, 50);--box-shadow-color-invalid: rgb(210, 30, 10);--svg-color: rgb(24, 24, 34);--progress-bar-color: rgb(100, 50, 245);--prompt-bg-color: rgb(10, 10, 10);--prompt-border-color: rgb(140, 110, 255);--prompt-box-shadow-color: rgb(80, 30, 210);--btn-svg-color: rgb(255, 255, 255);--btn-grey: rgb(30, 32, 42);--btn-grey-hover: rgb(46, 48, 68);--btn-purple: rgb(80, 40, 200);--btn-purple-hover: rgb(104, 60, 230);--btn-red: rgb(185, 55, 55);--btn-red-hover: rgb(255, 75, 75);--btn-load-more: rgb(30, 32, 42);--btn-load-more-hover: rgb(36, 38, 48);--switch-bg-color: rgb(100, 102, 110);--switch-bg-active-color: rgb(80, 40, 200);--tab-color: rgb(30, 32, 42);--tab-hover-color: rgb(36, 38, 48);--tab-list-bg: rgb(100, 50, 255);--tab-list-text: rgb(20, 20, 20);--tab-list-text-inactive: rgb(92, 94, 114);--tab-panel-bg: rgb(20, 22, 28);--metadata-bg-color: rgba(0, 0, 0, .7);--metadata-json-bg-color: rgba(255, 255, 255, .1);--status-good-color: rgb(125, 255, 100);--status-good-glow: rgb(40, 215, 40);--status-working-color: rgb(255, 175, 55);--status-working-glow: rgb(255, 160, 55);--status-bad-color: rgb(255, 90, 90);--status-bad-glow: rgb(255, 40, 40);--settings-modal-bg: rgb(30, 32, 42);--input-checkbox-bg: rgb(90, 90, 120);--input-checkbox-checked-bg: rgb(80, 40, 200);--input-checkbox-checked-tick: rgb(0, 0, 0);--error-level-info: rgb(200, 202, 224);--error-level-warning: rgb(255, 225, 105);--error-level-error: rgb(255, 81, 46);--console-bg-color: rgb(30, 30, 36);--console-border-color: rgb(80, 82, 112);--console-icon-button-bg-color: rgb(50, 53, 64);--console-icon-button-bg-color-hover: rgb(70, 73, 84)}[data-theme=light]{--white: rgb(255, 255, 255);--root-bg-color: rgb(255, 255, 255);--background-color: rgb(220, 222, 224);--background-color-secondary: rgb(204, 206, 208);--text-color: rgb(0, 0, 0);--text-color-secondary: rgb(40, 40, 40);--subtext-color: rgb(24, 24, 34);--subtext-color-bright: rgb(142, 144, 146);--border-color: rgb(200, 200, 200);--border-color-light: rgb(147, 147, 147);--invalid: rgb(255, 75, 75);--invalid-secondary: rgb(120, 5, 5);--border-color-invalid: rgb(255, 80, 50);--box-shadow-color-invalid: none;--svg-color: rgb(186, 188, 190);--progress-bar-color: rgb(235, 185, 5);--prompt-bg-color: rgb(225, 227, 229);--prompt-border-color: rgb(0, 0, 0);--prompt-box-shadow-color: rgb(217, 217, 217);--btn-svg-color: rgb(0, 0, 0);--btn-grey: rgb(220, 222, 224);--btn-grey-hover: rgb(230, 232, 234);--btn-purple: rgb(235, 185, 5);--btn-purple-hover: rgb(255, 200, 0);--btn-red: rgb(237, 51, 51);--btn-red-hover: rgb(255, 55, 55);--btn-load-more: rgb(202, 204, 206);--btn-load-more-hover: rgb(206, 208, 210);--switch-bg-color: rgb(178, 180, 182);--switch-bg-active-color: rgb(235, 185, 5);--tab-color: rgb(202, 204, 206);--tab-hover-color: rgb(206, 208, 210);--tab-list-bg: rgb(235, 185, 5);--tab-list-text: rgb(0, 0, 0);--tab-list-text-inactive: rgb(106, 108, 110);--tab-panel-bg: rgb(214, 216, 218);--metadata-bg-color: rgba(230, 230, 230, .9);--metadata-json-bg-color: rgba(0, 0, 0, .1);--status-good-color: rgb(21, 126, 0);--status-good-glow: var(--background-color);--status-working-color: rgb(235, 141, 0);--status-working-glow: var(--background-color);--status-bad-color: rgb(202, 0, 0);--status-bad-glow: var(--background-color);--settings-modal-bg: rgb(202, 204, 206);--input-checkbox-bg: rgb(90, 90, 120);--input-checkbox-checked-bg: rgb(235, 185, 5);--input-checkbox-checked-tick: rgb(0, 0, 0);--error-level-info: rgb(42, 42, 42);--error-level-warning: rgb(173, 121, 0);--error-level-error: rgb(145, 14, 0);--console-bg-color: rgb(220, 224, 230);--console-border-color: rgb(160, 162, 164);--console-icon-button-bg-color: var(--switch-bg-color);--console-icon-button-bg-color-hover: var(--console-border-color)}@font-face{font-family:Inter;src:url(/assets/Inter.b9a8e5e2.ttf);font-display:swap;font-weight:400;font-style:normal}@font-face{font-family:Inter;src:url(/assets/Inter-Bold.790c108b.ttf);font-display:swap;font-weight:600;font-style:normal}.App{display:grid}.app-content{display:grid;row-gap:1rem;margin:.6rem;padding:1rem;border-radius:.5rem;background-color:var(--background-color);grid-auto-rows:max-content;width:calc(100vw - 1.6rem);height:calc(100vh - 1.6rem)}.site-header{display:grid;grid-template-columns:auto max-content}.site-header-left-side{display:grid;grid-template-columns:repeat(2,max-content);column-gap:.6rem;align-items:center}.site-header-left-side img{width:32px;height:32px}.site-header-left-side h1{font-size:1.4rem}.site-header-right-side{display:grid;grid-template-columns:repeat(5,max-content);align-items:center;column-gap:.5rem}.status{font-size:.8rem;font-weight:700}.status-good{color:var(--status-good-color);text-shadow:0 0 10px var(--status-good-glow)}.status-bad{color:var(--status-bad-color);text-shadow:0 0 10px var(--status-bad-glow)}.status-working{color:var(--status-working-color);text-shadow:0 0 10px var(--status-working-glow)}.settings-modal{background-color:var(--settings-modal-bg)!important}.settings-modal .settings-modal-content{display:grid;row-gap:2rem}.settings-modal .settings-modal-header{font-weight:700}.settings-modal .settings-modal-items{display:grid;row-gap:.5rem}.settings-modal .settings-modal-items .settings-modal-item{display:grid;grid-auto-flow:column;background-color:var(--background-color);padding:.4rem 1rem;border-radius:.5rem;justify-content:space-between;align-items:center}.settings-modal .settings-modal-reset{display:grid;row-gap:1rem}.settings-modal .settings-modal-reset button{min-width:100%;min-height:100%;background-color:var(--btn-red)}.settings-modal .settings-modal-reset button:hover{background-color:var(--btn-red-hover)}.settings-modal .settings-modal-reset button:disabled{background-color:#2d2d37}.settings-modal .settings-modal-reset button:disabled:hover{background-color:#2d2d37}.settings-modal .settings-modal-reset button svg{width:20px;height:20px;color:var(--btn-svg-color)}.console{display:flex;flex-direction:column;background:var(--console-bg-color);overflow:auto;direction:column;font-family:monospace;padding:0 1rem 1rem 3rem;border-top-width:.3rem;border-color:var(--console-border-color)}.console .console-info-color{color:var(--error-level-info)}.console .console-warning-color{color:var(--error-level-warning)}.console .console-error-color{color:var(--status-bad-color)}.console .console-entry{display:flex;column-gap:.5rem}.console .console-entry .console-timestamp{font-weight:semibold}.console .console-entry .console-message{word-break:break-all}.console-toggle-icon-button{background:var(--console-icon-button-bg-color)!important;position:fixed!important;left:.5rem;bottom:.5rem}.console-toggle-icon-button:hover{background:var(--console-icon-button-bg-color-hover)!important}.console-toggle-icon-button.error-seen,.console-toggle-icon-button.error-seen:hover{background:var(--status-bad-color)!important}.console-autoscroll-icon-button{background:var(--console-icon-button-bg-color)!important;position:fixed!important;left:.5rem;bottom:3rem}.console-autoscroll-icon-button:hover{background:var(--console-icon-button-bg-color-hover)!important}.console-autoscroll-icon-button.autoscroll-enabled{background:var(--btn-purple)!important}.console-autoscroll-icon-button.autoscroll-enabled:hover{background:var(--btn-purple-hover)!important}.prompt-bar{display:grid;row-gap:1rem}.prompt-bar input,.prompt-bar textarea{background-color:var(--prompt-bg-color);font-size:1rem;border:2px solid var(--border-color)}.prompt-bar input:hover,.prompt-bar textarea:hover{border:2px solid var(--border-color-light)}.prompt-bar input:focus-visible,.prompt-bar textarea:focus-visible{border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.prompt-bar input[aria-invalid=true],.prompt-bar textarea[aria-invalid=true]{border:2px solid var(--border-color-invalid);box-shadow:0 0 10px 0 var(--box-shadow-color-invalid)}.prompt-bar input:disabled,.prompt-bar textarea:disabled{border:2px solid var(--border-color);box-shadow:none}.prompt-bar textarea{min-height:10rem}.process-buttons{display:grid;grid-template-columns:auto max-content;column-gap:.5rem}.process-buttons .invoke-btn{min-width:5rem;min-height:100%;background-color:var(--btn-purple)}.process-buttons .invoke-btn:hover{background-color:var(--btn-purple-hover)}.process-buttons .invoke-btn:disabled{background-color:#2d2d37}.process-buttons .invoke-btn:disabled:hover{background-color:#2d2d37}.process-buttons .invoke-btn svg{width:20px;height:20px;color:var(--btn-svg-color)}.process-buttons .cancel-btn{min-width:3rem;min-height:100%;background-color:var(--btn-red)}.process-buttons .cancel-btn:hover{background-color:var(--btn-red-hover)}.process-buttons .cancel-btn:disabled{background-color:#2d2d37}.process-buttons .cancel-btn:disabled:hover{background-color:#2d2d37}.process-buttons .cancel-btn svg{width:20px;height:20px;color:var(--btn-svg-color)}.main-options,.main-options-list{display:grid;row-gap:1rem}.main-options-row{display:grid;grid-template-columns:repeat(3,auto);column-gap:1rem;max-width:22.5rem}.main-option-block{border-radius:.5rem;grid-template-columns:auto!important;row-gap:.4rem}.main-option-block .number-input-label,.main-option-block .iai-select-label{width:100%;font-size:.9rem;font-weight:700}.main-option-block .number-input-entry{padding:0;height:2.4rem}.main-option-block .iai-select-picker{height:2.4rem;border-radius:.3rem}.advanced_options_checker{display:grid;grid-template-columns:repeat(2,max-content);column-gap:.5rem;align-items:center;background-color:var(--background-color-secondary);padding:1rem;font-weight:700;border-radius:.5rem}.advanced_options_checker input[type=checkbox]{-webkit-appearance:none;appearance:none;background-color:var(--input-checkbox-bg);width:1rem;height:1rem;border-radius:.2rem;display:grid;place-content:center}.advanced_options_checker input[type=checkbox]:before{content:"";width:1rem;height:1rem;transform:scale(0);transition:.12s transform ease-in-out;border-radius:.2rem;box-shadow:inset 1rem 1rem var(--input-checkbox-checked-tick);clip-path:polygon(14% 44%,0 65%,50% 100%,100% 16%,80% 0%,43% 62%)}.advanced_options_checker input[type=checkbox]:checked{background-color:var(--input-checkbox-checked-bg)}.advanced_options_checker input[type=checkbox]:checked:before{transform:scale(.7)}.advanced-settings{display:grid;row-gap:.5rem}.advanced-settings-item{display:grid;max-width:22.5rem;border:none;border-top:0px;border-radius:.4rem}.advanced-settings-item[aria-expanded=true]{background-color:var(--tab-hover-color);border-radius:0 0 .4rem .4rem}.advanced-settings-panel{background-color:var(--tab-panel-bg);border-radius:0 0 .4rem .4rem;border:2px solid var(--tab-hover-color)}.advanced-settings-header{border-radius:.4rem}.advanced-settings-header[aria-expanded=true]{background-color:var(--tab-color);border-radius:.4rem .4rem 0 0}.advanced-settings-header:hover{background-color:var(--tab-hover-color)!important}.upscale-options{display:grid;grid-template-columns:auto 1fr;column-gap:1rem}.progress-bar{background-color:var(--root-bg-color)}.progress-bar div{background-color:var(--progress-bar-color)}.current-image-display{display:grid;grid-template-areas:"current-image-tools" "current-image-preview";grid-template-rows:auto 1fr;justify-items:center;background-color:var(--background-color-secondary);border-radius:.5rem}.current-image-display-placeholder{background-color:var(--background-color-secondary);display:flex;align-items:center;justify-content:center;width:100%;height:100%}.current-image-display-placeholder svg{width:10rem;height:10rem;color:var(--svg-color)}.current-image-tools{grid-area:current-image-tools;width:100%;height:100%;display:grid;justify-content:center}.current-image-options{display:grid;grid-auto-flow:column;padding:1rem;height:fit-content;gap:.5rem}.current-image-options button{min-width:3rem;min-height:100%;background-color:var(--btn-grey)}.current-image-options button:hover{background-color:var(--btn-grey-hover)}.current-image-options button:disabled{background-color:#2d2d37}.current-image-options button:disabled:hover{background-color:#2d2d37}.current-image-options button svg{width:22px;height:22px;color:var(--btn-svg-color)}.current-image-preview{grid-area:current-image-preview;position:relative;justify-content:center;align-items:center;display:grid;width:100%}.current-image-preview img{border-radius:.5rem;object-fit:contain;width:auto;max-height:calc(100vh - 13rem)}.current-image-metadata-viewer{border-radius:.5rem;position:absolute;top:0;left:0;width:calc(100% - 2rem);padding:.5rem;margin-left:1rem;background-color:var(--metadata-bg-color);z-index:1;overflow:scroll;height:calc(100vh - 12.4rem)}.current-image-json-viewer{border-radius:.5rem;margin:0 .5rem 1rem;padding:1rem;overflow-x:scroll;word-break:break-all;background-color:var(--metadata-json-bg-color)}.image-gallery-container{display:grid;row-gap:1rem;grid-auto-rows:max-content;min-width:16rem}.image-gallery-container-placeholder{display:grid;background-color:var(--background-color-secondary);border-radius:.5rem;place-items:center;padding:2rem 0}.image-gallery-container-placeholder p{color:var(--subtext-color-bright)}.image-gallery-container-placeholder svg{width:5rem;height:5rem;color:var(--svg-color)}.image-gallery{display:grid;grid-template-columns:repeat(2,max-content);gap:.6rem;justify-items:center;max-height:calc(100vh - 13rem);overflow-y:scroll;-ms-overflow-style:none;scrollbar-width:none}.image-gallery::-webkit-scrollbar{display:none}.image-gallery-load-more-btn{background-color:var(--btn-load-more)!important;font-size:.85rem!important}.image-gallery-load-more-btn:disabled:hover{background-color:var(--btn-load-more)!important}.image-gallery-load-more-btn:hover{background-color:var(--btn-load-more-hover)!important}.popover-content{background-color:var(--background-color-secondary)!important;border:none!important;border-top:0px;background-color:var(--tab-hover-color);border-radius:0 0 .4rem .4rem}.popover-arrow{background:var(--tab-hover-color)!important;box-shadow:none}.popover-options{background:var(--tab-panel-bg);border-radius:0 0 .4rem .4rem;border:2px solid var(--tab-hover-color);padding:.75rem 1rem;display:grid;grid-template-rows:repeat(auto-fill,1fr);grid-row-gap:.5rem;justify-content:space-between}.popover-header{background:var(--tab-hover-color);border-radius:.4rem .4rem 0 0;font-weight:700;border:none;padding-left:1rem!important}.upscale-popover{width:23rem!important}.app-tabs{display:grid!important;grid-template-columns:min-content auto;column-gap:1rem}.app-tabs-list{display:grid;row-gap:.3rem;grid-auto-rows:max-content;color:var(--tab-list-text-inactive)}.app-tabs-list button{font-size:.85rem;padding:.5rem}.app-tabs-list button:hover{background-color:var(--tab-hover-color);border-radius:.3rem}.app-tabs-list button svg{width:26px;height:26px}.app-tabs-list button[aria-selected=true]{background-color:var(--tab-list-bg);color:var(--tab-list-text);font-weight:700;border-radius:.3rem;border:none}.app-tabs-panels .app-tabs-panel{padding:0}.text-to-image-workarea{display:grid;grid-template-columns:max-content auto max-content;column-gap:1rem}.text-to-image-panel{display:grid;row-gap:1rem;grid-auto-rows:max-content;height:calc(100vh - 7rem);overflow-y:scroll;-ms-overflow-style:none;scrollbar-width:none}.text-to-image-panel::-webkit-scrollbar{display:none}.number-input{display:grid;grid-template-columns:max-content auto;column-gap:1rem;align-items:center}.number-input .number-input-label{color:var(--text-color-secondary);margin-right:0}.number-input .number-input-field{display:grid;grid-template-columns:auto max-content;column-gap:.5rem;align-items:center;background-color:var(--background-color-secondary);border:2px solid var(--border-color);border-radius:.2rem}.number-input .number-input-entry{border:none;font-weight:700;width:100%;padding-inline-end:0}.number-input .number-input-entry:focus{outline:none;border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.number-input .number-input-entry:disabled{opacity:.2}.number-input .number-input-stepper{display:grid;padding-right:.7rem}.number-input .number-input-stepper svg{width:12px;height:12px}.number-input .number-input-stepper .number-input-stepper-button{border:none}.input{display:grid;grid-template-columns:max-content auto;column-gap:1rem;align-items:center}.input .input-label{color:var(--text-color-secondary);margin-right:0}.input .input-entry{background-color:var(--background-color-secondary);border:2px solid var(--border-color);border-radius:.2rem;font-weight:700}.input .input-entry:focus{outline:none;border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.input .input-entry:disabled{opacity:.2}.input .input-entry[aria-invalid=true]{outline:none;border:2px solid var(--border-color-invalid);box-shadow:0 0 10px 0 var(--box-shadow-color-invalid)}.iai-select{display:grid;grid-template-columns:repeat(2,max-content);column-gap:1rem;align-items:center;width:max-content}.iai-select .iai-select-label{color:var(--text-color-secondary);margin-right:0}.iai-select .iai-select-picker{border:2px solid var(--border-color);background-color:var(--background-color-secondary);font-weight:700}.iai-select .iai-select-picker:focus{outline:none;border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.iai-select .iai-select-option{background-color:var(--background-color-secondary)}.chakra-switch span,.switch-button span{background-color:var(--switch-bg-color)}.chakra-switch span span,.switch-button span span{background-color:var(--white)}.chakra-switch span[data-checked],.switch-button span[data-checked]{background:var(--switch-bg-active-color)}.chakra-switch span[data-checked] span,.switch-button span[data-checked] span{background-color:var(--white)}.work-in-progress{display:grid;width:100%;height:calc(100vh - 7rem);grid-auto-rows:max-content;background-color:var(--background-color-secondary);border-radius:.4rem;place-content:center;place-items:center;row-gap:1rem}.work-in-progress h1{font-size:2rem;font-weight:700}.work-in-progress p{text-align:center;max-width:50rem;color:var(--subtext-color-bright)}.guide-popover-arrow{background-color:var(--tab-panel-bg)!important;box-shadow:none!important}.guide-popover-content{background-color:var(--background-color-secondary)!important;border:none!important}.guide-popover-guide-content{background:var(--tab-panel-bg);border:2px solid var(--tab-hover-color);border-radius:.4rem;padding:.75rem 1rem;display:grid;grid-template-rows:repeat(auto-fill,1fr);grid-row-gap:.5rem;justify-content:space-between}*,*:before,*:after{box-sizing:border-box;margin:0;padding:0}html,body{-ms-overflow-style:none;scrollbar-width:none;background-color:var(--root-bg-color)}html::-webkit-scrollbar,body::-webkit-scrollbar{display:none}#root{background-color:var(--root-bg-color);color:var(--text-color);font-family:Inter,Arial,Helvetica,sans-serif} diff --git a/frontend/dist/assets/index.c485ac40.css b/frontend/dist/assets/index.c485ac40.css new file mode 100644 index 0000000000..fa6a2a0dc2 --- /dev/null +++ b/frontend/dist/assets/index.c485ac40.css @@ -0,0 +1 @@ +.checkerboard{background-position:0px 0px,10px 10px;background-size:20px 20px;background-image:linear-gradient(45deg,#eee 25%,transparent 25%,transparent 75%,#eee 75%,#eee 100%),linear-gradient(45deg,#eee 25%,white 25%,white 75%,#eee 75%,#eee 100%)}[data-theme=dark]{--white: rgb(255, 255, 255);--root-bg-color: rgb(10, 10, 10);--background-color: rgb(20, 20, 26);--background-color-secondary: rgb(16, 16, 22);--text-color: rgb(255, 255, 255);--text-color-secondary: rgb(160, 162, 188);--subtext-color: rgb(24, 24, 34);--subtext-color-bright: rgb(48, 48, 64);--border-color: rgb(30, 30, 46);--border-color-light: rgb(60, 60, 76);--invalid: rgb(255, 75, 75);--invalid-secondary: rgb(120, 5, 5);--border-color-invalid: rgb(255, 80, 50);--box-shadow-color-invalid: rgb(210, 30, 10);--svg-color: rgb(24, 24, 34);--progress-bar-color: rgb(100, 50, 245);--prompt-bg-color: rgb(10, 10, 10);--prompt-border-color: rgb(140, 110, 255);--prompt-box-shadow-color: rgb(80, 30, 210);--btn-svg-color: rgb(255, 255, 255);--btn-grey: rgb(30, 32, 42);--btn-grey-hover: rgb(46, 48, 68);--btn-purple: rgb(80, 40, 200);--btn-purple-hover: rgb(104, 60, 230);--btn-red: rgb(185, 55, 55);--btn-red-hover: rgb(255, 75, 75);--btn-load-more: rgb(30, 32, 42);--btn-load-more-hover: rgb(36, 38, 48);--switch-bg-color: rgb(100, 102, 110);--switch-bg-active-color: rgb(80, 40, 200);--tab-color: rgb(30, 32, 42);--tab-hover-color: rgb(36, 38, 48);--tab-list-bg: rgb(100, 50, 255);--tab-list-text: rgb(20, 20, 20);--tab-list-text-inactive: rgb(92, 94, 114);--tab-panel-bg: rgb(20, 22, 28);--metadata-bg-color: rgba(0, 0, 0, .7);--metadata-json-bg-color: rgba(255, 255, 255, .1);--status-good-color: rgb(125, 255, 100);--status-good-glow: rgb(40, 215, 40);--status-working-color: rgb(255, 175, 55);--status-working-glow: rgb(255, 160, 55);--status-bad-color: rgb(255, 90, 90);--status-bad-glow: rgb(255, 40, 40);--settings-modal-bg: rgb(30, 32, 42);--input-checkbox-bg: rgb(90, 90, 120);--input-checkbox-checked-bg: rgb(80, 40, 200);--input-checkbox-checked-tick: rgb(0, 0, 0);--error-level-info: rgb(200, 202, 224);--error-level-warning: rgb(255, 225, 105);--error-level-error: rgb(255, 81, 46);--console-bg-color: rgb(30, 30, 36);--console-border-color: rgb(80, 82, 112);--console-icon-button-bg-color: rgb(50, 53, 64);--console-icon-button-bg-color-hover: rgb(70, 73, 84)}[data-theme=light]{--white: rgb(255, 255, 255);--root-bg-color: rgb(255, 255, 255);--background-color: rgb(220, 222, 224);--background-color-secondary: rgb(204, 206, 208);--text-color: rgb(0, 0, 0);--text-color-secondary: rgb(40, 40, 40);--subtext-color: rgb(24, 24, 34);--subtext-color-bright: rgb(142, 144, 146);--border-color: rgb(200, 200, 200);--border-color-light: rgb(147, 147, 147);--invalid: rgb(255, 75, 75);--invalid-secondary: rgb(120, 5, 5);--border-color-invalid: rgb(255, 80, 50);--box-shadow-color-invalid: none;--svg-color: rgb(186, 188, 190);--progress-bar-color: rgb(235, 185, 5);--prompt-bg-color: rgb(225, 227, 229);--prompt-border-color: rgb(0, 0, 0);--prompt-box-shadow-color: rgb(217, 217, 217);--btn-svg-color: rgb(0, 0, 0);--btn-grey: rgb(220, 222, 224);--btn-grey-hover: rgb(230, 232, 234);--btn-purple: rgb(235, 185, 5);--btn-purple-hover: rgb(255, 200, 0);--btn-red: rgb(237, 51, 51);--btn-red-hover: rgb(255, 55, 55);--btn-load-more: rgb(202, 204, 206);--btn-load-more-hover: rgb(206, 208, 210);--switch-bg-color: rgb(178, 180, 182);--switch-bg-active-color: rgb(235, 185, 5);--tab-color: rgb(202, 204, 206);--tab-hover-color: rgb(206, 208, 210);--tab-list-bg: rgb(235, 185, 5);--tab-list-text: rgb(0, 0, 0);--tab-list-text-inactive: rgb(106, 108, 110);--tab-panel-bg: rgb(214, 216, 218);--metadata-bg-color: rgba(230, 230, 230, .9);--metadata-json-bg-color: rgba(0, 0, 0, .1);--status-good-color: rgb(21, 126, 0);--status-good-glow: var(--background-color);--status-working-color: rgb(235, 141, 0);--status-working-glow: var(--background-color);--status-bad-color: rgb(202, 0, 0);--status-bad-glow: var(--background-color);--settings-modal-bg: rgb(202, 204, 206);--input-checkbox-bg: rgb(90, 90, 120);--input-checkbox-checked-bg: rgb(235, 185, 5);--input-checkbox-checked-tick: rgb(0, 0, 0);--error-level-info: rgb(42, 42, 42);--error-level-warning: rgb(173, 121, 0);--error-level-error: rgb(145, 14, 0);--console-bg-color: rgb(220, 224, 230);--console-border-color: rgb(160, 162, 164);--console-icon-button-bg-color: var(--switch-bg-color);--console-icon-button-bg-color-hover: var(--console-border-color)}@font-face{font-family:Inter;src:url(/assets/Inter.b9a8e5e2.ttf);font-display:swap;font-weight:400;font-style:normal}@font-face{font-family:Inter;src:url(/assets/Inter-Bold.790c108b.ttf);font-display:swap;font-weight:600;font-style:normal}.App{display:grid}.app-content{display:grid;row-gap:1rem;margin:.6rem;padding:1rem;border-radius:.5rem;background-color:var(--background-color);grid-auto-rows:max-content;width:calc(100vw - 1.6rem);height:calc(100vh - 1.6rem)}.site-header{display:grid;grid-template-columns:auto max-content}.site-header-left-side{display:grid;grid-template-columns:repeat(2,max-content);column-gap:.6rem;align-items:center}.site-header-left-side img{width:32px;height:32px}.site-header-left-side h1{font-size:1.4rem}.site-header-right-side{display:grid;grid-template-columns:repeat(6,max-content);align-items:center;column-gap:.5rem}.status{font-size:.8rem;font-weight:700}.status-good{color:var(--status-good-color);text-shadow:0 0 10px var(--status-good-glow)}.status-bad{color:var(--status-bad-color);text-shadow:0 0 10px var(--status-bad-glow)}.status-working{color:var(--status-working-color);text-shadow:0 0 10px var(--status-working-glow)}.settings-modal{background-color:var(--settings-modal-bg)!important;font-family:Inter}.settings-modal .settings-modal-content{display:grid;row-gap:2rem}.settings-modal .settings-modal-header{font-weight:700}.settings-modal .settings-modal-items{display:grid;row-gap:.5rem}.settings-modal .settings-modal-items .settings-modal-item{display:grid;grid-auto-flow:column;background-color:var(--background-color);padding:.4rem 1rem;border-radius:.5rem;justify-content:space-between;align-items:center}.settings-modal .settings-modal-reset{display:grid;row-gap:1rem}.settings-modal .settings-modal-reset button{min-width:100%;min-height:100%;background-color:var(--btn-red)}.settings-modal .settings-modal-reset button:hover{background-color:var(--btn-red-hover)}.settings-modal .settings-modal-reset button:disabled{background-color:#2d2d37}.settings-modal .settings-modal-reset button:disabled:hover{background-color:#2d2d37}.settings-modal .settings-modal-reset button svg{width:20px;height:20px;color:var(--btn-svg-color)}.hotkeys-modal{display:grid;padding:1rem;background-color:var(--settings-modal-bg)!important;row-gap:1rem;font-family:Inter}.hotkeys-modal h1{font-size:1.2rem;font-weight:700}.hotkeys-modal-items{display:grid;row-gap:.5rem;max-height:32rem;overflow-y:scroll;-ms-overflow-style:none;scrollbar-width:none}.hotkeys-modal-items::-webkit-scrollbar{display:none}.hotkey-modal-item{display:grid;grid-template-columns:auto max-content;justify-content:space-between;align-items:center;background-color:var(--background-color);padding:.5rem 1rem;border-radius:.3rem}.hotkey-modal-item .hotkey-info{display:grid}.hotkey-modal-item .hotkey-info .hotkey-title{font-weight:700}.hotkey-modal-item .hotkey-info .hotkey-description{font-size:.9rem;color:var(--text-color-secondary)}.hotkey-modal-item .hotkey-key{font-size:.8rem;font-weight:700;border:2px solid var(--settings-modal-bg);padding:.2rem .5rem;border-radius:.3rem}.console{display:flex;flex-direction:column;background:var(--console-bg-color);overflow:auto;direction:column;font-family:monospace;padding:0 1rem 1rem 3rem;border-top-width:.3rem;border-color:var(--console-border-color)}.console .console-info-color{color:var(--error-level-info)}.console .console-warning-color{color:var(--error-level-warning)}.console .console-error-color{color:var(--status-bad-color)}.console .console-entry{display:flex;column-gap:.5rem}.console .console-entry .console-timestamp{font-weight:semibold}.console .console-entry .console-message{word-break:break-all}.console-toggle-icon-button{background:var(--console-icon-button-bg-color)!important;position:fixed!important;left:.5rem;bottom:.5rem}.console-toggle-icon-button:hover{background:var(--console-icon-button-bg-color-hover)!important}.console-toggle-icon-button.error-seen,.console-toggle-icon-button.error-seen:hover{background:var(--status-bad-color)!important}.console-autoscroll-icon-button{background:var(--console-icon-button-bg-color)!important;position:fixed!important;left:.5rem;bottom:3rem}.console-autoscroll-icon-button:hover{background:var(--console-icon-button-bg-color-hover)!important}.console-autoscroll-icon-button.autoscroll-enabled{background:var(--btn-purple)!important}.console-autoscroll-icon-button.autoscroll-enabled:hover{background:var(--btn-purple-hover)!important}.prompt-bar{display:grid;row-gap:1rem}.prompt-bar input,.prompt-bar textarea{background-color:var(--prompt-bg-color);font-size:1rem;border:2px solid var(--border-color)}.prompt-bar input:hover,.prompt-bar textarea:hover{border:2px solid var(--border-color-light)}.prompt-bar input:focus-visible,.prompt-bar textarea:focus-visible{border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.prompt-bar input[aria-invalid=true],.prompt-bar textarea[aria-invalid=true]{border:2px solid var(--border-color-invalid);box-shadow:0 0 10px 0 var(--box-shadow-color-invalid)}.prompt-bar input:disabled,.prompt-bar textarea:disabled{border:2px solid var(--border-color);box-shadow:none}.prompt-bar textarea{min-height:10rem}.process-buttons{display:grid;grid-template-columns:auto max-content;column-gap:.5rem}.process-buttons .invoke-btn{min-width:5rem;min-height:100%;background-color:var(--btn-purple)}.process-buttons .invoke-btn:hover{background-color:var(--btn-purple-hover)}.process-buttons .invoke-btn:disabled{background-color:#2d2d37}.process-buttons .invoke-btn:disabled:hover{background-color:#2d2d37}.process-buttons .invoke-btn svg{width:20px;height:20px;color:var(--btn-svg-color)}.process-buttons .cancel-btn{min-width:3rem;min-height:100%;background-color:var(--btn-red)}.process-buttons .cancel-btn:hover{background-color:var(--btn-red-hover)}.process-buttons .cancel-btn:disabled{background-color:#2d2d37}.process-buttons .cancel-btn:disabled:hover{background-color:#2d2d37}.process-buttons .cancel-btn svg{width:20px;height:20px;color:var(--btn-svg-color)}.main-options,.main-options-list{display:grid;row-gap:1rem}.main-options-row{display:grid;grid-template-columns:repeat(3,auto);column-gap:1rem;max-width:22.5rem}.main-option-block{border-radius:.5rem;grid-template-columns:auto!important;row-gap:.4rem}.main-option-block .number-input-label,.main-option-block .iai-select-label{width:100%;font-size:.9rem;font-weight:700}.main-option-block .number-input-entry{padding:0;height:2.4rem}.main-option-block .iai-select-picker{height:2.4rem;border-radius:.3rem}.advanced_options_checker{display:grid;grid-template-columns:repeat(2,max-content);column-gap:.5rem;align-items:center;background-color:var(--background-color-secondary);padding:1rem;font-weight:700;border-radius:.5rem}.advanced_options_checker input[type=checkbox]{-webkit-appearance:none;appearance:none;background-color:var(--input-checkbox-bg);width:1rem;height:1rem;border-radius:.2rem;display:grid;place-content:center}.advanced_options_checker input[type=checkbox]:before{content:"";width:1rem;height:1rem;transform:scale(0);transition:.12s transform ease-in-out;border-radius:.2rem;box-shadow:inset 1rem 1rem var(--input-checkbox-checked-tick);clip-path:polygon(14% 44%,0 65%,50% 100%,100% 16%,80% 0%,43% 62%)}.advanced_options_checker input[type=checkbox]:checked{background-color:var(--input-checkbox-checked-bg)}.advanced_options_checker input[type=checkbox]:checked:before{transform:scale(.7)}.advanced-settings{display:grid;row-gap:.5rem}.advanced-settings-item{display:grid;max-width:22.5rem;border:none;border-top:0px;border-radius:.4rem}.advanced-settings-item[aria-expanded=true]{background-color:var(--tab-hover-color);border-radius:0 0 .4rem .4rem}.advanced-settings-panel{background-color:var(--tab-panel-bg);border-radius:0 0 .4rem .4rem;border:2px solid var(--tab-hover-color)}.advanced-settings-header{border-radius:.4rem}.advanced-settings-header[aria-expanded=true]{background-color:var(--tab-color);border-radius:.4rem .4rem 0 0}.advanced-settings-header:hover{background-color:var(--tab-hover-color)!important}.upscale-options{display:grid;grid-template-columns:auto 1fr;column-gap:1rem}.progress-bar{background-color:var(--root-bg-color)}.progress-bar div{background-color:var(--progress-bar-color)}.current-image-display{display:grid;grid-template-areas:"current-image-tools" "current-image-preview";grid-template-rows:auto 1fr;justify-items:center;background-color:var(--background-color-secondary);border-radius:.5rem}.current-image-display-placeholder{background-color:var(--background-color-secondary);display:flex;align-items:center;justify-content:center;width:100%;height:100%}.current-image-display-placeholder svg{width:10rem;height:10rem;color:var(--svg-color)}.current-image-tools{grid-area:current-image-tools;width:100%;height:100%;display:grid;justify-content:center}.current-image-options{display:grid;grid-auto-flow:column;padding:1rem;height:fit-content;gap:.5rem}.current-image-options button{min-width:3rem;min-height:100%;background-color:var(--btn-grey)}.current-image-options button:hover{background-color:var(--btn-grey-hover)}.current-image-options button:disabled{background-color:#2d2d37}.current-image-options button:disabled:hover{background-color:#2d2d37}.current-image-options button svg{width:22px;height:22px;color:var(--btn-svg-color)}.current-image-preview{grid-area:current-image-preview;position:relative;justify-content:center;align-items:center;display:grid;width:100%}.current-image-preview img{border-radius:.5rem;object-fit:contain;width:auto;max-height:calc(100vh - 13rem)}.current-image-metadata-viewer{border-radius:.5rem;position:absolute;top:0;left:0;width:calc(100% - 2rem);padding:.5rem;margin-left:1rem;background-color:var(--metadata-bg-color);z-index:1;overflow:scroll;height:calc(100vh - 12.4rem)}.current-image-json-viewer{border-radius:.5rem;margin:0 .5rem 1rem;padding:1rem;overflow-x:scroll;word-break:break-all;background-color:var(--metadata-json-bg-color)}.image-gallery-container{display:grid;row-gap:1rem;grid-auto-rows:max-content;min-width:16rem}.image-gallery-container-placeholder{display:grid;background-color:var(--background-color-secondary);border-radius:.5rem;place-items:center;padding:2rem 0}.image-gallery-container-placeholder p{color:var(--subtext-color-bright)}.image-gallery-container-placeholder svg{width:5rem;height:5rem;color:var(--svg-color)}.image-gallery{display:grid;grid-template-columns:repeat(2,max-content);gap:.6rem;justify-items:center;max-height:calc(100vh - 13rem);overflow-y:scroll;-ms-overflow-style:none;scrollbar-width:none}.image-gallery::-webkit-scrollbar{display:none}.image-gallery-load-more-btn{background-color:var(--btn-load-more)!important;font-size:.85rem!important}.image-gallery-load-more-btn:disabled:hover{background-color:var(--btn-load-more)!important}.image-gallery-load-more-btn:hover{background-color:var(--btn-load-more-hover)!important}.popover-content{background-color:var(--background-color-secondary)!important;border:none!important;border-top:0px;background-color:var(--tab-hover-color);border-radius:0 0 .4rem .4rem}.popover-arrow{background:var(--tab-hover-color)!important;box-shadow:none}.popover-options{background:var(--tab-panel-bg);border-radius:0 0 .4rem .4rem;border:2px solid var(--tab-hover-color);padding:.75rem 1rem;display:grid;grid-template-rows:repeat(auto-fill,1fr);grid-row-gap:.5rem;justify-content:space-between}.popover-header{background:var(--tab-hover-color);border-radius:.4rem .4rem 0 0;font-weight:700;border:none;padding-left:1rem!important}.upscale-popover{width:23rem!important}.app-tabs{display:grid!important;grid-template-columns:min-content auto;column-gap:1rem}.app-tabs-list{display:grid;row-gap:.3rem;grid-auto-rows:max-content;color:var(--tab-list-text-inactive)}.app-tabs-list button{font-size:.85rem;padding:.5rem}.app-tabs-list button:hover{background-color:var(--tab-hover-color);border-radius:.3rem}.app-tabs-list button svg{width:26px;height:26px}.app-tabs-list button[aria-selected=true]{background-color:var(--tab-list-bg);color:var(--tab-list-text);font-weight:700;border-radius:.3rem;border:none}.app-tabs-panels .app-tabs-panel{padding:0}.text-to-image-workarea{display:grid;grid-template-columns:max-content auto max-content;column-gap:1rem}.text-to-image-panel{display:grid;row-gap:1rem;grid-auto-rows:max-content;height:calc(100vh - 7rem);overflow-y:scroll;-ms-overflow-style:none;scrollbar-width:none}.text-to-image-panel::-webkit-scrollbar{display:none}.number-input{display:grid;grid-template-columns:max-content auto;column-gap:1rem;align-items:center}.number-input .number-input-label{color:var(--text-color-secondary);margin-right:0}.number-input .number-input-field{display:grid;grid-template-columns:auto max-content;column-gap:.5rem;align-items:center;background-color:var(--background-color-secondary);border:2px solid var(--border-color);border-radius:.2rem}.number-input .number-input-entry{border:none;font-weight:700;width:100%;padding-inline-end:0}.number-input .number-input-entry:focus{outline:none;border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.number-input .number-input-entry:disabled{opacity:.2}.number-input .number-input-stepper{display:grid;padding-right:.7rem}.number-input .number-input-stepper svg{width:12px;height:12px}.number-input .number-input-stepper .number-input-stepper-button{border:none}.input{display:grid;grid-template-columns:max-content auto;column-gap:1rem;align-items:center}.input .input-label{color:var(--text-color-secondary);margin-right:0}.input .input-entry{background-color:var(--background-color-secondary);border:2px solid var(--border-color);border-radius:.2rem;font-weight:700}.input .input-entry:focus{outline:none;border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.input .input-entry:disabled{opacity:.2}.input .input-entry[aria-invalid=true]{outline:none;border:2px solid var(--border-color-invalid);box-shadow:0 0 10px 0 var(--box-shadow-color-invalid)}.iai-select{display:grid;grid-template-columns:repeat(2,max-content);column-gap:1rem;align-items:center;width:max-content}.iai-select .iai-select-label{color:var(--text-color-secondary);margin-right:0}.iai-select .iai-select-picker{border:2px solid var(--border-color);background-color:var(--background-color-secondary);font-weight:700}.iai-select .iai-select-picker:focus{outline:none;border:2px solid var(--prompt-border-color);box-shadow:0 0 10px 0 var(--prompt-box-shadow-color)}.iai-select .iai-select-option{background-color:var(--background-color-secondary)}.chakra-switch span,.switch-button span{background-color:var(--switch-bg-color)}.chakra-switch span span,.switch-button span span{background-color:var(--white)}.chakra-switch span[data-checked],.switch-button span[data-checked]{background:var(--switch-bg-active-color)}.chakra-switch span[data-checked] span,.switch-button span[data-checked] span{background-color:var(--white)}.work-in-progress{display:grid;width:100%;height:calc(100vh - 7rem);grid-auto-rows:max-content;background-color:var(--background-color-secondary);border-radius:.4rem;place-content:center;place-items:center;row-gap:1rem}.work-in-progress h1{font-size:2rem;font-weight:700}.work-in-progress p{text-align:center;max-width:50rem;color:var(--subtext-color-bright)}.guide-popover-arrow{background-color:var(--tab-panel-bg)!important;box-shadow:none!important}.guide-popover-content{background-color:var(--background-color-secondary)!important;border:none!important}.guide-popover-guide-content{background:var(--tab-panel-bg);border:2px solid var(--tab-hover-color);border-radius:.4rem;padding:.75rem 1rem;display:grid;grid-template-rows:repeat(auto-fill,1fr);grid-row-gap:.5rem;justify-content:space-between}*,*:before,*:after{box-sizing:border-box;margin:0;padding:0}html,body{-ms-overflow-style:none;scrollbar-width:none;background-color:var(--root-bg-color)}html::-webkit-scrollbar,body::-webkit-scrollbar{display:none}#root{background-color:var(--root-bg-color);color:var(--text-color);font-family:Inter,Arial,Helvetica,sans-serif} diff --git a/frontend/dist/assets/index.d6634413.js b/frontend/dist/assets/index.d6634413.js new file mode 100644 index 0000000000..ee7dd44be7 --- /dev/null +++ b/frontend/dist/assets/index.d6634413.js @@ -0,0 +1,483 @@ +function bF(e,t){for(var n=0;n<t.length;n++){const r=t[n];if(typeof r!="string"&&!Array.isArray(r)){for(const o in r)if(o!=="default"&&!(o in e)){const i=Object.getOwnPropertyDescriptor(r,o);i&&Object.defineProperty(e,o,i.get?i:{enumerable:!0,get:()=>r[o]})}}}return Object.freeze(Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}))}(function(){const t=document.createElement("link").relList;if(t&&t.supports&&t.supports("modulepreload"))return;for(const o of document.querySelectorAll('link[rel="modulepreload"]'))r(o);new MutationObserver(o=>{for(const i of o)if(i.type==="childList")for(const s of i.addedNodes)s.tagName==="LINK"&&s.rel==="modulepreload"&&r(s)}).observe(document,{childList:!0,subtree:!0});function n(o){const i={};return o.integrity&&(i.integrity=o.integrity),o.referrerpolicy&&(i.referrerPolicy=o.referrerpolicy),o.crossorigin==="use-credentials"?i.credentials="include":o.crossorigin==="anonymous"?i.credentials="omit":i.credentials="same-origin",i}function r(o){if(o.ep)return;o.ep=!0;const i=n(o);fetch(o.href,i)}})();var Bi=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function xF(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var C={exports:{}},Ye={};/** + * @license React + * react.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var id=Symbol.for("react.element"),SF=Symbol.for("react.portal"),wF=Symbol.for("react.fragment"),CF=Symbol.for("react.strict_mode"),_F=Symbol.for("react.profiler"),kF=Symbol.for("react.provider"),EF=Symbol.for("react.context"),LF=Symbol.for("react.forward_ref"),PF=Symbol.for("react.suspense"),AF=Symbol.for("react.memo"),TF=Symbol.for("react.lazy"),lx=Symbol.iterator;function IF(e){return e===null||typeof e!="object"?null:(e=lx&&e[lx]||e["@@iterator"],typeof e=="function"?e:null)}var dC={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},pC=Object.assign,hC={};function Pu(e,t,n){this.props=e,this.context=t,this.refs=hC,this.updater=n||dC}Pu.prototype.isReactComponent={};Pu.prototype.setState=function(e,t){if(typeof e!="object"&&typeof e!="function"&&e!=null)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,e,t,"setState")};Pu.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this,e,"forceUpdate")};function mC(){}mC.prototype=Pu.prototype;function p4(e,t,n){this.props=e,this.context=t,this.refs=hC,this.updater=n||dC}var h4=p4.prototype=new mC;h4.constructor=p4;pC(h4,Pu.prototype);h4.isPureReactComponent=!0;var ux=Array.isArray,gC=Object.prototype.hasOwnProperty,m4={current:null},vC={key:!0,ref:!0,__self:!0,__source:!0};function yC(e,t,n){var r,o={},i=null,s=null;if(t!=null)for(r in t.ref!==void 0&&(s=t.ref),t.key!==void 0&&(i=""+t.key),t)gC.call(t,r)&&!vC.hasOwnProperty(r)&&(o[r]=t[r]);var u=arguments.length-2;if(u===1)o.children=n;else if(1<u){for(var c=Array(u),f=0;f<u;f++)c[f]=arguments[f+2];o.children=c}if(e&&e.defaultProps)for(r in u=e.defaultProps,u)o[r]===void 0&&(o[r]=u[r]);return{$$typeof:id,type:e,key:i,ref:s,props:o,_owner:m4.current}}function MF(e,t){return{$$typeof:id,type:e.type,key:t,ref:e.ref,props:e.props,_owner:e._owner}}function g4(e){return typeof e=="object"&&e!==null&&e.$$typeof===id}function OF(e){var t={"=":"=0",":":"=2"};return"$"+e.replace(/[=:]/g,function(n){return t[n]})}var cx=/\/+/g;function Cv(e,t){return typeof e=="object"&&e!==null&&e.key!=null?OF(""+e.key):t.toString(36)}function Oh(e,t,n,r,o){var i=typeof e;(i==="undefined"||i==="boolean")&&(e=null);var s=!1;if(e===null)s=!0;else switch(i){case"string":case"number":s=!0;break;case"object":switch(e.$$typeof){case id:case SF:s=!0}}if(s)return s=e,o=o(s),e=r===""?"."+Cv(s,0):r,ux(o)?(n="",e!=null&&(n=e.replace(cx,"$&/")+"/"),Oh(o,t,n,"",function(f){return f})):o!=null&&(g4(o)&&(o=MF(o,n+(!o.key||s&&s.key===o.key?"":(""+o.key).replace(cx,"$&/")+"/")+e)),t.push(o)),1;if(s=0,r=r===""?".":r+":",ux(e))for(var u=0;u<e.length;u++){i=e[u];var c=r+Cv(i,u);s+=Oh(i,t,n,c,o)}else if(c=IF(e),typeof c=="function")for(e=c.call(e),u=0;!(i=e.next()).done;)i=i.value,c=r+Cv(i,u++),s+=Oh(i,t,n,c,o);else if(i==="object")throw t=String(e),Error("Objects are not valid as a React child (found: "+(t==="[object Object]"?"object with keys {"+Object.keys(e).join(", ")+"}":t)+"). If you meant to render a collection of children, use an array instead.");return s}function Bp(e,t,n){if(e==null)return e;var r=[],o=0;return Oh(e,r,"","",function(i){return t.call(n,i,o++)}),r}function RF(e){if(e._status===-1){var t=e._result;t=t(),t.then(function(n){(e._status===0||e._status===-1)&&(e._status=1,e._result=n)},function(n){(e._status===0||e._status===-1)&&(e._status=2,e._result=n)}),e._status===-1&&(e._status=0,e._result=t)}if(e._status===1)return e._result.default;throw e._result}var ar={current:null},Rh={transition:null},NF={ReactCurrentDispatcher:ar,ReactCurrentBatchConfig:Rh,ReactCurrentOwner:m4};Ye.Children={map:Bp,forEach:function(e,t,n){Bp(e,function(){t.apply(this,arguments)},n)},count:function(e){var t=0;return Bp(e,function(){t++}),t},toArray:function(e){return Bp(e,function(t){return t})||[]},only:function(e){if(!g4(e))throw Error("React.Children.only expected to receive a single React element child.");return e}};Ye.Component=Pu;Ye.Fragment=wF;Ye.Profiler=_F;Ye.PureComponent=p4;Ye.StrictMode=CF;Ye.Suspense=PF;Ye.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=NF;Ye.cloneElement=function(e,t,n){if(e==null)throw Error("React.cloneElement(...): The argument must be a React element, but you passed "+e+".");var r=pC({},e.props),o=e.key,i=e.ref,s=e._owner;if(t!=null){if(t.ref!==void 0&&(i=t.ref,s=m4.current),t.key!==void 0&&(o=""+t.key),e.type&&e.type.defaultProps)var u=e.type.defaultProps;for(c in t)gC.call(t,c)&&!vC.hasOwnProperty(c)&&(r[c]=t[c]===void 0&&u!==void 0?u[c]:t[c])}var c=arguments.length-2;if(c===1)r.children=n;else if(1<c){u=Array(c);for(var f=0;f<c;f++)u[f]=arguments[f+2];r.children=u}return{$$typeof:id,type:e.type,key:o,ref:i,props:r,_owner:s}};Ye.createContext=function(e){return e={$$typeof:EF,_currentValue:e,_currentValue2:e,_threadCount:0,Provider:null,Consumer:null,_defaultValue:null,_globalName:null},e.Provider={$$typeof:kF,_context:e},e.Consumer=e};Ye.createElement=yC;Ye.createFactory=function(e){var t=yC.bind(null,e);return t.type=e,t};Ye.createRef=function(){return{current:null}};Ye.forwardRef=function(e){return{$$typeof:LF,render:e}};Ye.isValidElement=g4;Ye.lazy=function(e){return{$$typeof:TF,_payload:{_status:-1,_result:e},_init:RF}};Ye.memo=function(e,t){return{$$typeof:AF,type:e,compare:t===void 0?null:t}};Ye.startTransition=function(e){var t=Rh.transition;Rh.transition={};try{e()}finally{Rh.transition=t}};Ye.unstable_act=function(){throw Error("act(...) is not supported in production builds of React.")};Ye.useCallback=function(e,t){return ar.current.useCallback(e,t)};Ye.useContext=function(e){return ar.current.useContext(e)};Ye.useDebugValue=function(){};Ye.useDeferredValue=function(e){return ar.current.useDeferredValue(e)};Ye.useEffect=function(e,t){return ar.current.useEffect(e,t)};Ye.useId=function(){return ar.current.useId()};Ye.useImperativeHandle=function(e,t,n){return ar.current.useImperativeHandle(e,t,n)};Ye.useInsertionEffect=function(e,t){return ar.current.useInsertionEffect(e,t)};Ye.useLayoutEffect=function(e,t){return ar.current.useLayoutEffect(e,t)};Ye.useMemo=function(e,t){return ar.current.useMemo(e,t)};Ye.useReducer=function(e,t,n){return ar.current.useReducer(e,t,n)};Ye.useRef=function(e){return ar.current.useRef(e)};Ye.useState=function(e){return ar.current.useState(e)};Ye.useSyncExternalStore=function(e,t,n){return ar.current.useSyncExternalStore(e,t,n)};Ye.useTransition=function(){return ar.current.useTransition()};Ye.version="18.2.0";(function(e){e.exports=Ye})(C);const Q=xF(C.exports),fx=bF({__proto__:null,default:Q},[C.exports]);var U2={},Au={exports:{}},Hr={},bC={exports:{}},xC={};/** + * @license React + * scheduler.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */(function(e){function t(H,Y){var Z=H.length;H.push(Y);e:for(;0<Z;){var M=Z-1>>>1,j=H[M];if(0<o(j,Y))H[M]=Y,H[Z]=j,Z=M;else break e}}function n(H){return H.length===0?null:H[0]}function r(H){if(H.length===0)return null;var Y=H[0],Z=H.pop();if(Z!==Y){H[0]=Z;e:for(var M=0,j=H.length,se=j>>>1;M<se;){var ce=2*(M+1)-1,ye=H[ce],be=ce+1,Le=H[be];if(0>o(ye,Z))be<j&&0>o(Le,ye)?(H[M]=Le,H[be]=Z,M=be):(H[M]=ye,H[ce]=Z,M=ce);else if(be<j&&0>o(Le,Z))H[M]=Le,H[be]=Z,M=be;else break e}}return Y}function o(H,Y){var Z=H.sortIndex-Y.sortIndex;return Z!==0?Z:H.id-Y.id}if(typeof performance=="object"&&typeof performance.now=="function"){var i=performance;e.unstable_now=function(){return i.now()}}else{var s=Date,u=s.now();e.unstable_now=function(){return s.now()-u}}var c=[],f=[],d=1,h=null,m=3,g=!1,b=!1,S=!1,E=typeof setTimeout=="function"?setTimeout:null,w=typeof clearTimeout=="function"?clearTimeout:null,x=typeof setImmediate<"u"?setImmediate:null;typeof navigator<"u"&&navigator.scheduling!==void 0&&navigator.scheduling.isInputPending!==void 0&&navigator.scheduling.isInputPending.bind(navigator.scheduling);function _(H){for(var Y=n(f);Y!==null;){if(Y.callback===null)r(f);else if(Y.startTime<=H)r(f),Y.sortIndex=Y.expirationTime,t(c,Y);else break;Y=n(f)}}function L(H){if(S=!1,_(H),!b)if(n(c)!==null)b=!0,me(T);else{var Y=n(f);Y!==null&&ne(L,Y.startTime-H)}}function T(H,Y){b=!1,S&&(S=!1,w(F),F=-1),g=!0;var Z=m;try{for(_(Y),h=n(c);h!==null&&(!(h.expirationTime>Y)||H&&!J());){var M=h.callback;if(typeof M=="function"){h.callback=null,m=h.priorityLevel;var j=M(h.expirationTime<=Y);Y=e.unstable_now(),typeof j=="function"?h.callback=j:h===n(c)&&r(c),_(Y)}else r(c);h=n(c)}if(h!==null)var se=!0;else{var ce=n(f);ce!==null&&ne(L,ce.startTime-Y),se=!1}return se}finally{h=null,m=Z,g=!1}}var R=!1,N=null,F=-1,K=5,W=-1;function J(){return!(e.unstable_now()-W<K)}function ve(){if(N!==null){var H=e.unstable_now();W=H;var Y=!0;try{Y=N(!0,H)}finally{Y?xe():(R=!1,N=null)}}else R=!1}var xe;if(typeof x=="function")xe=function(){x(ve)};else if(typeof MessageChannel<"u"){var he=new MessageChannel,fe=he.port2;he.port1.onmessage=ve,xe=function(){fe.postMessage(null)}}else xe=function(){E(ve,0)};function me(H){N=H,R||(R=!0,xe())}function ne(H,Y){F=E(function(){H(e.unstable_now())},Y)}e.unstable_IdlePriority=5,e.unstable_ImmediatePriority=1,e.unstable_LowPriority=4,e.unstable_NormalPriority=3,e.unstable_Profiling=null,e.unstable_UserBlockingPriority=2,e.unstable_cancelCallback=function(H){H.callback=null},e.unstable_continueExecution=function(){b||g||(b=!0,me(T))},e.unstable_forceFrameRate=function(H){0>H||125<H?console.error("forceFrameRate takes a positive int between 0 and 125, forcing frame rates higher than 125 fps is not supported"):K=0<H?Math.floor(1e3/H):5},e.unstable_getCurrentPriorityLevel=function(){return m},e.unstable_getFirstCallbackNode=function(){return n(c)},e.unstable_next=function(H){switch(m){case 1:case 2:case 3:var Y=3;break;default:Y=m}var Z=m;m=Y;try{return H()}finally{m=Z}},e.unstable_pauseExecution=function(){},e.unstable_requestPaint=function(){},e.unstable_runWithPriority=function(H,Y){switch(H){case 1:case 2:case 3:case 4:case 5:break;default:H=3}var Z=m;m=H;try{return Y()}finally{m=Z}},e.unstable_scheduleCallback=function(H,Y,Z){var M=e.unstable_now();switch(typeof Z=="object"&&Z!==null?(Z=Z.delay,Z=typeof Z=="number"&&0<Z?M+Z:M):Z=M,H){case 1:var j=-1;break;case 2:j=250;break;case 5:j=1073741823;break;case 4:j=1e4;break;default:j=5e3}return j=Z+j,H={id:d++,callback:Y,priorityLevel:H,startTime:Z,expirationTime:j,sortIndex:-1},Z>M?(H.sortIndex=Z,t(f,H),n(c)===null&&H===n(f)&&(S?(w(F),F=-1):S=!0,ne(L,Z-M))):(H.sortIndex=j,t(c,H),b||g||(b=!0,me(T))),H},e.unstable_shouldYield=J,e.unstable_wrapCallback=function(H){var Y=m;return function(){var Z=m;m=Y;try{return H.apply(this,arguments)}finally{m=Z}}}})(xC);(function(e){e.exports=xC})(bC);/** + * @license React + * react-dom.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var SC=C.exports,$r=bC.exports;function le(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}var wC=new Set,df={};function Vs(e,t){cu(e,t),cu(e+"Capture",t)}function cu(e,t){for(df[e]=t,e=0;e<t.length;e++)wC.add(t[e])}var Ui=!(typeof window>"u"||typeof window.document>"u"||typeof window.document.createElement>"u"),G2=Object.prototype.hasOwnProperty,DF=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,dx={},px={};function zF(e){return G2.call(px,e)?!0:G2.call(dx,e)?!1:DF.test(e)?px[e]=!0:(dx[e]=!0,!1)}function FF(e,t,n,r){if(n!==null&&n.type===0)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return r?!1:n!==null?!n.acceptsBooleans:(e=e.toLowerCase().slice(0,5),e!=="data-"&&e!=="aria-");default:return!1}}function BF(e,t,n,r){if(t===null||typeof t>"u"||FF(e,t,n,r))return!0;if(r)return!1;if(n!==null)switch(n.type){case 3:return!t;case 4:return t===!1;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}function sr(e,t,n,r,o,i,s){this.acceptsBooleans=t===2||t===3||t===4,this.attributeName=r,this.attributeNamespace=o,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=i,this.removeEmptyString=s}var Nn={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach(function(e){Nn[e]=new sr(e,0,!1,e,null,!1,!1)});[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach(function(e){var t=e[0];Nn[t]=new sr(t,1,!1,e[1],null,!1,!1)});["contentEditable","draggable","spellCheck","value"].forEach(function(e){Nn[e]=new sr(e,2,!1,e.toLowerCase(),null,!1,!1)});["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach(function(e){Nn[e]=new sr(e,2,!1,e,null,!1,!1)});"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach(function(e){Nn[e]=new sr(e,3,!1,e.toLowerCase(),null,!1,!1)});["checked","multiple","muted","selected"].forEach(function(e){Nn[e]=new sr(e,3,!0,e,null,!1,!1)});["capture","download"].forEach(function(e){Nn[e]=new sr(e,4,!1,e,null,!1,!1)});["cols","rows","size","span"].forEach(function(e){Nn[e]=new sr(e,6,!1,e,null,!1,!1)});["rowSpan","start"].forEach(function(e){Nn[e]=new sr(e,5,!1,e.toLowerCase(),null,!1,!1)});var v4=/[\-:]([a-z])/g;function y4(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach(function(e){var t=e.replace(v4,y4);Nn[t]=new sr(t,1,!1,e,null,!1,!1)});"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach(function(e){var t=e.replace(v4,y4);Nn[t]=new sr(t,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)});["xml:base","xml:lang","xml:space"].forEach(function(e){var t=e.replace(v4,y4);Nn[t]=new sr(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)});["tabIndex","crossOrigin"].forEach(function(e){Nn[e]=new sr(e,1,!1,e.toLowerCase(),null,!1,!1)});Nn.xlinkHref=new sr("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1);["src","href","action","formAction"].forEach(function(e){Nn[e]=new sr(e,1,!1,e.toLowerCase(),null,!0,!0)});function b4(e,t,n,r){var o=Nn.hasOwnProperty(t)?Nn[t]:null;(o!==null?o.type!==0:r||!(2<t.length)||t[0]!=="o"&&t[0]!=="O"||t[1]!=="n"&&t[1]!=="N")&&(BF(t,n,o,r)&&(n=null),r||o===null?zF(t)&&(n===null?e.removeAttribute(t):e.setAttribute(t,""+n)):o.mustUseProperty?e[o.propertyName]=n===null?o.type===3?!1:"":n:(t=o.attributeName,r=o.attributeNamespace,n===null?e.removeAttribute(t):(o=o.type,n=o===3||o===4&&n===!0?"":""+n,r?e.setAttributeNS(r,t,n):e.setAttribute(t,n))))}var Ji=SC.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED,$p=Symbol.for("react.element"),Ml=Symbol.for("react.portal"),Ol=Symbol.for("react.fragment"),x4=Symbol.for("react.strict_mode"),Z2=Symbol.for("react.profiler"),CC=Symbol.for("react.provider"),_C=Symbol.for("react.context"),S4=Symbol.for("react.forward_ref"),K2=Symbol.for("react.suspense"),q2=Symbol.for("react.suspense_list"),w4=Symbol.for("react.memo"),xa=Symbol.for("react.lazy"),kC=Symbol.for("react.offscreen"),hx=Symbol.iterator;function vc(e){return e===null||typeof e!="object"?null:(e=hx&&e[hx]||e["@@iterator"],typeof e=="function"?e:null)}var Ut=Object.assign,_v;function Oc(e){if(_v===void 0)try{throw Error()}catch(n){var t=n.stack.trim().match(/\n( *(at )?)/);_v=t&&t[1]||""}return` +`+_v+e}var kv=!1;function Ev(e,t){if(!e||kv)return"";kv=!0;var n=Error.prepareStackTrace;Error.prepareStackTrace=void 0;try{if(t)if(t=function(){throw Error()},Object.defineProperty(t.prototype,"props",{set:function(){throw Error()}}),typeof Reflect=="object"&&Reflect.construct){try{Reflect.construct(t,[])}catch(f){var r=f}Reflect.construct(e,[],t)}else{try{t.call()}catch(f){r=f}e.call(t.prototype)}else{try{throw Error()}catch(f){r=f}e()}}catch(f){if(f&&r&&typeof f.stack=="string"){for(var o=f.stack.split(` +`),i=r.stack.split(` +`),s=o.length-1,u=i.length-1;1<=s&&0<=u&&o[s]!==i[u];)u--;for(;1<=s&&0<=u;s--,u--)if(o[s]!==i[u]){if(s!==1||u!==1)do if(s--,u--,0>u||o[s]!==i[u]){var c=` +`+o[s].replace(" at new "," at ");return e.displayName&&c.includes("<anonymous>")&&(c=c.replace("<anonymous>",e.displayName)),c}while(1<=s&&0<=u);break}}}finally{kv=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?Oc(e):""}function $F(e){switch(e.tag){case 5:return Oc(e.type);case 16:return Oc("Lazy");case 13:return Oc("Suspense");case 19:return Oc("SuspenseList");case 0:case 2:case 15:return e=Ev(e.type,!1),e;case 11:return e=Ev(e.type.render,!1),e;case 1:return e=Ev(e.type,!0),e;default:return""}}function Y2(e){if(e==null)return null;if(typeof e=="function")return e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case Ol:return"Fragment";case Ml:return"Portal";case Z2:return"Profiler";case x4:return"StrictMode";case K2:return"Suspense";case q2:return"SuspenseList"}if(typeof e=="object")switch(e.$$typeof){case _C:return(e.displayName||"Context")+".Consumer";case CC:return(e._context.displayName||"Context")+".Provider";case S4:var t=e.render;return e=e.displayName,e||(e=t.displayName||t.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case w4:return t=e.displayName||null,t!==null?t:Y2(e.type)||"Memo";case xa:t=e._payload,e=e._init;try{return Y2(e(t))}catch{}}return null}function VF(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=t.render,e=e.displayName||e.name||"",t.displayName||(e!==""?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return Y2(t);case 8:return t===x4?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if(typeof t=="function")return t.displayName||t.name||null;if(typeof t=="string")return t}return null}function Wa(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":return e;case"object":return e;default:return""}}function EC(e){var t=e.type;return(e=e.nodeName)&&e.toLowerCase()==="input"&&(t==="checkbox"||t==="radio")}function WF(e){var t=EC(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&typeof n<"u"&&typeof n.get=="function"&&typeof n.set=="function"){var o=n.get,i=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return o.call(this)},set:function(s){r=""+s,i.call(this,s)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(s){r=""+s},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}function Vp(e){e._valueTracker||(e._valueTracker=WF(e))}function LC(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=EC(e)?e.checked?"true":"false":e.value),e=r,e!==n?(t.setValue(e),!0):!1}function h1(e){if(e=e||(typeof document<"u"?document:void 0),typeof e>"u")return null;try{return e.activeElement||e.body}catch{return e.body}}function X2(e,t){var n=t.checked;return Ut({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:n??e._wrapperState.initialChecked})}function mx(e,t){var n=t.defaultValue==null?"":t.defaultValue,r=t.checked!=null?t.checked:t.defaultChecked;n=Wa(t.value!=null?t.value:n),e._wrapperState={initialChecked:r,initialValue:n,controlled:t.type==="checkbox"||t.type==="radio"?t.checked!=null:t.value!=null}}function PC(e,t){t=t.checked,t!=null&&b4(e,"checked",t,!1)}function Q2(e,t){PC(e,t);var n=Wa(t.value),r=t.type;if(n!=null)r==="number"?(n===0&&e.value===""||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if(r==="submit"||r==="reset"){e.removeAttribute("value");return}t.hasOwnProperty("value")?J2(e,t.type,n):t.hasOwnProperty("defaultValue")&&J2(e,t.type,Wa(t.defaultValue)),t.checked==null&&t.defaultChecked!=null&&(e.defaultChecked=!!t.defaultChecked)}function gx(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(!(r!=="submit"&&r!=="reset"||t.value!==void 0&&t.value!==null))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}n=e.name,n!==""&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,n!==""&&(e.name=n)}function J2(e,t,n){(t!=="number"||h1(e.ownerDocument)!==e)&&(n==null?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var Rc=Array.isArray;function ql(e,t,n,r){if(e=e.options,t){t={};for(var o=0;o<n.length;o++)t["$"+n[o]]=!0;for(n=0;n<e.length;n++)o=t.hasOwnProperty("$"+e[n].value),e[n].selected!==o&&(e[n].selected=o),o&&r&&(e[n].defaultSelected=!0)}else{for(n=""+Wa(n),t=null,o=0;o<e.length;o++){if(e[o].value===n){e[o].selected=!0,r&&(e[o].defaultSelected=!0);return}t!==null||e[o].disabled||(t=e[o])}t!==null&&(t.selected=!0)}}function ey(e,t){if(t.dangerouslySetInnerHTML!=null)throw Error(le(91));return Ut({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue})}function vx(e,t){var n=t.value;if(n==null){if(n=t.children,t=t.defaultValue,n!=null){if(t!=null)throw Error(le(92));if(Rc(n)){if(1<n.length)throw Error(le(93));n=n[0]}t=n}t==null&&(t=""),n=t}e._wrapperState={initialValue:Wa(n)}}function AC(e,t){var n=Wa(t.value),r=Wa(t.defaultValue);n!=null&&(n=""+n,n!==e.value&&(e.value=n),t.defaultValue==null&&e.defaultValue!==n&&(e.defaultValue=n)),r!=null&&(e.defaultValue=""+r)}function yx(e){var t=e.textContent;t===e._wrapperState.initialValue&&t!==""&&t!==null&&(e.value=t)}function TC(e){switch(e){case"svg":return"http://www.w3.org/2000/svg";case"math":return"http://www.w3.org/1998/Math/MathML";default:return"http://www.w3.org/1999/xhtml"}}function ty(e,t){return e==null||e==="http://www.w3.org/1999/xhtml"?TC(t):e==="http://www.w3.org/2000/svg"&&t==="foreignObject"?"http://www.w3.org/1999/xhtml":e}var Wp,IC=function(e){return typeof MSApp<"u"&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e}(function(e,t){if(e.namespaceURI!=="http://www.w3.org/2000/svg"||"innerHTML"in e)e.innerHTML=t;else{for(Wp=Wp||document.createElement("div"),Wp.innerHTML="<svg>"+t.valueOf().toString()+"</svg>",t=Wp.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}});function pf(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&n.nodeType===3){n.nodeValue=t;return}}e.textContent=t}var Wc={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},HF=["Webkit","ms","Moz","O"];Object.keys(Wc).forEach(function(e){HF.forEach(function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Wc[t]=Wc[e]})});function MC(e,t,n){return t==null||typeof t=="boolean"||t===""?"":n||typeof t!="number"||t===0||Wc.hasOwnProperty(e)&&Wc[e]?(""+t).trim():t+"px"}function OC(e,t){e=e.style;for(var n in t)if(t.hasOwnProperty(n)){var r=n.indexOf("--")===0,o=MC(n,t[n],r);n==="float"&&(n="cssFloat"),r?e.setProperty(n,o):e[n]=o}}var jF=Ut({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function ny(e,t){if(t){if(jF[e]&&(t.children!=null||t.dangerouslySetInnerHTML!=null))throw Error(le(137,e));if(t.dangerouslySetInnerHTML!=null){if(t.children!=null)throw Error(le(60));if(typeof t.dangerouslySetInnerHTML!="object"||!("__html"in t.dangerouslySetInnerHTML))throw Error(le(61))}if(t.style!=null&&typeof t.style!="object")throw Error(le(62))}}function ry(e,t){if(e.indexOf("-")===-1)return typeof t.is=="string";switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var oy=null;function C4(e){return e=e.target||e.srcElement||window,e.correspondingUseElement&&(e=e.correspondingUseElement),e.nodeType===3?e.parentNode:e}var iy=null,Yl=null,Xl=null;function bx(e){if(e=ld(e)){if(typeof iy!="function")throw Error(le(280));var t=e.stateNode;t&&(t=k0(t),iy(e.stateNode,e.type,t))}}function RC(e){Yl?Xl?Xl.push(e):Xl=[e]:Yl=e}function NC(){if(Yl){var e=Yl,t=Xl;if(Xl=Yl=null,bx(e),t)for(e=0;e<t.length;e++)bx(t[e])}}function DC(e,t){return e(t)}function zC(){}var Lv=!1;function FC(e,t,n){if(Lv)return e(t,n);Lv=!0;try{return DC(e,t,n)}finally{Lv=!1,(Yl!==null||Xl!==null)&&(zC(),NC())}}function hf(e,t){var n=e.stateNode;if(n===null)return null;var r=k0(n);if(r===null)return null;n=r[t];e:switch(t){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":case"onMouseEnter":(r=!r.disabled)||(e=e.type,r=!(e==="button"||e==="input"||e==="select"||e==="textarea")),e=!r;break e;default:e=!1}if(e)return null;if(n&&typeof n!="function")throw Error(le(231,t,typeof n));return n}var ay=!1;if(Ui)try{var yc={};Object.defineProperty(yc,"passive",{get:function(){ay=!0}}),window.addEventListener("test",yc,yc),window.removeEventListener("test",yc,yc)}catch{ay=!1}function UF(e,t,n,r,o,i,s,u,c){var f=Array.prototype.slice.call(arguments,3);try{t.apply(n,f)}catch(d){this.onError(d)}}var Hc=!1,m1=null,g1=!1,sy=null,GF={onError:function(e){Hc=!0,m1=e}};function ZF(e,t,n,r,o,i,s,u,c){Hc=!1,m1=null,UF.apply(GF,arguments)}function KF(e,t,n,r,o,i,s,u,c){if(ZF.apply(this,arguments),Hc){if(Hc){var f=m1;Hc=!1,m1=null}else throw Error(le(198));g1||(g1=!0,sy=f)}}function Ws(e){var t=e,n=e;if(e.alternate)for(;t.return;)t=t.return;else{e=t;do t=e,(t.flags&4098)!==0&&(n=t.return),e=t.return;while(e)}return t.tag===3?n:null}function BC(e){if(e.tag===13){var t=e.memoizedState;if(t===null&&(e=e.alternate,e!==null&&(t=e.memoizedState)),t!==null)return t.dehydrated}return null}function xx(e){if(Ws(e)!==e)throw Error(le(188))}function qF(e){var t=e.alternate;if(!t){if(t=Ws(e),t===null)throw Error(le(188));return t!==e?null:e}for(var n=e,r=t;;){var o=n.return;if(o===null)break;var i=o.alternate;if(i===null){if(r=o.return,r!==null){n=r;continue}break}if(o.child===i.child){for(i=o.child;i;){if(i===n)return xx(o),e;if(i===r)return xx(o),t;i=i.sibling}throw Error(le(188))}if(n.return!==r.return)n=o,r=i;else{for(var s=!1,u=o.child;u;){if(u===n){s=!0,n=o,r=i;break}if(u===r){s=!0,r=o,n=i;break}u=u.sibling}if(!s){for(u=i.child;u;){if(u===n){s=!0,n=i,r=o;break}if(u===r){s=!0,r=i,n=o;break}u=u.sibling}if(!s)throw Error(le(189))}}if(n.alternate!==r)throw Error(le(190))}if(n.tag!==3)throw Error(le(188));return n.stateNode.current===n?e:t}function $C(e){return e=qF(e),e!==null?VC(e):null}function VC(e){if(e.tag===5||e.tag===6)return e;for(e=e.child;e!==null;){var t=VC(e);if(t!==null)return t;e=e.sibling}return null}var WC=$r.unstable_scheduleCallback,Sx=$r.unstable_cancelCallback,YF=$r.unstable_shouldYield,XF=$r.unstable_requestPaint,nn=$r.unstable_now,QF=$r.unstable_getCurrentPriorityLevel,_4=$r.unstable_ImmediatePriority,HC=$r.unstable_UserBlockingPriority,v1=$r.unstable_NormalPriority,JF=$r.unstable_LowPriority,jC=$r.unstable_IdlePriority,S0=null,ri=null;function eB(e){if(ri&&typeof ri.onCommitFiberRoot=="function")try{ri.onCommitFiberRoot(S0,e,void 0,(e.current.flags&128)===128)}catch{}}var Oo=Math.clz32?Math.clz32:rB,tB=Math.log,nB=Math.LN2;function rB(e){return e>>>=0,e===0?32:31-(tB(e)/nB|0)|0}var Hp=64,jp=4194304;function Nc(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return e&4194240;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return e&130023424;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function y1(e,t){var n=e.pendingLanes;if(n===0)return 0;var r=0,o=e.suspendedLanes,i=e.pingedLanes,s=n&268435455;if(s!==0){var u=s&~o;u!==0?r=Nc(u):(i&=s,i!==0&&(r=Nc(i)))}else s=n&~o,s!==0?r=Nc(s):i!==0&&(r=Nc(i));if(r===0)return 0;if(t!==0&&t!==r&&(t&o)===0&&(o=r&-r,i=t&-t,o>=i||o===16&&(i&4194240)!==0))return t;if((r&4)!==0&&(r|=n&16),t=e.entangledLanes,t!==0)for(e=e.entanglements,t&=r;0<t;)n=31-Oo(t),o=1<<n,r|=e[n],t&=~o;return r}function oB(e,t){switch(e){case 1:case 2:case 4:return t+250;case 8:case 16:case 32:case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return t+5e3;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return-1;case 134217728:case 268435456:case 536870912:case 1073741824:return-1;default:return-1}}function iB(e,t){for(var n=e.suspendedLanes,r=e.pingedLanes,o=e.expirationTimes,i=e.pendingLanes;0<i;){var s=31-Oo(i),u=1<<s,c=o[s];c===-1?((u&n)===0||(u&r)!==0)&&(o[s]=oB(u,t)):c<=t&&(e.expiredLanes|=u),i&=~u}}function ly(e){return e=e.pendingLanes&-1073741825,e!==0?e:e&1073741824?1073741824:0}function UC(){var e=Hp;return Hp<<=1,(Hp&4194240)===0&&(Hp=64),e}function Pv(e){for(var t=[],n=0;31>n;n++)t.push(e);return t}function ad(e,t,n){e.pendingLanes|=t,t!==536870912&&(e.suspendedLanes=0,e.pingedLanes=0),e=e.eventTimes,t=31-Oo(t),e[t]=n}function aB(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var r=e.eventTimes;for(e=e.expirationTimes;0<n;){var o=31-Oo(n),i=1<<o;t[o]=0,r[o]=-1,e[o]=-1,n&=~i}}function k4(e,t){var n=e.entangledLanes|=t;for(e=e.entanglements;n;){var r=31-Oo(n),o=1<<r;o&t|e[r]&t&&(e[r]|=t),n&=~o}}var gt=0;function GC(e){return e&=-e,1<e?4<e?(e&268435455)!==0?16:536870912:4:1}var ZC,E4,KC,qC,YC,uy=!1,Up=[],Oa=null,Ra=null,Na=null,mf=new Map,gf=new Map,Ca=[],sB="mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput copy cut paste click change contextmenu reset submit".split(" ");function wx(e,t){switch(e){case"focusin":case"focusout":Oa=null;break;case"dragenter":case"dragleave":Ra=null;break;case"mouseover":case"mouseout":Na=null;break;case"pointerover":case"pointerout":mf.delete(t.pointerId);break;case"gotpointercapture":case"lostpointercapture":gf.delete(t.pointerId)}}function bc(e,t,n,r,o,i){return e===null||e.nativeEvent!==i?(e={blockedOn:t,domEventName:n,eventSystemFlags:r,nativeEvent:i,targetContainers:[o]},t!==null&&(t=ld(t),t!==null&&E4(t)),e):(e.eventSystemFlags|=r,t=e.targetContainers,o!==null&&t.indexOf(o)===-1&&t.push(o),e)}function lB(e,t,n,r,o){switch(t){case"focusin":return Oa=bc(Oa,e,t,n,r,o),!0;case"dragenter":return Ra=bc(Ra,e,t,n,r,o),!0;case"mouseover":return Na=bc(Na,e,t,n,r,o),!0;case"pointerover":var i=o.pointerId;return mf.set(i,bc(mf.get(i)||null,e,t,n,r,o)),!0;case"gotpointercapture":return i=o.pointerId,gf.set(i,bc(gf.get(i)||null,e,t,n,r,o)),!0}return!1}function XC(e){var t=ws(e.target);if(t!==null){var n=Ws(t);if(n!==null){if(t=n.tag,t===13){if(t=BC(n),t!==null){e.blockedOn=t,YC(e.priority,function(){KC(n)});return}}else if(t===3&&n.stateNode.current.memoizedState.isDehydrated){e.blockedOn=n.tag===3?n.stateNode.containerInfo:null;return}}}e.blockedOn=null}function Nh(e){if(e.blockedOn!==null)return!1;for(var t=e.targetContainers;0<t.length;){var n=cy(e.domEventName,e.eventSystemFlags,t[0],e.nativeEvent);if(n===null){n=e.nativeEvent;var r=new n.constructor(n.type,n);oy=r,n.target.dispatchEvent(r),oy=null}else return t=ld(n),t!==null&&E4(t),e.blockedOn=n,!1;t.shift()}return!0}function Cx(e,t,n){Nh(e)&&n.delete(t)}function uB(){uy=!1,Oa!==null&&Nh(Oa)&&(Oa=null),Ra!==null&&Nh(Ra)&&(Ra=null),Na!==null&&Nh(Na)&&(Na=null),mf.forEach(Cx),gf.forEach(Cx)}function xc(e,t){e.blockedOn===t&&(e.blockedOn=null,uy||(uy=!0,$r.unstable_scheduleCallback($r.unstable_NormalPriority,uB)))}function vf(e){function t(o){return xc(o,e)}if(0<Up.length){xc(Up[0],e);for(var n=1;n<Up.length;n++){var r=Up[n];r.blockedOn===e&&(r.blockedOn=null)}}for(Oa!==null&&xc(Oa,e),Ra!==null&&xc(Ra,e),Na!==null&&xc(Na,e),mf.forEach(t),gf.forEach(t),n=0;n<Ca.length;n++)r=Ca[n],r.blockedOn===e&&(r.blockedOn=null);for(;0<Ca.length&&(n=Ca[0],n.blockedOn===null);)XC(n),n.blockedOn===null&&Ca.shift()}var Ql=Ji.ReactCurrentBatchConfig,b1=!0;function cB(e,t,n,r){var o=gt,i=Ql.transition;Ql.transition=null;try{gt=1,L4(e,t,n,r)}finally{gt=o,Ql.transition=i}}function fB(e,t,n,r){var o=gt,i=Ql.transition;Ql.transition=null;try{gt=4,L4(e,t,n,r)}finally{gt=o,Ql.transition=i}}function L4(e,t,n,r){if(b1){var o=cy(e,t,n,r);if(o===null)Fv(e,t,r,x1,n),wx(e,r);else if(lB(o,e,t,n,r))r.stopPropagation();else if(wx(e,r),t&4&&-1<sB.indexOf(e)){for(;o!==null;){var i=ld(o);if(i!==null&&ZC(i),i=cy(e,t,n,r),i===null&&Fv(e,t,r,x1,n),i===o)break;o=i}o!==null&&r.stopPropagation()}else Fv(e,t,r,null,n)}}var x1=null;function cy(e,t,n,r){if(x1=null,e=C4(r),e=ws(e),e!==null)if(t=Ws(e),t===null)e=null;else if(n=t.tag,n===13){if(e=BC(t),e!==null)return e;e=null}else if(n===3){if(t.stateNode.current.memoizedState.isDehydrated)return t.tag===3?t.stateNode.containerInfo:null;e=null}else t!==e&&(e=null);return x1=e,null}function QC(e){switch(e){case"cancel":case"click":case"close":case"contextmenu":case"copy":case"cut":case"auxclick":case"dblclick":case"dragend":case"dragstart":case"drop":case"focusin":case"focusout":case"input":case"invalid":case"keydown":case"keypress":case"keyup":case"mousedown":case"mouseup":case"paste":case"pause":case"play":case"pointercancel":case"pointerdown":case"pointerup":case"ratechange":case"reset":case"resize":case"seeked":case"submit":case"touchcancel":case"touchend":case"touchstart":case"volumechange":case"change":case"selectionchange":case"textInput":case"compositionstart":case"compositionend":case"compositionupdate":case"beforeblur":case"afterblur":case"beforeinput":case"blur":case"fullscreenchange":case"focus":case"hashchange":case"popstate":case"select":case"selectstart":return 1;case"drag":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"mousemove":case"mouseout":case"mouseover":case"pointermove":case"pointerout":case"pointerover":case"scroll":case"toggle":case"touchmove":case"wheel":case"mouseenter":case"mouseleave":case"pointerenter":case"pointerleave":return 4;case"message":switch(QF()){case _4:return 1;case HC:return 4;case v1:case JF:return 16;case jC:return 536870912;default:return 16}default:return 16}}var La=null,P4=null,Dh=null;function JC(){if(Dh)return Dh;var e,t=P4,n=t.length,r,o="value"in La?La.value:La.textContent,i=o.length;for(e=0;e<n&&t[e]===o[e];e++);var s=n-e;for(r=1;r<=s&&t[n-r]===o[i-r];r++);return Dh=o.slice(e,1<r?1-r:void 0)}function zh(e){var t=e.keyCode;return"charCode"in e?(e=e.charCode,e===0&&t===13&&(e=13)):e=t,e===10&&(e=13),32<=e||e===13?e:0}function Gp(){return!0}function _x(){return!1}function jr(e){function t(n,r,o,i,s){this._reactName=n,this._targetInst=o,this.type=r,this.nativeEvent=i,this.target=s,this.currentTarget=null;for(var u in e)e.hasOwnProperty(u)&&(n=e[u],this[u]=n?n(i):i[u]);return this.isDefaultPrevented=(i.defaultPrevented!=null?i.defaultPrevented:i.returnValue===!1)?Gp:_x,this.isPropagationStopped=_x,this}return Ut(t.prototype,{preventDefault:function(){this.defaultPrevented=!0;var n=this.nativeEvent;n&&(n.preventDefault?n.preventDefault():typeof n.returnValue!="unknown"&&(n.returnValue=!1),this.isDefaultPrevented=Gp)},stopPropagation:function(){var n=this.nativeEvent;n&&(n.stopPropagation?n.stopPropagation():typeof n.cancelBubble!="unknown"&&(n.cancelBubble=!0),this.isPropagationStopped=Gp)},persist:function(){},isPersistent:Gp}),t}var Tu={eventPhase:0,bubbles:0,cancelable:0,timeStamp:function(e){return e.timeStamp||Date.now()},defaultPrevented:0,isTrusted:0},A4=jr(Tu),sd=Ut({},Tu,{view:0,detail:0}),dB=jr(sd),Av,Tv,Sc,w0=Ut({},sd,{screenX:0,screenY:0,clientX:0,clientY:0,pageX:0,pageY:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,getModifierState:T4,button:0,buttons:0,relatedTarget:function(e){return e.relatedTarget===void 0?e.fromElement===e.srcElement?e.toElement:e.fromElement:e.relatedTarget},movementX:function(e){return"movementX"in e?e.movementX:(e!==Sc&&(Sc&&e.type==="mousemove"?(Av=e.screenX-Sc.screenX,Tv=e.screenY-Sc.screenY):Tv=Av=0,Sc=e),Av)},movementY:function(e){return"movementY"in e?e.movementY:Tv}}),kx=jr(w0),pB=Ut({},w0,{dataTransfer:0}),hB=jr(pB),mB=Ut({},sd,{relatedTarget:0}),Iv=jr(mB),gB=Ut({},Tu,{animationName:0,elapsedTime:0,pseudoElement:0}),vB=jr(gB),yB=Ut({},Tu,{clipboardData:function(e){return"clipboardData"in e?e.clipboardData:window.clipboardData}}),bB=jr(yB),xB=Ut({},Tu,{data:0}),Ex=jr(xB),SB={Esc:"Escape",Spacebar:" ",Left:"ArrowLeft",Up:"ArrowUp",Right:"ArrowRight",Down:"ArrowDown",Del:"Delete",Win:"OS",Menu:"ContextMenu",Apps:"ContextMenu",Scroll:"ScrollLock",MozPrintableKey:"Unidentified"},wB={8:"Backspace",9:"Tab",12:"Clear",13:"Enter",16:"Shift",17:"Control",18:"Alt",19:"Pause",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",45:"Insert",46:"Delete",112:"F1",113:"F2",114:"F3",115:"F4",116:"F5",117:"F6",118:"F7",119:"F8",120:"F9",121:"F10",122:"F11",123:"F12",144:"NumLock",145:"ScrollLock",224:"Meta"},CB={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};function _B(e){var t=this.nativeEvent;return t.getModifierState?t.getModifierState(e):(e=CB[e])?!!t[e]:!1}function T4(){return _B}var kB=Ut({},sd,{key:function(e){if(e.key){var t=SB[e.key]||e.key;if(t!=="Unidentified")return t}return e.type==="keypress"?(e=zh(e),e===13?"Enter":String.fromCharCode(e)):e.type==="keydown"||e.type==="keyup"?wB[e.keyCode]||"Unidentified":""},code:0,location:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,repeat:0,locale:0,getModifierState:T4,charCode:function(e){return e.type==="keypress"?zh(e):0},keyCode:function(e){return e.type==="keydown"||e.type==="keyup"?e.keyCode:0},which:function(e){return e.type==="keypress"?zh(e):e.type==="keydown"||e.type==="keyup"?e.keyCode:0}}),EB=jr(kB),LB=Ut({},w0,{pointerId:0,width:0,height:0,pressure:0,tangentialPressure:0,tiltX:0,tiltY:0,twist:0,pointerType:0,isPrimary:0}),Lx=jr(LB),PB=Ut({},sd,{touches:0,targetTouches:0,changedTouches:0,altKey:0,metaKey:0,ctrlKey:0,shiftKey:0,getModifierState:T4}),AB=jr(PB),TB=Ut({},Tu,{propertyName:0,elapsedTime:0,pseudoElement:0}),IB=jr(TB),MB=Ut({},w0,{deltaX:function(e){return"deltaX"in e?e.deltaX:"wheelDeltaX"in e?-e.wheelDeltaX:0},deltaY:function(e){return"deltaY"in e?e.deltaY:"wheelDeltaY"in e?-e.wheelDeltaY:"wheelDelta"in e?-e.wheelDelta:0},deltaZ:0,deltaMode:0}),OB=jr(MB),RB=[9,13,27,32],I4=Ui&&"CompositionEvent"in window,jc=null;Ui&&"documentMode"in document&&(jc=document.documentMode);var NB=Ui&&"TextEvent"in window&&!jc,e_=Ui&&(!I4||jc&&8<jc&&11>=jc),Px=String.fromCharCode(32),Ax=!1;function t_(e,t){switch(e){case"keyup":return RB.indexOf(t.keyCode)!==-1;case"keydown":return t.keyCode!==229;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function n_(e){return e=e.detail,typeof e=="object"&&"data"in e?e.data:null}var Rl=!1;function DB(e,t){switch(e){case"compositionend":return n_(t);case"keypress":return t.which!==32?null:(Ax=!0,Px);case"textInput":return e=t.data,e===Px&&Ax?null:e;default:return null}}function zB(e,t){if(Rl)return e==="compositionend"||!I4&&t_(e,t)?(e=JC(),Dh=P4=La=null,Rl=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1<t.char.length)return t.char;if(t.which)return String.fromCharCode(t.which)}return null;case"compositionend":return e_&&t.locale!=="ko"?null:t.data;default:return null}}var FB={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};function Tx(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t==="input"?!!FB[e.type]:t==="textarea"}function r_(e,t,n,r){RC(r),t=S1(t,"onChange"),0<t.length&&(n=new A4("onChange","change",null,n,r),e.push({event:n,listeners:t}))}var Uc=null,yf=null;function BB(e){h_(e,0)}function C0(e){var t=zl(e);if(LC(t))return e}function $B(e,t){if(e==="change")return t}var o_=!1;if(Ui){var Mv;if(Ui){var Ov="oninput"in document;if(!Ov){var Ix=document.createElement("div");Ix.setAttribute("oninput","return;"),Ov=typeof Ix.oninput=="function"}Mv=Ov}else Mv=!1;o_=Mv&&(!document.documentMode||9<document.documentMode)}function Mx(){Uc&&(Uc.detachEvent("onpropertychange",i_),yf=Uc=null)}function i_(e){if(e.propertyName==="value"&&C0(yf)){var t=[];r_(t,yf,e,C4(e)),FC(BB,t)}}function VB(e,t,n){e==="focusin"?(Mx(),Uc=t,yf=n,Uc.attachEvent("onpropertychange",i_)):e==="focusout"&&Mx()}function WB(e){if(e==="selectionchange"||e==="keyup"||e==="keydown")return C0(yf)}function HB(e,t){if(e==="click")return C0(t)}function jB(e,t){if(e==="input"||e==="change")return C0(t)}function UB(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var Do=typeof Object.is=="function"?Object.is:UB;function bf(e,t){if(Do(e,t))return!0;if(typeof e!="object"||e===null||typeof t!="object"||t===null)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(r=0;r<n.length;r++){var o=n[r];if(!G2.call(t,o)||!Do(e[o],t[o]))return!1}return!0}function Ox(e){for(;e&&e.firstChild;)e=e.firstChild;return e}function Rx(e,t){var n=Ox(e);e=0;for(var r;n;){if(n.nodeType===3){if(r=e+n.textContent.length,e<=t&&r>=t)return{node:n,offset:t-e};e=r}e:{for(;n;){if(n.nextSibling){n=n.nextSibling;break e}n=n.parentNode}n=void 0}n=Ox(n)}}function a_(e,t){return e&&t?e===t?!0:e&&e.nodeType===3?!1:t&&t.nodeType===3?a_(e,t.parentNode):"contains"in e?e.contains(t):e.compareDocumentPosition?!!(e.compareDocumentPosition(t)&16):!1:!1}function s_(){for(var e=window,t=h1();t instanceof e.HTMLIFrameElement;){try{var n=typeof t.contentWindow.location.href=="string"}catch{n=!1}if(n)e=t.contentWindow;else break;t=h1(e.document)}return t}function M4(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&(t==="input"&&(e.type==="text"||e.type==="search"||e.type==="tel"||e.type==="url"||e.type==="password")||t==="textarea"||e.contentEditable==="true")}function GB(e){var t=s_(),n=e.focusedElem,r=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&a_(n.ownerDocument.documentElement,n)){if(r!==null&&M4(n)){if(t=r.start,e=r.end,e===void 0&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if(e=(t=n.ownerDocument||document)&&t.defaultView||window,e.getSelection){e=e.getSelection();var o=n.textContent.length,i=Math.min(r.start,o);r=r.end===void 0?i:Math.min(r.end,o),!e.extend&&i>r&&(o=r,r=i,i=o),o=Rx(n,i);var s=Rx(n,r);o&&s&&(e.rangeCount!==1||e.anchorNode!==o.node||e.anchorOffset!==o.offset||e.focusNode!==s.node||e.focusOffset!==s.offset)&&(t=t.createRange(),t.setStart(o.node,o.offset),e.removeAllRanges(),i>r?(e.addRange(t),e.extend(s.node,s.offset)):(t.setEnd(s.node,s.offset),e.addRange(t)))}}for(t=[],e=n;e=e.parentNode;)e.nodeType===1&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for(typeof n.focus=="function"&&n.focus(),n=0;n<t.length;n++)e=t[n],e.element.scrollLeft=e.left,e.element.scrollTop=e.top}}var ZB=Ui&&"documentMode"in document&&11>=document.documentMode,Nl=null,fy=null,Gc=null,dy=!1;function Nx(e,t,n){var r=n.window===n?n.document:n.nodeType===9?n:n.ownerDocument;dy||Nl==null||Nl!==h1(r)||(r=Nl,"selectionStart"in r&&M4(r)?r={start:r.selectionStart,end:r.selectionEnd}:(r=(r.ownerDocument&&r.ownerDocument.defaultView||window).getSelection(),r={anchorNode:r.anchorNode,anchorOffset:r.anchorOffset,focusNode:r.focusNode,focusOffset:r.focusOffset}),Gc&&bf(Gc,r)||(Gc=r,r=S1(fy,"onSelect"),0<r.length&&(t=new A4("onSelect","select",null,t,n),e.push({event:t,listeners:r}),t.target=Nl)))}function Zp(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n}var Dl={animationend:Zp("Animation","AnimationEnd"),animationiteration:Zp("Animation","AnimationIteration"),animationstart:Zp("Animation","AnimationStart"),transitionend:Zp("Transition","TransitionEnd")},Rv={},l_={};Ui&&(l_=document.createElement("div").style,"AnimationEvent"in window||(delete Dl.animationend.animation,delete Dl.animationiteration.animation,delete Dl.animationstart.animation),"TransitionEvent"in window||delete Dl.transitionend.transition);function _0(e){if(Rv[e])return Rv[e];if(!Dl[e])return e;var t=Dl[e],n;for(n in t)if(t.hasOwnProperty(n)&&n in l_)return Rv[e]=t[n];return e}var u_=_0("animationend"),c_=_0("animationiteration"),f_=_0("animationstart"),d_=_0("transitionend"),p_=new Map,Dx="abort auxClick cancel canPlay canPlayThrough click close contextMenu copy cut drag dragEnd dragEnter dragExit dragLeave dragOver dragStart drop durationChange emptied encrypted ended error gotPointerCapture input invalid keyDown keyPress keyUp load loadedData loadedMetadata loadStart lostPointerCapture mouseDown mouseMove mouseOut mouseOver mouseUp paste pause play playing pointerCancel pointerDown pointerMove pointerOut pointerOver pointerUp progress rateChange reset resize seeked seeking stalled submit suspend timeUpdate touchCancel touchEnd touchStart volumeChange scroll toggle touchMove waiting wheel".split(" ");function Ya(e,t){p_.set(e,t),Vs(t,[e])}for(var Nv=0;Nv<Dx.length;Nv++){var Dv=Dx[Nv],KB=Dv.toLowerCase(),qB=Dv[0].toUpperCase()+Dv.slice(1);Ya(KB,"on"+qB)}Ya(u_,"onAnimationEnd");Ya(c_,"onAnimationIteration");Ya(f_,"onAnimationStart");Ya("dblclick","onDoubleClick");Ya("focusin","onFocus");Ya("focusout","onBlur");Ya(d_,"onTransitionEnd");cu("onMouseEnter",["mouseout","mouseover"]);cu("onMouseLeave",["mouseout","mouseover"]);cu("onPointerEnter",["pointerout","pointerover"]);cu("onPointerLeave",["pointerout","pointerover"]);Vs("onChange","change click focusin focusout input keydown keyup selectionchange".split(" "));Vs("onSelect","focusout contextmenu dragend focusin keydown keyup mousedown mouseup selectionchange".split(" "));Vs("onBeforeInput",["compositionend","keypress","textInput","paste"]);Vs("onCompositionEnd","compositionend focusout keydown keypress keyup mousedown".split(" "));Vs("onCompositionStart","compositionstart focusout keydown keypress keyup mousedown".split(" "));Vs("onCompositionUpdate","compositionupdate focusout keydown keypress keyup mousedown".split(" "));var Dc="abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange resize seeked seeking stalled suspend timeupdate volumechange waiting".split(" "),YB=new Set("cancel close invalid load scroll toggle".split(" ").concat(Dc));function zx(e,t,n){var r=e.type||"unknown-event";e.currentTarget=n,KF(r,t,void 0,e),e.currentTarget=null}function h_(e,t){t=(t&4)!==0;for(var n=0;n<e.length;n++){var r=e[n],o=r.event;r=r.listeners;e:{var i=void 0;if(t)for(var s=r.length-1;0<=s;s--){var u=r[s],c=u.instance,f=u.currentTarget;if(u=u.listener,c!==i&&o.isPropagationStopped())break e;zx(o,u,f),i=c}else for(s=0;s<r.length;s++){if(u=r[s],c=u.instance,f=u.currentTarget,u=u.listener,c!==i&&o.isPropagationStopped())break e;zx(o,u,f),i=c}}}if(g1)throw e=sy,g1=!1,sy=null,e}function It(e,t){var n=t[vy];n===void 0&&(n=t[vy]=new Set);var r=e+"__bubble";n.has(r)||(m_(t,e,2,!1),n.add(r))}function zv(e,t,n){var r=0;t&&(r|=4),m_(n,e,r,t)}var Kp="_reactListening"+Math.random().toString(36).slice(2);function xf(e){if(!e[Kp]){e[Kp]=!0,wC.forEach(function(n){n!=="selectionchange"&&(YB.has(n)||zv(n,!1,e),zv(n,!0,e))});var t=e.nodeType===9?e:e.ownerDocument;t===null||t[Kp]||(t[Kp]=!0,zv("selectionchange",!1,t))}}function m_(e,t,n,r){switch(QC(t)){case 1:var o=cB;break;case 4:o=fB;break;default:o=L4}n=o.bind(null,t,n,e),o=void 0,!ay||t!=="touchstart"&&t!=="touchmove"&&t!=="wheel"||(o=!0),r?o!==void 0?e.addEventListener(t,n,{capture:!0,passive:o}):e.addEventListener(t,n,!0):o!==void 0?e.addEventListener(t,n,{passive:o}):e.addEventListener(t,n,!1)}function Fv(e,t,n,r,o){var i=r;if((t&1)===0&&(t&2)===0&&r!==null)e:for(;;){if(r===null)return;var s=r.tag;if(s===3||s===4){var u=r.stateNode.containerInfo;if(u===o||u.nodeType===8&&u.parentNode===o)break;if(s===4)for(s=r.return;s!==null;){var c=s.tag;if((c===3||c===4)&&(c=s.stateNode.containerInfo,c===o||c.nodeType===8&&c.parentNode===o))return;s=s.return}for(;u!==null;){if(s=ws(u),s===null)return;if(c=s.tag,c===5||c===6){r=i=s;continue e}u=u.parentNode}}r=r.return}FC(function(){var f=i,d=C4(n),h=[];e:{var m=p_.get(e);if(m!==void 0){var g=A4,b=e;switch(e){case"keypress":if(zh(n)===0)break e;case"keydown":case"keyup":g=EB;break;case"focusin":b="focus",g=Iv;break;case"focusout":b="blur",g=Iv;break;case"beforeblur":case"afterblur":g=Iv;break;case"click":if(n.button===2)break e;case"auxclick":case"dblclick":case"mousedown":case"mousemove":case"mouseup":case"mouseout":case"mouseover":case"contextmenu":g=kx;break;case"drag":case"dragend":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"dragstart":case"drop":g=hB;break;case"touchcancel":case"touchend":case"touchmove":case"touchstart":g=AB;break;case u_:case c_:case f_:g=vB;break;case d_:g=IB;break;case"scroll":g=dB;break;case"wheel":g=OB;break;case"copy":case"cut":case"paste":g=bB;break;case"gotpointercapture":case"lostpointercapture":case"pointercancel":case"pointerdown":case"pointermove":case"pointerout":case"pointerover":case"pointerup":g=Lx}var S=(t&4)!==0,E=!S&&e==="scroll",w=S?m!==null?m+"Capture":null:m;S=[];for(var x=f,_;x!==null;){_=x;var L=_.stateNode;if(_.tag===5&&L!==null&&(_=L,w!==null&&(L=hf(x,w),L!=null&&S.push(Sf(x,L,_)))),E)break;x=x.return}0<S.length&&(m=new g(m,b,null,n,d),h.push({event:m,listeners:S}))}}if((t&7)===0){e:{if(m=e==="mouseover"||e==="pointerover",g=e==="mouseout"||e==="pointerout",m&&n!==oy&&(b=n.relatedTarget||n.fromElement)&&(ws(b)||b[Gi]))break e;if((g||m)&&(m=d.window===d?d:(m=d.ownerDocument)?m.defaultView||m.parentWindow:window,g?(b=n.relatedTarget||n.toElement,g=f,b=b?ws(b):null,b!==null&&(E=Ws(b),b!==E||b.tag!==5&&b.tag!==6)&&(b=null)):(g=null,b=f),g!==b)){if(S=kx,L="onMouseLeave",w="onMouseEnter",x="mouse",(e==="pointerout"||e==="pointerover")&&(S=Lx,L="onPointerLeave",w="onPointerEnter",x="pointer"),E=g==null?m:zl(g),_=b==null?m:zl(b),m=new S(L,x+"leave",g,n,d),m.target=E,m.relatedTarget=_,L=null,ws(d)===f&&(S=new S(w,x+"enter",b,n,d),S.target=_,S.relatedTarget=E,L=S),E=L,g&&b)t:{for(S=g,w=b,x=0,_=S;_;_=xl(_))x++;for(_=0,L=w;L;L=xl(L))_++;for(;0<x-_;)S=xl(S),x--;for(;0<_-x;)w=xl(w),_--;for(;x--;){if(S===w||w!==null&&S===w.alternate)break t;S=xl(S),w=xl(w)}S=null}else S=null;g!==null&&Fx(h,m,g,S,!1),b!==null&&E!==null&&Fx(h,E,b,S,!0)}}e:{if(m=f?zl(f):window,g=m.nodeName&&m.nodeName.toLowerCase(),g==="select"||g==="input"&&m.type==="file")var T=$B;else if(Tx(m))if(o_)T=jB;else{T=WB;var R=VB}else(g=m.nodeName)&&g.toLowerCase()==="input"&&(m.type==="checkbox"||m.type==="radio")&&(T=HB);if(T&&(T=T(e,f))){r_(h,T,n,d);break e}R&&R(e,m,f),e==="focusout"&&(R=m._wrapperState)&&R.controlled&&m.type==="number"&&J2(m,"number",m.value)}switch(R=f?zl(f):window,e){case"focusin":(Tx(R)||R.contentEditable==="true")&&(Nl=R,fy=f,Gc=null);break;case"focusout":Gc=fy=Nl=null;break;case"mousedown":dy=!0;break;case"contextmenu":case"mouseup":case"dragend":dy=!1,Nx(h,n,d);break;case"selectionchange":if(ZB)break;case"keydown":case"keyup":Nx(h,n,d)}var N;if(I4)e:{switch(e){case"compositionstart":var F="onCompositionStart";break e;case"compositionend":F="onCompositionEnd";break e;case"compositionupdate":F="onCompositionUpdate";break e}F=void 0}else Rl?t_(e,n)&&(F="onCompositionEnd"):e==="keydown"&&n.keyCode===229&&(F="onCompositionStart");F&&(e_&&n.locale!=="ko"&&(Rl||F!=="onCompositionStart"?F==="onCompositionEnd"&&Rl&&(N=JC()):(La=d,P4="value"in La?La.value:La.textContent,Rl=!0)),R=S1(f,F),0<R.length&&(F=new Ex(F,e,null,n,d),h.push({event:F,listeners:R}),N?F.data=N:(N=n_(n),N!==null&&(F.data=N)))),(N=NB?DB(e,n):zB(e,n))&&(f=S1(f,"onBeforeInput"),0<f.length&&(d=new Ex("onBeforeInput","beforeinput",null,n,d),h.push({event:d,listeners:f}),d.data=N))}h_(h,t)})}function Sf(e,t,n){return{instance:e,listener:t,currentTarget:n}}function S1(e,t){for(var n=t+"Capture",r=[];e!==null;){var o=e,i=o.stateNode;o.tag===5&&i!==null&&(o=i,i=hf(e,n),i!=null&&r.unshift(Sf(e,i,o)),i=hf(e,t),i!=null&&r.push(Sf(e,i,o))),e=e.return}return r}function xl(e){if(e===null)return null;do e=e.return;while(e&&e.tag!==5);return e||null}function Fx(e,t,n,r,o){for(var i=t._reactName,s=[];n!==null&&n!==r;){var u=n,c=u.alternate,f=u.stateNode;if(c!==null&&c===r)break;u.tag===5&&f!==null&&(u=f,o?(c=hf(n,i),c!=null&&s.unshift(Sf(n,c,u))):o||(c=hf(n,i),c!=null&&s.push(Sf(n,c,u)))),n=n.return}s.length!==0&&e.push({event:t,listeners:s})}var XB=/\r\n?/g,QB=/\u0000|\uFFFD/g;function Bx(e){return(typeof e=="string"?e:""+e).replace(XB,` +`).replace(QB,"")}function qp(e,t,n){if(t=Bx(t),Bx(e)!==t&&n)throw Error(le(425))}function w1(){}var py=null,hy=null;function my(e,t){return e==="textarea"||e==="noscript"||typeof t.children=="string"||typeof t.children=="number"||typeof t.dangerouslySetInnerHTML=="object"&&t.dangerouslySetInnerHTML!==null&&t.dangerouslySetInnerHTML.__html!=null}var gy=typeof setTimeout=="function"?setTimeout:void 0,JB=typeof clearTimeout=="function"?clearTimeout:void 0,$x=typeof Promise=="function"?Promise:void 0,e$=typeof queueMicrotask=="function"?queueMicrotask:typeof $x<"u"?function(e){return $x.resolve(null).then(e).catch(t$)}:gy;function t$(e){setTimeout(function(){throw e})}function Bv(e,t){var n=t,r=0;do{var o=n.nextSibling;if(e.removeChild(n),o&&o.nodeType===8)if(n=o.data,n==="/$"){if(r===0){e.removeChild(o),vf(t);return}r--}else n!=="$"&&n!=="$?"&&n!=="$!"||r++;n=o}while(n);vf(t)}function Da(e){for(;e!=null;e=e.nextSibling){var t=e.nodeType;if(t===1||t===3)break;if(t===8){if(t=e.data,t==="$"||t==="$!"||t==="$?")break;if(t==="/$")return null}}return e}function Vx(e){e=e.previousSibling;for(var t=0;e;){if(e.nodeType===8){var n=e.data;if(n==="$"||n==="$!"||n==="$?"){if(t===0)return e;t--}else n==="/$"&&t++}e=e.previousSibling}return null}var Iu=Math.random().toString(36).slice(2),Jo="__reactFiber$"+Iu,wf="__reactProps$"+Iu,Gi="__reactContainer$"+Iu,vy="__reactEvents$"+Iu,n$="__reactListeners$"+Iu,r$="__reactHandles$"+Iu;function ws(e){var t=e[Jo];if(t)return t;for(var n=e.parentNode;n;){if(t=n[Gi]||n[Jo]){if(n=t.alternate,t.child!==null||n!==null&&n.child!==null)for(e=Vx(e);e!==null;){if(n=e[Jo])return n;e=Vx(e)}return t}e=n,n=e.parentNode}return null}function ld(e){return e=e[Jo]||e[Gi],!e||e.tag!==5&&e.tag!==6&&e.tag!==13&&e.tag!==3?null:e}function zl(e){if(e.tag===5||e.tag===6)return e.stateNode;throw Error(le(33))}function k0(e){return e[wf]||null}var yy=[],Fl=-1;function Xa(e){return{current:e}}function Ot(e){0>Fl||(e.current=yy[Fl],yy[Fl]=null,Fl--)}function Pt(e,t){Fl++,yy[Fl]=e.current,e.current=t}var Ha={},Zn=Xa(Ha),yr=Xa(!1),Rs=Ha;function fu(e,t){var n=e.type.contextTypes;if(!n)return Ha;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var o={},i;for(i in n)o[i]=t[i];return r&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=o),o}function br(e){return e=e.childContextTypes,e!=null}function C1(){Ot(yr),Ot(Zn)}function Wx(e,t,n){if(Zn.current!==Ha)throw Error(le(168));Pt(Zn,t),Pt(yr,n)}function g_(e,t,n){var r=e.stateNode;if(t=t.childContextTypes,typeof r.getChildContext!="function")return n;r=r.getChildContext();for(var o in r)if(!(o in t))throw Error(le(108,VF(e)||"Unknown",o));return Ut({},n,r)}function _1(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||Ha,Rs=Zn.current,Pt(Zn,e),Pt(yr,yr.current),!0}function Hx(e,t,n){var r=e.stateNode;if(!r)throw Error(le(169));n?(e=g_(e,t,Rs),r.__reactInternalMemoizedMergedChildContext=e,Ot(yr),Ot(Zn),Pt(Zn,e)):Ot(yr),Pt(yr,n)}var Fi=null,E0=!1,$v=!1;function v_(e){Fi===null?Fi=[e]:Fi.push(e)}function o$(e){E0=!0,v_(e)}function Qa(){if(!$v&&Fi!==null){$v=!0;var e=0,t=gt;try{var n=Fi;for(gt=1;e<n.length;e++){var r=n[e];do r=r(!0);while(r!==null)}Fi=null,E0=!1}catch(o){throw Fi!==null&&(Fi=Fi.slice(e+1)),WC(_4,Qa),o}finally{gt=t,$v=!1}}return null}var Bl=[],$l=0,k1=null,E1=0,ro=[],oo=0,Ns=null,Vi=1,Wi="";function hs(e,t){Bl[$l++]=E1,Bl[$l++]=k1,k1=e,E1=t}function y_(e,t,n){ro[oo++]=Vi,ro[oo++]=Wi,ro[oo++]=Ns,Ns=e;var r=Vi;e=Wi;var o=32-Oo(r)-1;r&=~(1<<o),n+=1;var i=32-Oo(t)+o;if(30<i){var s=o-o%5;i=(r&(1<<s)-1).toString(32),r>>=s,o-=s,Vi=1<<32-Oo(t)+o|n<<o|r,Wi=i+e}else Vi=1<<i|n<<o|r,Wi=e}function O4(e){e.return!==null&&(hs(e,1),y_(e,1,0))}function R4(e){for(;e===k1;)k1=Bl[--$l],Bl[$l]=null,E1=Bl[--$l],Bl[$l]=null;for(;e===Ns;)Ns=ro[--oo],ro[oo]=null,Wi=ro[--oo],ro[oo]=null,Vi=ro[--oo],ro[oo]=null}var Fr=null,Dr=null,Ft=!1,Io=null;function b_(e,t){var n=io(5,null,null,0);n.elementType="DELETED",n.stateNode=t,n.return=e,t=e.deletions,t===null?(e.deletions=[n],e.flags|=16):t.push(n)}function jx(e,t){switch(e.tag){case 5:var n=e.type;return t=t.nodeType!==1||n.toLowerCase()!==t.nodeName.toLowerCase()?null:t,t!==null?(e.stateNode=t,Fr=e,Dr=Da(t.firstChild),!0):!1;case 6:return t=e.pendingProps===""||t.nodeType!==3?null:t,t!==null?(e.stateNode=t,Fr=e,Dr=null,!0):!1;case 13:return t=t.nodeType!==8?null:t,t!==null?(n=Ns!==null?{id:Vi,overflow:Wi}:null,e.memoizedState={dehydrated:t,treeContext:n,retryLane:1073741824},n=io(18,null,null,0),n.stateNode=t,n.return=e,e.child=n,Fr=e,Dr=null,!0):!1;default:return!1}}function by(e){return(e.mode&1)!==0&&(e.flags&128)===0}function xy(e){if(Ft){var t=Dr;if(t){var n=t;if(!jx(e,t)){if(by(e))throw Error(le(418));t=Da(n.nextSibling);var r=Fr;t&&jx(e,t)?b_(r,n):(e.flags=e.flags&-4097|2,Ft=!1,Fr=e)}}else{if(by(e))throw Error(le(418));e.flags=e.flags&-4097|2,Ft=!1,Fr=e}}}function Ux(e){for(e=e.return;e!==null&&e.tag!==5&&e.tag!==3&&e.tag!==13;)e=e.return;Fr=e}function Yp(e){if(e!==Fr)return!1;if(!Ft)return Ux(e),Ft=!0,!1;var t;if((t=e.tag!==3)&&!(t=e.tag!==5)&&(t=e.type,t=t!=="head"&&t!=="body"&&!my(e.type,e.memoizedProps)),t&&(t=Dr)){if(by(e))throw x_(),Error(le(418));for(;t;)b_(e,t),t=Da(t.nextSibling)}if(Ux(e),e.tag===13){if(e=e.memoizedState,e=e!==null?e.dehydrated:null,!e)throw Error(le(317));e:{for(e=e.nextSibling,t=0;e;){if(e.nodeType===8){var n=e.data;if(n==="/$"){if(t===0){Dr=Da(e.nextSibling);break e}t--}else n!=="$"&&n!=="$!"&&n!=="$?"||t++}e=e.nextSibling}Dr=null}}else Dr=Fr?Da(e.stateNode.nextSibling):null;return!0}function x_(){for(var e=Dr;e;)e=Da(e.nextSibling)}function du(){Dr=Fr=null,Ft=!1}function N4(e){Io===null?Io=[e]:Io.push(e)}var i$=Ji.ReactCurrentBatchConfig;function Po(e,t){if(e&&e.defaultProps){t=Ut({},t),e=e.defaultProps;for(var n in e)t[n]===void 0&&(t[n]=e[n]);return t}return t}var L1=Xa(null),P1=null,Vl=null,D4=null;function z4(){D4=Vl=P1=null}function F4(e){var t=L1.current;Ot(L1),e._currentValue=t}function Sy(e,t,n){for(;e!==null;){var r=e.alternate;if((e.childLanes&t)!==t?(e.childLanes|=t,r!==null&&(r.childLanes|=t)):r!==null&&(r.childLanes&t)!==t&&(r.childLanes|=t),e===n)break;e=e.return}}function Jl(e,t){P1=e,D4=Vl=null,e=e.dependencies,e!==null&&e.firstContext!==null&&((e.lanes&t)!==0&&(vr=!0),e.firstContext=null)}function uo(e){var t=e._currentValue;if(D4!==e)if(e={context:e,memoizedValue:t,next:null},Vl===null){if(P1===null)throw Error(le(308));Vl=e,P1.dependencies={lanes:0,firstContext:e}}else Vl=Vl.next=e;return t}var Cs=null;function B4(e){Cs===null?Cs=[e]:Cs.push(e)}function S_(e,t,n,r){var o=t.interleaved;return o===null?(n.next=n,B4(t)):(n.next=o.next,o.next=n),t.interleaved=n,Zi(e,r)}function Zi(e,t){e.lanes|=t;var n=e.alternate;for(n!==null&&(n.lanes|=t),n=e,e=e.return;e!==null;)e.childLanes|=t,n=e.alternate,n!==null&&(n.childLanes|=t),n=e,e=e.return;return n.tag===3?n.stateNode:null}var Sa=!1;function $4(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function w_(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function ji(e,t){return{eventTime:e,lane:t,tag:0,payload:null,callback:null,next:null}}function za(e,t,n){var r=e.updateQueue;if(r===null)return null;if(r=r.shared,(et&2)!==0){var o=r.pending;return o===null?t.next=t:(t.next=o.next,o.next=t),r.pending=t,Zi(e,n)}return o=r.interleaved,o===null?(t.next=t,B4(r)):(t.next=o.next,o.next=t),r.interleaved=t,Zi(e,n)}function Fh(e,t,n){if(t=t.updateQueue,t!==null&&(t=t.shared,(n&4194240)!==0)){var r=t.lanes;r&=e.pendingLanes,n|=r,t.lanes=n,k4(e,n)}}function Gx(e,t){var n=e.updateQueue,r=e.alternate;if(r!==null&&(r=r.updateQueue,n===r)){var o=null,i=null;if(n=n.firstBaseUpdate,n!==null){do{var s={eventTime:n.eventTime,lane:n.lane,tag:n.tag,payload:n.payload,callback:n.callback,next:null};i===null?o=i=s:i=i.next=s,n=n.next}while(n!==null);i===null?o=i=t:i=i.next=t}else o=i=t;n={baseState:r.baseState,firstBaseUpdate:o,lastBaseUpdate:i,shared:r.shared,effects:r.effects},e.updateQueue=n;return}e=n.lastBaseUpdate,e===null?n.firstBaseUpdate=t:e.next=t,n.lastBaseUpdate=t}function A1(e,t,n,r){var o=e.updateQueue;Sa=!1;var i=o.firstBaseUpdate,s=o.lastBaseUpdate,u=o.shared.pending;if(u!==null){o.shared.pending=null;var c=u,f=c.next;c.next=null,s===null?i=f:s.next=f,s=c;var d=e.alternate;d!==null&&(d=d.updateQueue,u=d.lastBaseUpdate,u!==s&&(u===null?d.firstBaseUpdate=f:u.next=f,d.lastBaseUpdate=c))}if(i!==null){var h=o.baseState;s=0,d=f=c=null,u=i;do{var m=u.lane,g=u.eventTime;if((r&m)===m){d!==null&&(d=d.next={eventTime:g,lane:0,tag:u.tag,payload:u.payload,callback:u.callback,next:null});e:{var b=e,S=u;switch(m=t,g=n,S.tag){case 1:if(b=S.payload,typeof b=="function"){h=b.call(g,h,m);break e}h=b;break e;case 3:b.flags=b.flags&-65537|128;case 0:if(b=S.payload,m=typeof b=="function"?b.call(g,h,m):b,m==null)break e;h=Ut({},h,m);break e;case 2:Sa=!0}}u.callback!==null&&u.lane!==0&&(e.flags|=64,m=o.effects,m===null?o.effects=[u]:m.push(u))}else g={eventTime:g,lane:m,tag:u.tag,payload:u.payload,callback:u.callback,next:null},d===null?(f=d=g,c=h):d=d.next=g,s|=m;if(u=u.next,u===null){if(u=o.shared.pending,u===null)break;m=u,u=m.next,m.next=null,o.lastBaseUpdate=m,o.shared.pending=null}}while(1);if(d===null&&(c=h),o.baseState=c,o.firstBaseUpdate=f,o.lastBaseUpdate=d,t=o.shared.interleaved,t!==null){o=t;do s|=o.lane,o=o.next;while(o!==t)}else i===null&&(o.shared.lanes=0);zs|=s,e.lanes=s,e.memoizedState=h}}function Zx(e,t,n){if(e=t.effects,t.effects=null,e!==null)for(t=0;t<e.length;t++){var r=e[t],o=r.callback;if(o!==null){if(r.callback=null,r=n,typeof o!="function")throw Error(le(191,o));o.call(r)}}}var C_=new SC.Component().refs;function wy(e,t,n,r){t=e.memoizedState,n=n(r,t),n=n==null?t:Ut({},t,n),e.memoizedState=n,e.lanes===0&&(e.updateQueue.baseState=n)}var L0={isMounted:function(e){return(e=e._reactInternals)?Ws(e)===e:!1},enqueueSetState:function(e,t,n){e=e._reactInternals;var r=or(),o=Ba(e),i=ji(r,o);i.payload=t,n!=null&&(i.callback=n),t=za(e,i,o),t!==null&&(Ro(t,e,o,r),Fh(t,e,o))},enqueueReplaceState:function(e,t,n){e=e._reactInternals;var r=or(),o=Ba(e),i=ji(r,o);i.tag=1,i.payload=t,n!=null&&(i.callback=n),t=za(e,i,o),t!==null&&(Ro(t,e,o,r),Fh(t,e,o))},enqueueForceUpdate:function(e,t){e=e._reactInternals;var n=or(),r=Ba(e),o=ji(n,r);o.tag=2,t!=null&&(o.callback=t),t=za(e,o,r),t!==null&&(Ro(t,e,r,n),Fh(t,e,r))}};function Kx(e,t,n,r,o,i,s){return e=e.stateNode,typeof e.shouldComponentUpdate=="function"?e.shouldComponentUpdate(r,i,s):t.prototype&&t.prototype.isPureReactComponent?!bf(n,r)||!bf(o,i):!0}function __(e,t,n){var r=!1,o=Ha,i=t.contextType;return typeof i=="object"&&i!==null?i=uo(i):(o=br(t)?Rs:Zn.current,r=t.contextTypes,i=(r=r!=null)?fu(e,o):Ha),t=new t(n,i),e.memoizedState=t.state!==null&&t.state!==void 0?t.state:null,t.updater=L0,e.stateNode=t,t._reactInternals=e,r&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=o,e.__reactInternalMemoizedMaskedChildContext=i),t}function qx(e,t,n,r){e=t.state,typeof t.componentWillReceiveProps=="function"&&t.componentWillReceiveProps(n,r),typeof t.UNSAFE_componentWillReceiveProps=="function"&&t.UNSAFE_componentWillReceiveProps(n,r),t.state!==e&&L0.enqueueReplaceState(t,t.state,null)}function Cy(e,t,n,r){var o=e.stateNode;o.props=n,o.state=e.memoizedState,o.refs=C_,$4(e);var i=t.contextType;typeof i=="object"&&i!==null?o.context=uo(i):(i=br(t)?Rs:Zn.current,o.context=fu(e,i)),o.state=e.memoizedState,i=t.getDerivedStateFromProps,typeof i=="function"&&(wy(e,t,i,n),o.state=e.memoizedState),typeof t.getDerivedStateFromProps=="function"||typeof o.getSnapshotBeforeUpdate=="function"||typeof o.UNSAFE_componentWillMount!="function"&&typeof o.componentWillMount!="function"||(t=o.state,typeof o.componentWillMount=="function"&&o.componentWillMount(),typeof o.UNSAFE_componentWillMount=="function"&&o.UNSAFE_componentWillMount(),t!==o.state&&L0.enqueueReplaceState(o,o.state,null),A1(e,n,o,r),o.state=e.memoizedState),typeof o.componentDidMount=="function"&&(e.flags|=4194308)}function wc(e,t,n){if(e=n.ref,e!==null&&typeof e!="function"&&typeof e!="object"){if(n._owner){if(n=n._owner,n){if(n.tag!==1)throw Error(le(309));var r=n.stateNode}if(!r)throw Error(le(147,e));var o=r,i=""+e;return t!==null&&t.ref!==null&&typeof t.ref=="function"&&t.ref._stringRef===i?t.ref:(t=function(s){var u=o.refs;u===C_&&(u=o.refs={}),s===null?delete u[i]:u[i]=s},t._stringRef=i,t)}if(typeof e!="string")throw Error(le(284));if(!n._owner)throw Error(le(290,e))}return e}function Xp(e,t){throw e=Object.prototype.toString.call(t),Error(le(31,e==="[object Object]"?"object with keys {"+Object.keys(t).join(", ")+"}":e))}function Yx(e){var t=e._init;return t(e._payload)}function k_(e){function t(w,x){if(e){var _=w.deletions;_===null?(w.deletions=[x],w.flags|=16):_.push(x)}}function n(w,x){if(!e)return null;for(;x!==null;)t(w,x),x=x.sibling;return null}function r(w,x){for(w=new Map;x!==null;)x.key!==null?w.set(x.key,x):w.set(x.index,x),x=x.sibling;return w}function o(w,x){return w=$a(w,x),w.index=0,w.sibling=null,w}function i(w,x,_){return w.index=_,e?(_=w.alternate,_!==null?(_=_.index,_<x?(w.flags|=2,x):_):(w.flags|=2,x)):(w.flags|=1048576,x)}function s(w){return e&&w.alternate===null&&(w.flags|=2),w}function u(w,x,_,L){return x===null||x.tag!==6?(x=Zv(_,w.mode,L),x.return=w,x):(x=o(x,_),x.return=w,x)}function c(w,x,_,L){var T=_.type;return T===Ol?d(w,x,_.props.children,L,_.key):x!==null&&(x.elementType===T||typeof T=="object"&&T!==null&&T.$$typeof===xa&&Yx(T)===x.type)?(L=o(x,_.props),L.ref=wc(w,x,_),L.return=w,L):(L=jh(_.type,_.key,_.props,null,w.mode,L),L.ref=wc(w,x,_),L.return=w,L)}function f(w,x,_,L){return x===null||x.tag!==4||x.stateNode.containerInfo!==_.containerInfo||x.stateNode.implementation!==_.implementation?(x=Kv(_,w.mode,L),x.return=w,x):(x=o(x,_.children||[]),x.return=w,x)}function d(w,x,_,L,T){return x===null||x.tag!==7?(x=As(_,w.mode,L,T),x.return=w,x):(x=o(x,_),x.return=w,x)}function h(w,x,_){if(typeof x=="string"&&x!==""||typeof x=="number")return x=Zv(""+x,w.mode,_),x.return=w,x;if(typeof x=="object"&&x!==null){switch(x.$$typeof){case $p:return _=jh(x.type,x.key,x.props,null,w.mode,_),_.ref=wc(w,null,x),_.return=w,_;case Ml:return x=Kv(x,w.mode,_),x.return=w,x;case xa:var L=x._init;return h(w,L(x._payload),_)}if(Rc(x)||vc(x))return x=As(x,w.mode,_,null),x.return=w,x;Xp(w,x)}return null}function m(w,x,_,L){var T=x!==null?x.key:null;if(typeof _=="string"&&_!==""||typeof _=="number")return T!==null?null:u(w,x,""+_,L);if(typeof _=="object"&&_!==null){switch(_.$$typeof){case $p:return _.key===T?c(w,x,_,L):null;case Ml:return _.key===T?f(w,x,_,L):null;case xa:return T=_._init,m(w,x,T(_._payload),L)}if(Rc(_)||vc(_))return T!==null?null:d(w,x,_,L,null);Xp(w,_)}return null}function g(w,x,_,L,T){if(typeof L=="string"&&L!==""||typeof L=="number")return w=w.get(_)||null,u(x,w,""+L,T);if(typeof L=="object"&&L!==null){switch(L.$$typeof){case $p:return w=w.get(L.key===null?_:L.key)||null,c(x,w,L,T);case Ml:return w=w.get(L.key===null?_:L.key)||null,f(x,w,L,T);case xa:var R=L._init;return g(w,x,_,R(L._payload),T)}if(Rc(L)||vc(L))return w=w.get(_)||null,d(x,w,L,T,null);Xp(x,L)}return null}function b(w,x,_,L){for(var T=null,R=null,N=x,F=x=0,K=null;N!==null&&F<_.length;F++){N.index>F?(K=N,N=null):K=N.sibling;var W=m(w,N,_[F],L);if(W===null){N===null&&(N=K);break}e&&N&&W.alternate===null&&t(w,N),x=i(W,x,F),R===null?T=W:R.sibling=W,R=W,N=K}if(F===_.length)return n(w,N),Ft&&hs(w,F),T;if(N===null){for(;F<_.length;F++)N=h(w,_[F],L),N!==null&&(x=i(N,x,F),R===null?T=N:R.sibling=N,R=N);return Ft&&hs(w,F),T}for(N=r(w,N);F<_.length;F++)K=g(N,w,F,_[F],L),K!==null&&(e&&K.alternate!==null&&N.delete(K.key===null?F:K.key),x=i(K,x,F),R===null?T=K:R.sibling=K,R=K);return e&&N.forEach(function(J){return t(w,J)}),Ft&&hs(w,F),T}function S(w,x,_,L){var T=vc(_);if(typeof T!="function")throw Error(le(150));if(_=T.call(_),_==null)throw Error(le(151));for(var R=T=null,N=x,F=x=0,K=null,W=_.next();N!==null&&!W.done;F++,W=_.next()){N.index>F?(K=N,N=null):K=N.sibling;var J=m(w,N,W.value,L);if(J===null){N===null&&(N=K);break}e&&N&&J.alternate===null&&t(w,N),x=i(J,x,F),R===null?T=J:R.sibling=J,R=J,N=K}if(W.done)return n(w,N),Ft&&hs(w,F),T;if(N===null){for(;!W.done;F++,W=_.next())W=h(w,W.value,L),W!==null&&(x=i(W,x,F),R===null?T=W:R.sibling=W,R=W);return Ft&&hs(w,F),T}for(N=r(w,N);!W.done;F++,W=_.next())W=g(N,w,F,W.value,L),W!==null&&(e&&W.alternate!==null&&N.delete(W.key===null?F:W.key),x=i(W,x,F),R===null?T=W:R.sibling=W,R=W);return e&&N.forEach(function(ve){return t(w,ve)}),Ft&&hs(w,F),T}function E(w,x,_,L){if(typeof _=="object"&&_!==null&&_.type===Ol&&_.key===null&&(_=_.props.children),typeof _=="object"&&_!==null){switch(_.$$typeof){case $p:e:{for(var T=_.key,R=x;R!==null;){if(R.key===T){if(T=_.type,T===Ol){if(R.tag===7){n(w,R.sibling),x=o(R,_.props.children),x.return=w,w=x;break e}}else if(R.elementType===T||typeof T=="object"&&T!==null&&T.$$typeof===xa&&Yx(T)===R.type){n(w,R.sibling),x=o(R,_.props),x.ref=wc(w,R,_),x.return=w,w=x;break e}n(w,R);break}else t(w,R);R=R.sibling}_.type===Ol?(x=As(_.props.children,w.mode,L,_.key),x.return=w,w=x):(L=jh(_.type,_.key,_.props,null,w.mode,L),L.ref=wc(w,x,_),L.return=w,w=L)}return s(w);case Ml:e:{for(R=_.key;x!==null;){if(x.key===R)if(x.tag===4&&x.stateNode.containerInfo===_.containerInfo&&x.stateNode.implementation===_.implementation){n(w,x.sibling),x=o(x,_.children||[]),x.return=w,w=x;break e}else{n(w,x);break}else t(w,x);x=x.sibling}x=Kv(_,w.mode,L),x.return=w,w=x}return s(w);case xa:return R=_._init,E(w,x,R(_._payload),L)}if(Rc(_))return b(w,x,_,L);if(vc(_))return S(w,x,_,L);Xp(w,_)}return typeof _=="string"&&_!==""||typeof _=="number"?(_=""+_,x!==null&&x.tag===6?(n(w,x.sibling),x=o(x,_),x.return=w,w=x):(n(w,x),x=Zv(_,w.mode,L),x.return=w,w=x),s(w)):n(w,x)}return E}var pu=k_(!0),E_=k_(!1),ud={},oi=Xa(ud),Cf=Xa(ud),_f=Xa(ud);function _s(e){if(e===ud)throw Error(le(174));return e}function V4(e,t){switch(Pt(_f,t),Pt(Cf,e),Pt(oi,ud),e=t.nodeType,e){case 9:case 11:t=(t=t.documentElement)?t.namespaceURI:ty(null,"");break;default:e=e===8?t.parentNode:t,t=e.namespaceURI||null,e=e.tagName,t=ty(t,e)}Ot(oi),Pt(oi,t)}function hu(){Ot(oi),Ot(Cf),Ot(_f)}function L_(e){_s(_f.current);var t=_s(oi.current),n=ty(t,e.type);t!==n&&(Pt(Cf,e),Pt(oi,n))}function W4(e){Cf.current===e&&(Ot(oi),Ot(Cf))}var Ht=Xa(0);function T1(e){for(var t=e;t!==null;){if(t.tag===13){var n=t.memoizedState;if(n!==null&&(n=n.dehydrated,n===null||n.data==="$?"||n.data==="$!"))return t}else if(t.tag===19&&t.memoizedProps.revealOrder!==void 0){if((t.flags&128)!==0)return t}else if(t.child!==null){t.child.return=t,t=t.child;continue}if(t===e)break;for(;t.sibling===null;){if(t.return===null||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}return null}var Vv=[];function H4(){for(var e=0;e<Vv.length;e++)Vv[e]._workInProgressVersionPrimary=null;Vv.length=0}var Bh=Ji.ReactCurrentDispatcher,Wv=Ji.ReactCurrentBatchConfig,Ds=0,jt=null,pn=null,xn=null,I1=!1,Zc=!1,kf=0,a$=0;function $n(){throw Error(le(321))}function j4(e,t){if(t===null)return!1;for(var n=0;n<t.length&&n<e.length;n++)if(!Do(e[n],t[n]))return!1;return!0}function U4(e,t,n,r,o,i){if(Ds=i,jt=t,t.memoizedState=null,t.updateQueue=null,t.lanes=0,Bh.current=e===null||e.memoizedState===null?c$:f$,e=n(r,o),Zc){i=0;do{if(Zc=!1,kf=0,25<=i)throw Error(le(301));i+=1,xn=pn=null,t.updateQueue=null,Bh.current=d$,e=n(r,o)}while(Zc)}if(Bh.current=M1,t=pn!==null&&pn.next!==null,Ds=0,xn=pn=jt=null,I1=!1,t)throw Error(le(300));return e}function G4(){var e=kf!==0;return kf=0,e}function Zo(){var e={memoizedState:null,baseState:null,baseQueue:null,queue:null,next:null};return xn===null?jt.memoizedState=xn=e:xn=xn.next=e,xn}function co(){if(pn===null){var e=jt.alternate;e=e!==null?e.memoizedState:null}else e=pn.next;var t=xn===null?jt.memoizedState:xn.next;if(t!==null)xn=t,pn=e;else{if(e===null)throw Error(le(310));pn=e,e={memoizedState:pn.memoizedState,baseState:pn.baseState,baseQueue:pn.baseQueue,queue:pn.queue,next:null},xn===null?jt.memoizedState=xn=e:xn=xn.next=e}return xn}function Ef(e,t){return typeof t=="function"?t(e):t}function Hv(e){var t=co(),n=t.queue;if(n===null)throw Error(le(311));n.lastRenderedReducer=e;var r=pn,o=r.baseQueue,i=n.pending;if(i!==null){if(o!==null){var s=o.next;o.next=i.next,i.next=s}r.baseQueue=o=i,n.pending=null}if(o!==null){i=o.next,r=r.baseState;var u=s=null,c=null,f=i;do{var d=f.lane;if((Ds&d)===d)c!==null&&(c=c.next={lane:0,action:f.action,hasEagerState:f.hasEagerState,eagerState:f.eagerState,next:null}),r=f.hasEagerState?f.eagerState:e(r,f.action);else{var h={lane:d,action:f.action,hasEagerState:f.hasEagerState,eagerState:f.eagerState,next:null};c===null?(u=c=h,s=r):c=c.next=h,jt.lanes|=d,zs|=d}f=f.next}while(f!==null&&f!==i);c===null?s=r:c.next=u,Do(r,t.memoizedState)||(vr=!0),t.memoizedState=r,t.baseState=s,t.baseQueue=c,n.lastRenderedState=r}if(e=n.interleaved,e!==null){o=e;do i=o.lane,jt.lanes|=i,zs|=i,o=o.next;while(o!==e)}else o===null&&(n.lanes=0);return[t.memoizedState,n.dispatch]}function jv(e){var t=co(),n=t.queue;if(n===null)throw Error(le(311));n.lastRenderedReducer=e;var r=n.dispatch,o=n.pending,i=t.memoizedState;if(o!==null){n.pending=null;var s=o=o.next;do i=e(i,s.action),s=s.next;while(s!==o);Do(i,t.memoizedState)||(vr=!0),t.memoizedState=i,t.baseQueue===null&&(t.baseState=i),n.lastRenderedState=i}return[i,r]}function P_(){}function A_(e,t){var n=jt,r=co(),o=t(),i=!Do(r.memoizedState,o);if(i&&(r.memoizedState=o,vr=!0),r=r.queue,Z4(M_.bind(null,n,r,e),[e]),r.getSnapshot!==t||i||xn!==null&&xn.memoizedState.tag&1){if(n.flags|=2048,Lf(9,I_.bind(null,n,r,o,t),void 0,null),Sn===null)throw Error(le(349));(Ds&30)!==0||T_(n,t,o)}return o}function T_(e,t,n){e.flags|=16384,e={getSnapshot:t,value:n},t=jt.updateQueue,t===null?(t={lastEffect:null,stores:null},jt.updateQueue=t,t.stores=[e]):(n=t.stores,n===null?t.stores=[e]:n.push(e))}function I_(e,t,n,r){t.value=n,t.getSnapshot=r,O_(t)&&R_(e)}function M_(e,t,n){return n(function(){O_(t)&&R_(e)})}function O_(e){var t=e.getSnapshot;e=e.value;try{var n=t();return!Do(e,n)}catch{return!0}}function R_(e){var t=Zi(e,1);t!==null&&Ro(t,e,1,-1)}function Xx(e){var t=Zo();return typeof e=="function"&&(e=e()),t.memoizedState=t.baseState=e,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:Ef,lastRenderedState:e},t.queue=e,e=e.dispatch=u$.bind(null,jt,e),[t.memoizedState,e]}function Lf(e,t,n,r){return e={tag:e,create:t,destroy:n,deps:r,next:null},t=jt.updateQueue,t===null?(t={lastEffect:null,stores:null},jt.updateQueue=t,t.lastEffect=e.next=e):(n=t.lastEffect,n===null?t.lastEffect=e.next=e:(r=n.next,n.next=e,e.next=r,t.lastEffect=e)),e}function N_(){return co().memoizedState}function $h(e,t,n,r){var o=Zo();jt.flags|=e,o.memoizedState=Lf(1|t,n,void 0,r===void 0?null:r)}function P0(e,t,n,r){var o=co();r=r===void 0?null:r;var i=void 0;if(pn!==null){var s=pn.memoizedState;if(i=s.destroy,r!==null&&j4(r,s.deps)){o.memoizedState=Lf(t,n,i,r);return}}jt.flags|=e,o.memoizedState=Lf(1|t,n,i,r)}function Qx(e,t){return $h(8390656,8,e,t)}function Z4(e,t){return P0(2048,8,e,t)}function D_(e,t){return P0(4,2,e,t)}function z_(e,t){return P0(4,4,e,t)}function F_(e,t){if(typeof t=="function")return e=e(),t(e),function(){t(null)};if(t!=null)return e=e(),t.current=e,function(){t.current=null}}function B_(e,t,n){return n=n!=null?n.concat([e]):null,P0(4,4,F_.bind(null,t,e),n)}function K4(){}function $_(e,t){var n=co();t=t===void 0?null:t;var r=n.memoizedState;return r!==null&&t!==null&&j4(t,r[1])?r[0]:(n.memoizedState=[e,t],e)}function V_(e,t){var n=co();t=t===void 0?null:t;var r=n.memoizedState;return r!==null&&t!==null&&j4(t,r[1])?r[0]:(e=e(),n.memoizedState=[e,t],e)}function W_(e,t,n){return(Ds&21)===0?(e.baseState&&(e.baseState=!1,vr=!0),e.memoizedState=n):(Do(n,t)||(n=UC(),jt.lanes|=n,zs|=n,e.baseState=!0),t)}function s$(e,t){var n=gt;gt=n!==0&&4>n?n:4,e(!0);var r=Wv.transition;Wv.transition={};try{e(!1),t()}finally{gt=n,Wv.transition=r}}function H_(){return co().memoizedState}function l$(e,t,n){var r=Ba(e);if(n={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null},j_(e))U_(t,n);else if(n=S_(e,t,n,r),n!==null){var o=or();Ro(n,e,r,o),G_(n,t,r)}}function u$(e,t,n){var r=Ba(e),o={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null};if(j_(e))U_(t,o);else{var i=e.alternate;if(e.lanes===0&&(i===null||i.lanes===0)&&(i=t.lastRenderedReducer,i!==null))try{var s=t.lastRenderedState,u=i(s,n);if(o.hasEagerState=!0,o.eagerState=u,Do(u,s)){var c=t.interleaved;c===null?(o.next=o,B4(t)):(o.next=c.next,c.next=o),t.interleaved=o;return}}catch{}finally{}n=S_(e,t,o,r),n!==null&&(o=or(),Ro(n,e,r,o),G_(n,t,r))}}function j_(e){var t=e.alternate;return e===jt||t!==null&&t===jt}function U_(e,t){Zc=I1=!0;var n=e.pending;n===null?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function G_(e,t,n){if((n&4194240)!==0){var r=t.lanes;r&=e.pendingLanes,n|=r,t.lanes=n,k4(e,n)}}var M1={readContext:uo,useCallback:$n,useContext:$n,useEffect:$n,useImperativeHandle:$n,useInsertionEffect:$n,useLayoutEffect:$n,useMemo:$n,useReducer:$n,useRef:$n,useState:$n,useDebugValue:$n,useDeferredValue:$n,useTransition:$n,useMutableSource:$n,useSyncExternalStore:$n,useId:$n,unstable_isNewReconciler:!1},c$={readContext:uo,useCallback:function(e,t){return Zo().memoizedState=[e,t===void 0?null:t],e},useContext:uo,useEffect:Qx,useImperativeHandle:function(e,t,n){return n=n!=null?n.concat([e]):null,$h(4194308,4,F_.bind(null,t,e),n)},useLayoutEffect:function(e,t){return $h(4194308,4,e,t)},useInsertionEffect:function(e,t){return $h(4,2,e,t)},useMemo:function(e,t){var n=Zo();return t=t===void 0?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var r=Zo();return t=n!==void 0?n(t):t,r.memoizedState=r.baseState=t,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},r.queue=e,e=e.dispatch=l$.bind(null,jt,e),[r.memoizedState,e]},useRef:function(e){var t=Zo();return e={current:e},t.memoizedState=e},useState:Xx,useDebugValue:K4,useDeferredValue:function(e){return Zo().memoizedState=e},useTransition:function(){var e=Xx(!1),t=e[0];return e=s$.bind(null,e[1]),Zo().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var r=jt,o=Zo();if(Ft){if(n===void 0)throw Error(le(407));n=n()}else{if(n=t(),Sn===null)throw Error(le(349));(Ds&30)!==0||T_(r,t,n)}o.memoizedState=n;var i={value:n,getSnapshot:t};return o.queue=i,Qx(M_.bind(null,r,i,e),[e]),r.flags|=2048,Lf(9,I_.bind(null,r,i,n,t),void 0,null),n},useId:function(){var e=Zo(),t=Sn.identifierPrefix;if(Ft){var n=Wi,r=Vi;n=(r&~(1<<32-Oo(r)-1)).toString(32)+n,t=":"+t+"R"+n,n=kf++,0<n&&(t+="H"+n.toString(32)),t+=":"}else n=a$++,t=":"+t+"r"+n.toString(32)+":";return e.memoizedState=t},unstable_isNewReconciler:!1},f$={readContext:uo,useCallback:$_,useContext:uo,useEffect:Z4,useImperativeHandle:B_,useInsertionEffect:D_,useLayoutEffect:z_,useMemo:V_,useReducer:Hv,useRef:N_,useState:function(){return Hv(Ef)},useDebugValue:K4,useDeferredValue:function(e){var t=co();return W_(t,pn.memoizedState,e)},useTransition:function(){var e=Hv(Ef)[0],t=co().memoizedState;return[e,t]},useMutableSource:P_,useSyncExternalStore:A_,useId:H_,unstable_isNewReconciler:!1},d$={readContext:uo,useCallback:$_,useContext:uo,useEffect:Z4,useImperativeHandle:B_,useInsertionEffect:D_,useLayoutEffect:z_,useMemo:V_,useReducer:jv,useRef:N_,useState:function(){return jv(Ef)},useDebugValue:K4,useDeferredValue:function(e){var t=co();return pn===null?t.memoizedState=e:W_(t,pn.memoizedState,e)},useTransition:function(){var e=jv(Ef)[0],t=co().memoizedState;return[e,t]},useMutableSource:P_,useSyncExternalStore:A_,useId:H_,unstable_isNewReconciler:!1};function mu(e,t){try{var n="",r=t;do n+=$F(r),r=r.return;while(r);var o=n}catch(i){o=` +Error generating stack: `+i.message+` +`+i.stack}return{value:e,source:t,stack:o,digest:null}}function Uv(e,t,n){return{value:e,source:null,stack:n??null,digest:t??null}}function _y(e,t){try{console.error(t.value)}catch(n){setTimeout(function(){throw n})}}var p$=typeof WeakMap=="function"?WeakMap:Map;function Z_(e,t,n){n=ji(-1,n),n.tag=3,n.payload={element:null};var r=t.value;return n.callback=function(){R1||(R1=!0,Ry=r),_y(e,t)},n}function K_(e,t,n){n=ji(-1,n),n.tag=3;var r=e.type.getDerivedStateFromError;if(typeof r=="function"){var o=t.value;n.payload=function(){return r(o)},n.callback=function(){_y(e,t)}}var i=e.stateNode;return i!==null&&typeof i.componentDidCatch=="function"&&(n.callback=function(){_y(e,t),typeof r!="function"&&(Fa===null?Fa=new Set([this]):Fa.add(this));var s=t.stack;this.componentDidCatch(t.value,{componentStack:s!==null?s:""})}),n}function Jx(e,t,n){var r=e.pingCache;if(r===null){r=e.pingCache=new p$;var o=new Set;r.set(t,o)}else o=r.get(t),o===void 0&&(o=new Set,r.set(t,o));o.has(n)||(o.add(n),e=L$.bind(null,e,t,n),t.then(e,e))}function eS(e){do{var t;if((t=e.tag===13)&&(t=e.memoizedState,t=t!==null?t.dehydrated!==null:!0),t)return e;e=e.return}while(e!==null);return null}function tS(e,t,n,r,o){return(e.mode&1)===0?(e===t?e.flags|=65536:(e.flags|=128,n.flags|=131072,n.flags&=-52805,n.tag===1&&(n.alternate===null?n.tag=17:(t=ji(-1,1),t.tag=2,za(n,t,1))),n.lanes|=1),e):(e.flags|=65536,e.lanes=o,e)}var h$=Ji.ReactCurrentOwner,vr=!1;function rr(e,t,n,r){t.child=e===null?E_(t,null,n,r):pu(t,e.child,n,r)}function nS(e,t,n,r,o){n=n.render;var i=t.ref;return Jl(t,o),r=U4(e,t,n,r,i,o),n=G4(),e!==null&&!vr?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~o,Ki(e,t,o)):(Ft&&n&&O4(t),t.flags|=1,rr(e,t,r,o),t.child)}function rS(e,t,n,r,o){if(e===null){var i=n.type;return typeof i=="function"&&!n3(i)&&i.defaultProps===void 0&&n.compare===null&&n.defaultProps===void 0?(t.tag=15,t.type=i,q_(e,t,i,r,o)):(e=jh(n.type,null,r,t,t.mode,o),e.ref=t.ref,e.return=t,t.child=e)}if(i=e.child,(e.lanes&o)===0){var s=i.memoizedProps;if(n=n.compare,n=n!==null?n:bf,n(s,r)&&e.ref===t.ref)return Ki(e,t,o)}return t.flags|=1,e=$a(i,r),e.ref=t.ref,e.return=t,t.child=e}function q_(e,t,n,r,o){if(e!==null){var i=e.memoizedProps;if(bf(i,r)&&e.ref===t.ref)if(vr=!1,t.pendingProps=r=i,(e.lanes&o)!==0)(e.flags&131072)!==0&&(vr=!0);else return t.lanes=e.lanes,Ki(e,t,o)}return ky(e,t,n,r,o)}function Y_(e,t,n){var r=t.pendingProps,o=r.children,i=e!==null?e.memoizedState:null;if(r.mode==="hidden")if((t.mode&1)===0)t.memoizedState={baseLanes:0,cachePool:null,transitions:null},Pt(Hl,Rr),Rr|=n;else{if((n&1073741824)===0)return e=i!==null?i.baseLanes|n:n,t.lanes=t.childLanes=1073741824,t.memoizedState={baseLanes:e,cachePool:null,transitions:null},t.updateQueue=null,Pt(Hl,Rr),Rr|=e,null;t.memoizedState={baseLanes:0,cachePool:null,transitions:null},r=i!==null?i.baseLanes:n,Pt(Hl,Rr),Rr|=r}else i!==null?(r=i.baseLanes|n,t.memoizedState=null):r=n,Pt(Hl,Rr),Rr|=r;return rr(e,t,o,n),t.child}function X_(e,t){var n=t.ref;(e===null&&n!==null||e!==null&&e.ref!==n)&&(t.flags|=512,t.flags|=2097152)}function ky(e,t,n,r,o){var i=br(n)?Rs:Zn.current;return i=fu(t,i),Jl(t,o),n=U4(e,t,n,r,i,o),r=G4(),e!==null&&!vr?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~o,Ki(e,t,o)):(Ft&&r&&O4(t),t.flags|=1,rr(e,t,n,o),t.child)}function oS(e,t,n,r,o){if(br(n)){var i=!0;_1(t)}else i=!1;if(Jl(t,o),t.stateNode===null)Vh(e,t),__(t,n,r),Cy(t,n,r,o),r=!0;else if(e===null){var s=t.stateNode,u=t.memoizedProps;s.props=u;var c=s.context,f=n.contextType;typeof f=="object"&&f!==null?f=uo(f):(f=br(n)?Rs:Zn.current,f=fu(t,f));var d=n.getDerivedStateFromProps,h=typeof d=="function"||typeof s.getSnapshotBeforeUpdate=="function";h||typeof s.UNSAFE_componentWillReceiveProps!="function"&&typeof s.componentWillReceiveProps!="function"||(u!==r||c!==f)&&qx(t,s,r,f),Sa=!1;var m=t.memoizedState;s.state=m,A1(t,r,s,o),c=t.memoizedState,u!==r||m!==c||yr.current||Sa?(typeof d=="function"&&(wy(t,n,d,r),c=t.memoizedState),(u=Sa||Kx(t,n,u,r,m,c,f))?(h||typeof s.UNSAFE_componentWillMount!="function"&&typeof s.componentWillMount!="function"||(typeof s.componentWillMount=="function"&&s.componentWillMount(),typeof s.UNSAFE_componentWillMount=="function"&&s.UNSAFE_componentWillMount()),typeof s.componentDidMount=="function"&&(t.flags|=4194308)):(typeof s.componentDidMount=="function"&&(t.flags|=4194308),t.memoizedProps=r,t.memoizedState=c),s.props=r,s.state=c,s.context=f,r=u):(typeof s.componentDidMount=="function"&&(t.flags|=4194308),r=!1)}else{s=t.stateNode,w_(e,t),u=t.memoizedProps,f=t.type===t.elementType?u:Po(t.type,u),s.props=f,h=t.pendingProps,m=s.context,c=n.contextType,typeof c=="object"&&c!==null?c=uo(c):(c=br(n)?Rs:Zn.current,c=fu(t,c));var g=n.getDerivedStateFromProps;(d=typeof g=="function"||typeof s.getSnapshotBeforeUpdate=="function")||typeof s.UNSAFE_componentWillReceiveProps!="function"&&typeof s.componentWillReceiveProps!="function"||(u!==h||m!==c)&&qx(t,s,r,c),Sa=!1,m=t.memoizedState,s.state=m,A1(t,r,s,o);var b=t.memoizedState;u!==h||m!==b||yr.current||Sa?(typeof g=="function"&&(wy(t,n,g,r),b=t.memoizedState),(f=Sa||Kx(t,n,f,r,m,b,c)||!1)?(d||typeof s.UNSAFE_componentWillUpdate!="function"&&typeof s.componentWillUpdate!="function"||(typeof s.componentWillUpdate=="function"&&s.componentWillUpdate(r,b,c),typeof s.UNSAFE_componentWillUpdate=="function"&&s.UNSAFE_componentWillUpdate(r,b,c)),typeof s.componentDidUpdate=="function"&&(t.flags|=4),typeof s.getSnapshotBeforeUpdate=="function"&&(t.flags|=1024)):(typeof s.componentDidUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=4),typeof s.getSnapshotBeforeUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=1024),t.memoizedProps=r,t.memoizedState=b),s.props=r,s.state=b,s.context=c,r=f):(typeof s.componentDidUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=4),typeof s.getSnapshotBeforeUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=1024),r=!1)}return Ey(e,t,n,r,i,o)}function Ey(e,t,n,r,o,i){X_(e,t);var s=(t.flags&128)!==0;if(!r&&!s)return o&&Hx(t,n,!1),Ki(e,t,i);r=t.stateNode,h$.current=t;var u=s&&typeof n.getDerivedStateFromError!="function"?null:r.render();return t.flags|=1,e!==null&&s?(t.child=pu(t,e.child,null,i),t.child=pu(t,null,u,i)):rr(e,t,u,i),t.memoizedState=r.state,o&&Hx(t,n,!0),t.child}function Q_(e){var t=e.stateNode;t.pendingContext?Wx(e,t.pendingContext,t.pendingContext!==t.context):t.context&&Wx(e,t.context,!1),V4(e,t.containerInfo)}function iS(e,t,n,r,o){return du(),N4(o),t.flags|=256,rr(e,t,n,r),t.child}var Ly={dehydrated:null,treeContext:null,retryLane:0};function Py(e){return{baseLanes:e,cachePool:null,transitions:null}}function J_(e,t,n){var r=t.pendingProps,o=Ht.current,i=!1,s=(t.flags&128)!==0,u;if((u=s)||(u=e!==null&&e.memoizedState===null?!1:(o&2)!==0),u?(i=!0,t.flags&=-129):(e===null||e.memoizedState!==null)&&(o|=1),Pt(Ht,o&1),e===null)return xy(t),e=t.memoizedState,e!==null&&(e=e.dehydrated,e!==null)?((t.mode&1)===0?t.lanes=1:e.data==="$!"?t.lanes=8:t.lanes=1073741824,null):(s=r.children,e=r.fallback,i?(r=t.mode,i=t.child,s={mode:"hidden",children:s},(r&1)===0&&i!==null?(i.childLanes=0,i.pendingProps=s):i=I0(s,r,0,null),e=As(e,r,n,null),i.return=t,e.return=t,i.sibling=e,t.child=i,t.child.memoizedState=Py(n),t.memoizedState=Ly,e):q4(t,s));if(o=e.memoizedState,o!==null&&(u=o.dehydrated,u!==null))return m$(e,t,s,r,u,o,n);if(i){i=r.fallback,s=t.mode,o=e.child,u=o.sibling;var c={mode:"hidden",children:r.children};return(s&1)===0&&t.child!==o?(r=t.child,r.childLanes=0,r.pendingProps=c,t.deletions=null):(r=$a(o,c),r.subtreeFlags=o.subtreeFlags&14680064),u!==null?i=$a(u,i):(i=As(i,s,n,null),i.flags|=2),i.return=t,r.return=t,r.sibling=i,t.child=r,r=i,i=t.child,s=e.child.memoizedState,s=s===null?Py(n):{baseLanes:s.baseLanes|n,cachePool:null,transitions:s.transitions},i.memoizedState=s,i.childLanes=e.childLanes&~n,t.memoizedState=Ly,r}return i=e.child,e=i.sibling,r=$a(i,{mode:"visible",children:r.children}),(t.mode&1)===0&&(r.lanes=n),r.return=t,r.sibling=null,e!==null&&(n=t.deletions,n===null?(t.deletions=[e],t.flags|=16):n.push(e)),t.child=r,t.memoizedState=null,r}function q4(e,t){return t=I0({mode:"visible",children:t},e.mode,0,null),t.return=e,e.child=t}function Qp(e,t,n,r){return r!==null&&N4(r),pu(t,e.child,null,n),e=q4(t,t.pendingProps.children),e.flags|=2,t.memoizedState=null,e}function m$(e,t,n,r,o,i,s){if(n)return t.flags&256?(t.flags&=-257,r=Uv(Error(le(422))),Qp(e,t,s,r)):t.memoizedState!==null?(t.child=e.child,t.flags|=128,null):(i=r.fallback,o=t.mode,r=I0({mode:"visible",children:r.children},o,0,null),i=As(i,o,s,null),i.flags|=2,r.return=t,i.return=t,r.sibling=i,t.child=r,(t.mode&1)!==0&&pu(t,e.child,null,s),t.child.memoizedState=Py(s),t.memoizedState=Ly,i);if((t.mode&1)===0)return Qp(e,t,s,null);if(o.data==="$!"){if(r=o.nextSibling&&o.nextSibling.dataset,r)var u=r.dgst;return r=u,i=Error(le(419)),r=Uv(i,r,void 0),Qp(e,t,s,r)}if(u=(s&e.childLanes)!==0,vr||u){if(r=Sn,r!==null){switch(s&-s){case 4:o=2;break;case 16:o=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:o=32;break;case 536870912:o=268435456;break;default:o=0}o=(o&(r.suspendedLanes|s))!==0?0:o,o!==0&&o!==i.retryLane&&(i.retryLane=o,Zi(e,o),Ro(r,e,o,-1))}return t3(),r=Uv(Error(le(421))),Qp(e,t,s,r)}return o.data==="$?"?(t.flags|=128,t.child=e.child,t=P$.bind(null,e),o._reactRetry=t,null):(e=i.treeContext,Dr=Da(o.nextSibling),Fr=t,Ft=!0,Io=null,e!==null&&(ro[oo++]=Vi,ro[oo++]=Wi,ro[oo++]=Ns,Vi=e.id,Wi=e.overflow,Ns=t),t=q4(t,r.children),t.flags|=4096,t)}function aS(e,t,n){e.lanes|=t;var r=e.alternate;r!==null&&(r.lanes|=t),Sy(e.return,t,n)}function Gv(e,t,n,r,o){var i=e.memoizedState;i===null?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailMode:o}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=r,i.tail=n,i.tailMode=o)}function ek(e,t,n){var r=t.pendingProps,o=r.revealOrder,i=r.tail;if(rr(e,t,r.children,n),r=Ht.current,(r&2)!==0)r=r&1|2,t.flags|=128;else{if(e!==null&&(e.flags&128)!==0)e:for(e=t.child;e!==null;){if(e.tag===13)e.memoizedState!==null&&aS(e,n,t);else if(e.tag===19)aS(e,n,t);else if(e.child!==null){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;e.sibling===null;){if(e.return===null||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(Pt(Ht,r),(t.mode&1)===0)t.memoizedState=null;else switch(o){case"forwards":for(n=t.child,o=null;n!==null;)e=n.alternate,e!==null&&T1(e)===null&&(o=n),n=n.sibling;n=o,n===null?(o=t.child,t.child=null):(o=n.sibling,n.sibling=null),Gv(t,!1,o,n,i);break;case"backwards":for(n=null,o=t.child,t.child=null;o!==null;){if(e=o.alternate,e!==null&&T1(e)===null){t.child=o;break}e=o.sibling,o.sibling=n,n=o,o=e}Gv(t,!0,n,null,i);break;case"together":Gv(t,!1,null,null,void 0);break;default:t.memoizedState=null}return t.child}function Vh(e,t){(t.mode&1)===0&&e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2)}function Ki(e,t,n){if(e!==null&&(t.dependencies=e.dependencies),zs|=t.lanes,(n&t.childLanes)===0)return null;if(e!==null&&t.child!==e.child)throw Error(le(153));if(t.child!==null){for(e=t.child,n=$a(e,e.pendingProps),t.child=n,n.return=t;e.sibling!==null;)e=e.sibling,n=n.sibling=$a(e,e.pendingProps),n.return=t;n.sibling=null}return t.child}function g$(e,t,n){switch(t.tag){case 3:Q_(t),du();break;case 5:L_(t);break;case 1:br(t.type)&&_1(t);break;case 4:V4(t,t.stateNode.containerInfo);break;case 10:var r=t.type._context,o=t.memoizedProps.value;Pt(L1,r._currentValue),r._currentValue=o;break;case 13:if(r=t.memoizedState,r!==null)return r.dehydrated!==null?(Pt(Ht,Ht.current&1),t.flags|=128,null):(n&t.child.childLanes)!==0?J_(e,t,n):(Pt(Ht,Ht.current&1),e=Ki(e,t,n),e!==null?e.sibling:null);Pt(Ht,Ht.current&1);break;case 19:if(r=(n&t.childLanes)!==0,(e.flags&128)!==0){if(r)return ek(e,t,n);t.flags|=128}if(o=t.memoizedState,o!==null&&(o.rendering=null,o.tail=null,o.lastEffect=null),Pt(Ht,Ht.current),r)break;return null;case 22:case 23:return t.lanes=0,Y_(e,t,n)}return Ki(e,t,n)}var tk,Ay,nk,rk;tk=function(e,t){for(var n=t.child;n!==null;){if(n.tag===5||n.tag===6)e.appendChild(n.stateNode);else if(n.tag!==4&&n.child!==null){n.child.return=n,n=n.child;continue}if(n===t)break;for(;n.sibling===null;){if(n.return===null||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}};Ay=function(){};nk=function(e,t,n,r){var o=e.memoizedProps;if(o!==r){e=t.stateNode,_s(oi.current);var i=null;switch(n){case"input":o=X2(e,o),r=X2(e,r),i=[];break;case"select":o=Ut({},o,{value:void 0}),r=Ut({},r,{value:void 0}),i=[];break;case"textarea":o=ey(e,o),r=ey(e,r),i=[];break;default:typeof o.onClick!="function"&&typeof r.onClick=="function"&&(e.onclick=w1)}ny(n,r);var s;n=null;for(f in o)if(!r.hasOwnProperty(f)&&o.hasOwnProperty(f)&&o[f]!=null)if(f==="style"){var u=o[f];for(s in u)u.hasOwnProperty(s)&&(n||(n={}),n[s]="")}else f!=="dangerouslySetInnerHTML"&&f!=="children"&&f!=="suppressContentEditableWarning"&&f!=="suppressHydrationWarning"&&f!=="autoFocus"&&(df.hasOwnProperty(f)?i||(i=[]):(i=i||[]).push(f,null));for(f in r){var c=r[f];if(u=o?.[f],r.hasOwnProperty(f)&&c!==u&&(c!=null||u!=null))if(f==="style")if(u){for(s in u)!u.hasOwnProperty(s)||c&&c.hasOwnProperty(s)||(n||(n={}),n[s]="");for(s in c)c.hasOwnProperty(s)&&u[s]!==c[s]&&(n||(n={}),n[s]=c[s])}else n||(i||(i=[]),i.push(f,n)),n=c;else f==="dangerouslySetInnerHTML"?(c=c?c.__html:void 0,u=u?u.__html:void 0,c!=null&&u!==c&&(i=i||[]).push(f,c)):f==="children"?typeof c!="string"&&typeof c!="number"||(i=i||[]).push(f,""+c):f!=="suppressContentEditableWarning"&&f!=="suppressHydrationWarning"&&(df.hasOwnProperty(f)?(c!=null&&f==="onScroll"&&It("scroll",e),i||u===c||(i=[])):(i=i||[]).push(f,c))}n&&(i=i||[]).push("style",n);var f=i;(t.updateQueue=f)&&(t.flags|=4)}};rk=function(e,t,n,r){n!==r&&(t.flags|=4)};function Cc(e,t){if(!Ft)switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;t!==null;)t.alternate!==null&&(n=t),t=t.sibling;n===null?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var r=null;n!==null;)n.alternate!==null&&(r=n),n=n.sibling;r===null?t||e.tail===null?e.tail=null:e.tail.sibling=null:r.sibling=null}}function Vn(e){var t=e.alternate!==null&&e.alternate.child===e.child,n=0,r=0;if(t)for(var o=e.child;o!==null;)n|=o.lanes|o.childLanes,r|=o.subtreeFlags&14680064,r|=o.flags&14680064,o.return=e,o=o.sibling;else for(o=e.child;o!==null;)n|=o.lanes|o.childLanes,r|=o.subtreeFlags,r|=o.flags,o.return=e,o=o.sibling;return e.subtreeFlags|=r,e.childLanes=n,t}function v$(e,t,n){var r=t.pendingProps;switch(R4(t),t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return Vn(t),null;case 1:return br(t.type)&&C1(),Vn(t),null;case 3:return r=t.stateNode,hu(),Ot(yr),Ot(Zn),H4(),r.pendingContext&&(r.context=r.pendingContext,r.pendingContext=null),(e===null||e.child===null)&&(Yp(t)?t.flags|=4:e===null||e.memoizedState.isDehydrated&&(t.flags&256)===0||(t.flags|=1024,Io!==null&&(zy(Io),Io=null))),Ay(e,t),Vn(t),null;case 5:W4(t);var o=_s(_f.current);if(n=t.type,e!==null&&t.stateNode!=null)nk(e,t,n,r,o),e.ref!==t.ref&&(t.flags|=512,t.flags|=2097152);else{if(!r){if(t.stateNode===null)throw Error(le(166));return Vn(t),null}if(e=_s(oi.current),Yp(t)){r=t.stateNode,n=t.type;var i=t.memoizedProps;switch(r[Jo]=t,r[wf]=i,e=(t.mode&1)!==0,n){case"dialog":It("cancel",r),It("close",r);break;case"iframe":case"object":case"embed":It("load",r);break;case"video":case"audio":for(o=0;o<Dc.length;o++)It(Dc[o],r);break;case"source":It("error",r);break;case"img":case"image":case"link":It("error",r),It("load",r);break;case"details":It("toggle",r);break;case"input":mx(r,i),It("invalid",r);break;case"select":r._wrapperState={wasMultiple:!!i.multiple},It("invalid",r);break;case"textarea":vx(r,i),It("invalid",r)}ny(n,i),o=null;for(var s in i)if(i.hasOwnProperty(s)){var u=i[s];s==="children"?typeof u=="string"?r.textContent!==u&&(i.suppressHydrationWarning!==!0&&qp(r.textContent,u,e),o=["children",u]):typeof u=="number"&&r.textContent!==""+u&&(i.suppressHydrationWarning!==!0&&qp(r.textContent,u,e),o=["children",""+u]):df.hasOwnProperty(s)&&u!=null&&s==="onScroll"&&It("scroll",r)}switch(n){case"input":Vp(r),gx(r,i,!0);break;case"textarea":Vp(r),yx(r);break;case"select":case"option":break;default:typeof i.onClick=="function"&&(r.onclick=w1)}r=o,t.updateQueue=r,r!==null&&(t.flags|=4)}else{s=o.nodeType===9?o:o.ownerDocument,e==="http://www.w3.org/1999/xhtml"&&(e=TC(n)),e==="http://www.w3.org/1999/xhtml"?n==="script"?(e=s.createElement("div"),e.innerHTML="<script><\/script>",e=e.removeChild(e.firstChild)):typeof r.is=="string"?e=s.createElement(n,{is:r.is}):(e=s.createElement(n),n==="select"&&(s=e,r.multiple?s.multiple=!0:r.size&&(s.size=r.size))):e=s.createElementNS(e,n),e[Jo]=t,e[wf]=r,tk(e,t,!1,!1),t.stateNode=e;e:{switch(s=ry(n,r),n){case"dialog":It("cancel",e),It("close",e),o=r;break;case"iframe":case"object":case"embed":It("load",e),o=r;break;case"video":case"audio":for(o=0;o<Dc.length;o++)It(Dc[o],e);o=r;break;case"source":It("error",e),o=r;break;case"img":case"image":case"link":It("error",e),It("load",e),o=r;break;case"details":It("toggle",e),o=r;break;case"input":mx(e,r),o=X2(e,r),It("invalid",e);break;case"option":o=r;break;case"select":e._wrapperState={wasMultiple:!!r.multiple},o=Ut({},r,{value:void 0}),It("invalid",e);break;case"textarea":vx(e,r),o=ey(e,r),It("invalid",e);break;default:o=r}ny(n,o),u=o;for(i in u)if(u.hasOwnProperty(i)){var c=u[i];i==="style"?OC(e,c):i==="dangerouslySetInnerHTML"?(c=c?c.__html:void 0,c!=null&&IC(e,c)):i==="children"?typeof c=="string"?(n!=="textarea"||c!=="")&&pf(e,c):typeof c=="number"&&pf(e,""+c):i!=="suppressContentEditableWarning"&&i!=="suppressHydrationWarning"&&i!=="autoFocus"&&(df.hasOwnProperty(i)?c!=null&&i==="onScroll"&&It("scroll",e):c!=null&&b4(e,i,c,s))}switch(n){case"input":Vp(e),gx(e,r,!1);break;case"textarea":Vp(e),yx(e);break;case"option":r.value!=null&&e.setAttribute("value",""+Wa(r.value));break;case"select":e.multiple=!!r.multiple,i=r.value,i!=null?ql(e,!!r.multiple,i,!1):r.defaultValue!=null&&ql(e,!!r.multiple,r.defaultValue,!0);break;default:typeof o.onClick=="function"&&(e.onclick=w1)}switch(n){case"button":case"input":case"select":case"textarea":r=!!r.autoFocus;break e;case"img":r=!0;break e;default:r=!1}}r&&(t.flags|=4)}t.ref!==null&&(t.flags|=512,t.flags|=2097152)}return Vn(t),null;case 6:if(e&&t.stateNode!=null)rk(e,t,e.memoizedProps,r);else{if(typeof r!="string"&&t.stateNode===null)throw Error(le(166));if(n=_s(_f.current),_s(oi.current),Yp(t)){if(r=t.stateNode,n=t.memoizedProps,r[Jo]=t,(i=r.nodeValue!==n)&&(e=Fr,e!==null))switch(e.tag){case 3:qp(r.nodeValue,n,(e.mode&1)!==0);break;case 5:e.memoizedProps.suppressHydrationWarning!==!0&&qp(r.nodeValue,n,(e.mode&1)!==0)}i&&(t.flags|=4)}else r=(n.nodeType===9?n:n.ownerDocument).createTextNode(r),r[Jo]=t,t.stateNode=r}return Vn(t),null;case 13:if(Ot(Ht),r=t.memoizedState,e===null||e.memoizedState!==null&&e.memoizedState.dehydrated!==null){if(Ft&&Dr!==null&&(t.mode&1)!==0&&(t.flags&128)===0)x_(),du(),t.flags|=98560,i=!1;else if(i=Yp(t),r!==null&&r.dehydrated!==null){if(e===null){if(!i)throw Error(le(318));if(i=t.memoizedState,i=i!==null?i.dehydrated:null,!i)throw Error(le(317));i[Jo]=t}else du(),(t.flags&128)===0&&(t.memoizedState=null),t.flags|=4;Vn(t),i=!1}else Io!==null&&(zy(Io),Io=null),i=!0;if(!i)return t.flags&65536?t:null}return(t.flags&128)!==0?(t.lanes=n,t):(r=r!==null,r!==(e!==null&&e.memoizedState!==null)&&r&&(t.child.flags|=8192,(t.mode&1)!==0&&(e===null||(Ht.current&1)!==0?hn===0&&(hn=3):t3())),t.updateQueue!==null&&(t.flags|=4),Vn(t),null);case 4:return hu(),Ay(e,t),e===null&&xf(t.stateNode.containerInfo),Vn(t),null;case 10:return F4(t.type._context),Vn(t),null;case 17:return br(t.type)&&C1(),Vn(t),null;case 19:if(Ot(Ht),i=t.memoizedState,i===null)return Vn(t),null;if(r=(t.flags&128)!==0,s=i.rendering,s===null)if(r)Cc(i,!1);else{if(hn!==0||e!==null&&(e.flags&128)!==0)for(e=t.child;e!==null;){if(s=T1(e),s!==null){for(t.flags|=128,Cc(i,!1),r=s.updateQueue,r!==null&&(t.updateQueue=r,t.flags|=4),t.subtreeFlags=0,r=n,n=t.child;n!==null;)i=n,e=r,i.flags&=14680066,s=i.alternate,s===null?(i.childLanes=0,i.lanes=e,i.child=null,i.subtreeFlags=0,i.memoizedProps=null,i.memoizedState=null,i.updateQueue=null,i.dependencies=null,i.stateNode=null):(i.childLanes=s.childLanes,i.lanes=s.lanes,i.child=s.child,i.subtreeFlags=0,i.deletions=null,i.memoizedProps=s.memoizedProps,i.memoizedState=s.memoizedState,i.updateQueue=s.updateQueue,i.type=s.type,e=s.dependencies,i.dependencies=e===null?null:{lanes:e.lanes,firstContext:e.firstContext}),n=n.sibling;return Pt(Ht,Ht.current&1|2),t.child}e=e.sibling}i.tail!==null&&nn()>gu&&(t.flags|=128,r=!0,Cc(i,!1),t.lanes=4194304)}else{if(!r)if(e=T1(s),e!==null){if(t.flags|=128,r=!0,n=e.updateQueue,n!==null&&(t.updateQueue=n,t.flags|=4),Cc(i,!0),i.tail===null&&i.tailMode==="hidden"&&!s.alternate&&!Ft)return Vn(t),null}else 2*nn()-i.renderingStartTime>gu&&n!==1073741824&&(t.flags|=128,r=!0,Cc(i,!1),t.lanes=4194304);i.isBackwards?(s.sibling=t.child,t.child=s):(n=i.last,n!==null?n.sibling=s:t.child=s,i.last=s)}return i.tail!==null?(t=i.tail,i.rendering=t,i.tail=t.sibling,i.renderingStartTime=nn(),t.sibling=null,n=Ht.current,Pt(Ht,r?n&1|2:n&1),t):(Vn(t),null);case 22:case 23:return e3(),r=t.memoizedState!==null,e!==null&&e.memoizedState!==null!==r&&(t.flags|=8192),r&&(t.mode&1)!==0?(Rr&1073741824)!==0&&(Vn(t),t.subtreeFlags&6&&(t.flags|=8192)):Vn(t),null;case 24:return null;case 25:return null}throw Error(le(156,t.tag))}function y$(e,t){switch(R4(t),t.tag){case 1:return br(t.type)&&C1(),e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 3:return hu(),Ot(yr),Ot(Zn),H4(),e=t.flags,(e&65536)!==0&&(e&128)===0?(t.flags=e&-65537|128,t):null;case 5:return W4(t),null;case 13:if(Ot(Ht),e=t.memoizedState,e!==null&&e.dehydrated!==null){if(t.alternate===null)throw Error(le(340));du()}return e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 19:return Ot(Ht),null;case 4:return hu(),null;case 10:return F4(t.type._context),null;case 22:case 23:return e3(),null;case 24:return null;default:return null}}var Jp=!1,jn=!1,b$=typeof WeakSet=="function"?WeakSet:Set,ke=null;function Wl(e,t){var n=e.ref;if(n!==null)if(typeof n=="function")try{n(null)}catch(r){Kt(e,t,r)}else n.current=null}function Ty(e,t,n){try{n()}catch(r){Kt(e,t,r)}}var sS=!1;function x$(e,t){if(py=b1,e=s_(),M4(e)){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{n=(n=e.ownerDocument)&&n.defaultView||window;var r=n.getSelection&&n.getSelection();if(r&&r.rangeCount!==0){n=r.anchorNode;var o=r.anchorOffset,i=r.focusNode;r=r.focusOffset;try{n.nodeType,i.nodeType}catch{n=null;break e}var s=0,u=-1,c=-1,f=0,d=0,h=e,m=null;t:for(;;){for(var g;h!==n||o!==0&&h.nodeType!==3||(u=s+o),h!==i||r!==0&&h.nodeType!==3||(c=s+r),h.nodeType===3&&(s+=h.nodeValue.length),(g=h.firstChild)!==null;)m=h,h=g;for(;;){if(h===e)break t;if(m===n&&++f===o&&(u=s),m===i&&++d===r&&(c=s),(g=h.nextSibling)!==null)break;h=m,m=h.parentNode}h=g}n=u===-1||c===-1?null:{start:u,end:c}}else n=null}n=n||{start:0,end:0}}else n=null;for(hy={focusedElem:e,selectionRange:n},b1=!1,ke=t;ke!==null;)if(t=ke,e=t.child,(t.subtreeFlags&1028)!==0&&e!==null)e.return=t,ke=e;else for(;ke!==null;){t=ke;try{var b=t.alternate;if((t.flags&1024)!==0)switch(t.tag){case 0:case 11:case 15:break;case 1:if(b!==null){var S=b.memoizedProps,E=b.memoizedState,w=t.stateNode,x=w.getSnapshotBeforeUpdate(t.elementType===t.type?S:Po(t.type,S),E);w.__reactInternalSnapshotBeforeUpdate=x}break;case 3:var _=t.stateNode.containerInfo;_.nodeType===1?_.textContent="":_.nodeType===9&&_.documentElement&&_.removeChild(_.documentElement);break;case 5:case 6:case 4:case 17:break;default:throw Error(le(163))}}catch(L){Kt(t,t.return,L)}if(e=t.sibling,e!==null){e.return=t.return,ke=e;break}ke=t.return}return b=sS,sS=!1,b}function Kc(e,t,n){var r=t.updateQueue;if(r=r!==null?r.lastEffect:null,r!==null){var o=r=r.next;do{if((o.tag&e)===e){var i=o.destroy;o.destroy=void 0,i!==void 0&&Ty(t,n,i)}o=o.next}while(o!==r)}}function A0(e,t){if(t=t.updateQueue,t=t!==null?t.lastEffect:null,t!==null){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function Iy(e){var t=e.ref;if(t!==null){var n=e.stateNode;switch(e.tag){case 5:e=n;break;default:e=n}typeof t=="function"?t(e):t.current=e}}function ok(e){var t=e.alternate;t!==null&&(e.alternate=null,ok(t)),e.child=null,e.deletions=null,e.sibling=null,e.tag===5&&(t=e.stateNode,t!==null&&(delete t[Jo],delete t[wf],delete t[vy],delete t[n$],delete t[r$])),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function ik(e){return e.tag===5||e.tag===3||e.tag===4}function lS(e){e:for(;;){for(;e.sibling===null;){if(e.return===null||ik(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;e.tag!==5&&e.tag!==6&&e.tag!==18;){if(e.flags&2||e.child===null||e.tag===4)continue e;e.child.return=e,e=e.child}if(!(e.flags&2))return e.stateNode}}function My(e,t,n){var r=e.tag;if(r===5||r===6)e=e.stateNode,t?n.nodeType===8?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(n.nodeType===8?(t=n.parentNode,t.insertBefore(e,n)):(t=n,t.appendChild(e)),n=n._reactRootContainer,n!=null||t.onclick!==null||(t.onclick=w1));else if(r!==4&&(e=e.child,e!==null))for(My(e,t,n),e=e.sibling;e!==null;)My(e,t,n),e=e.sibling}function Oy(e,t,n){var r=e.tag;if(r===5||r===6)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(r!==4&&(e=e.child,e!==null))for(Oy(e,t,n),e=e.sibling;e!==null;)Oy(e,t,n),e=e.sibling}var In=null,Ao=!1;function pa(e,t,n){for(n=n.child;n!==null;)ak(e,t,n),n=n.sibling}function ak(e,t,n){if(ri&&typeof ri.onCommitFiberUnmount=="function")try{ri.onCommitFiberUnmount(S0,n)}catch{}switch(n.tag){case 5:jn||Wl(n,t);case 6:var r=In,o=Ao;In=null,pa(e,t,n),In=r,Ao=o,In!==null&&(Ao?(e=In,n=n.stateNode,e.nodeType===8?e.parentNode.removeChild(n):e.removeChild(n)):In.removeChild(n.stateNode));break;case 18:In!==null&&(Ao?(e=In,n=n.stateNode,e.nodeType===8?Bv(e.parentNode,n):e.nodeType===1&&Bv(e,n),vf(e)):Bv(In,n.stateNode));break;case 4:r=In,o=Ao,In=n.stateNode.containerInfo,Ao=!0,pa(e,t,n),In=r,Ao=o;break;case 0:case 11:case 14:case 15:if(!jn&&(r=n.updateQueue,r!==null&&(r=r.lastEffect,r!==null))){o=r=r.next;do{var i=o,s=i.destroy;i=i.tag,s!==void 0&&((i&2)!==0||(i&4)!==0)&&Ty(n,t,s),o=o.next}while(o!==r)}pa(e,t,n);break;case 1:if(!jn&&(Wl(n,t),r=n.stateNode,typeof r.componentWillUnmount=="function"))try{r.props=n.memoizedProps,r.state=n.memoizedState,r.componentWillUnmount()}catch(u){Kt(n,t,u)}pa(e,t,n);break;case 21:pa(e,t,n);break;case 22:n.mode&1?(jn=(r=jn)||n.memoizedState!==null,pa(e,t,n),jn=r):pa(e,t,n);break;default:pa(e,t,n)}}function uS(e){var t=e.updateQueue;if(t!==null){e.updateQueue=null;var n=e.stateNode;n===null&&(n=e.stateNode=new b$),t.forEach(function(r){var o=A$.bind(null,e,r);n.has(r)||(n.add(r),r.then(o,o))})}}function Co(e,t){var n=t.deletions;if(n!==null)for(var r=0;r<n.length;r++){var o=n[r];try{var i=e,s=t,u=s;e:for(;u!==null;){switch(u.tag){case 5:In=u.stateNode,Ao=!1;break e;case 3:In=u.stateNode.containerInfo,Ao=!0;break e;case 4:In=u.stateNode.containerInfo,Ao=!0;break e}u=u.return}if(In===null)throw Error(le(160));ak(i,s,o),In=null,Ao=!1;var c=o.alternate;c!==null&&(c.return=null),o.return=null}catch(f){Kt(o,t,f)}}if(t.subtreeFlags&12854)for(t=t.child;t!==null;)sk(t,e),t=t.sibling}function sk(e,t){var n=e.alternate,r=e.flags;switch(e.tag){case 0:case 11:case 14:case 15:if(Co(t,e),Wo(e),r&4){try{Kc(3,e,e.return),A0(3,e)}catch(S){Kt(e,e.return,S)}try{Kc(5,e,e.return)}catch(S){Kt(e,e.return,S)}}break;case 1:Co(t,e),Wo(e),r&512&&n!==null&&Wl(n,n.return);break;case 5:if(Co(t,e),Wo(e),r&512&&n!==null&&Wl(n,n.return),e.flags&32){var o=e.stateNode;try{pf(o,"")}catch(S){Kt(e,e.return,S)}}if(r&4&&(o=e.stateNode,o!=null)){var i=e.memoizedProps,s=n!==null?n.memoizedProps:i,u=e.type,c=e.updateQueue;if(e.updateQueue=null,c!==null)try{u==="input"&&i.type==="radio"&&i.name!=null&&PC(o,i),ry(u,s);var f=ry(u,i);for(s=0;s<c.length;s+=2){var d=c[s],h=c[s+1];d==="style"?OC(o,h):d==="dangerouslySetInnerHTML"?IC(o,h):d==="children"?pf(o,h):b4(o,d,h,f)}switch(u){case"input":Q2(o,i);break;case"textarea":AC(o,i);break;case"select":var m=o._wrapperState.wasMultiple;o._wrapperState.wasMultiple=!!i.multiple;var g=i.value;g!=null?ql(o,!!i.multiple,g,!1):m!==!!i.multiple&&(i.defaultValue!=null?ql(o,!!i.multiple,i.defaultValue,!0):ql(o,!!i.multiple,i.multiple?[]:"",!1))}o[wf]=i}catch(S){Kt(e,e.return,S)}}break;case 6:if(Co(t,e),Wo(e),r&4){if(e.stateNode===null)throw Error(le(162));o=e.stateNode,i=e.memoizedProps;try{o.nodeValue=i}catch(S){Kt(e,e.return,S)}}break;case 3:if(Co(t,e),Wo(e),r&4&&n!==null&&n.memoizedState.isDehydrated)try{vf(t.containerInfo)}catch(S){Kt(e,e.return,S)}break;case 4:Co(t,e),Wo(e);break;case 13:Co(t,e),Wo(e),o=e.child,o.flags&8192&&(i=o.memoizedState!==null,o.stateNode.isHidden=i,!i||o.alternate!==null&&o.alternate.memoizedState!==null||(Q4=nn())),r&4&&uS(e);break;case 22:if(d=n!==null&&n.memoizedState!==null,e.mode&1?(jn=(f=jn)||d,Co(t,e),jn=f):Co(t,e),Wo(e),r&8192){if(f=e.memoizedState!==null,(e.stateNode.isHidden=f)&&!d&&(e.mode&1)!==0)for(ke=e,d=e.child;d!==null;){for(h=ke=d;ke!==null;){switch(m=ke,g=m.child,m.tag){case 0:case 11:case 14:case 15:Kc(4,m,m.return);break;case 1:Wl(m,m.return);var b=m.stateNode;if(typeof b.componentWillUnmount=="function"){r=m,n=m.return;try{t=r,b.props=t.memoizedProps,b.state=t.memoizedState,b.componentWillUnmount()}catch(S){Kt(r,n,S)}}break;case 5:Wl(m,m.return);break;case 22:if(m.memoizedState!==null){fS(h);continue}}g!==null?(g.return=m,ke=g):fS(h)}d=d.sibling}e:for(d=null,h=e;;){if(h.tag===5){if(d===null){d=h;try{o=h.stateNode,f?(i=o.style,typeof i.setProperty=="function"?i.setProperty("display","none","important"):i.display="none"):(u=h.stateNode,c=h.memoizedProps.style,s=c!=null&&c.hasOwnProperty("display")?c.display:null,u.style.display=MC("display",s))}catch(S){Kt(e,e.return,S)}}}else if(h.tag===6){if(d===null)try{h.stateNode.nodeValue=f?"":h.memoizedProps}catch(S){Kt(e,e.return,S)}}else if((h.tag!==22&&h.tag!==23||h.memoizedState===null||h===e)&&h.child!==null){h.child.return=h,h=h.child;continue}if(h===e)break e;for(;h.sibling===null;){if(h.return===null||h.return===e)break e;d===h&&(d=null),h=h.return}d===h&&(d=null),h.sibling.return=h.return,h=h.sibling}}break;case 19:Co(t,e),Wo(e),r&4&&uS(e);break;case 21:break;default:Co(t,e),Wo(e)}}function Wo(e){var t=e.flags;if(t&2){try{e:{for(var n=e.return;n!==null;){if(ik(n)){var r=n;break e}n=n.return}throw Error(le(160))}switch(r.tag){case 5:var o=r.stateNode;r.flags&32&&(pf(o,""),r.flags&=-33);var i=lS(e);Oy(e,i,o);break;case 3:case 4:var s=r.stateNode.containerInfo,u=lS(e);My(e,u,s);break;default:throw Error(le(161))}}catch(c){Kt(e,e.return,c)}e.flags&=-3}t&4096&&(e.flags&=-4097)}function S$(e,t,n){ke=e,lk(e)}function lk(e,t,n){for(var r=(e.mode&1)!==0;ke!==null;){var o=ke,i=o.child;if(o.tag===22&&r){var s=o.memoizedState!==null||Jp;if(!s){var u=o.alternate,c=u!==null&&u.memoizedState!==null||jn;u=Jp;var f=jn;if(Jp=s,(jn=c)&&!f)for(ke=o;ke!==null;)s=ke,c=s.child,s.tag===22&&s.memoizedState!==null?dS(o):c!==null?(c.return=s,ke=c):dS(o);for(;i!==null;)ke=i,lk(i),i=i.sibling;ke=o,Jp=u,jn=f}cS(e)}else(o.subtreeFlags&8772)!==0&&i!==null?(i.return=o,ke=i):cS(e)}}function cS(e){for(;ke!==null;){var t=ke;if((t.flags&8772)!==0){var n=t.alternate;try{if((t.flags&8772)!==0)switch(t.tag){case 0:case 11:case 15:jn||A0(5,t);break;case 1:var r=t.stateNode;if(t.flags&4&&!jn)if(n===null)r.componentDidMount();else{var o=t.elementType===t.type?n.memoizedProps:Po(t.type,n.memoizedProps);r.componentDidUpdate(o,n.memoizedState,r.__reactInternalSnapshotBeforeUpdate)}var i=t.updateQueue;i!==null&&Zx(t,i,r);break;case 3:var s=t.updateQueue;if(s!==null){if(n=null,t.child!==null)switch(t.child.tag){case 5:n=t.child.stateNode;break;case 1:n=t.child.stateNode}Zx(t,s,n)}break;case 5:var u=t.stateNode;if(n===null&&t.flags&4){n=u;var c=t.memoizedProps;switch(t.type){case"button":case"input":case"select":case"textarea":c.autoFocus&&n.focus();break;case"img":c.src&&(n.src=c.src)}}break;case 6:break;case 4:break;case 12:break;case 13:if(t.memoizedState===null){var f=t.alternate;if(f!==null){var d=f.memoizedState;if(d!==null){var h=d.dehydrated;h!==null&&vf(h)}}}break;case 19:case 17:case 21:case 22:case 23:case 25:break;default:throw Error(le(163))}jn||t.flags&512&&Iy(t)}catch(m){Kt(t,t.return,m)}}if(t===e){ke=null;break}if(n=t.sibling,n!==null){n.return=t.return,ke=n;break}ke=t.return}}function fS(e){for(;ke!==null;){var t=ke;if(t===e){ke=null;break}var n=t.sibling;if(n!==null){n.return=t.return,ke=n;break}ke=t.return}}function dS(e){for(;ke!==null;){var t=ke;try{switch(t.tag){case 0:case 11:case 15:var n=t.return;try{A0(4,t)}catch(c){Kt(t,n,c)}break;case 1:var r=t.stateNode;if(typeof r.componentDidMount=="function"){var o=t.return;try{r.componentDidMount()}catch(c){Kt(t,o,c)}}var i=t.return;try{Iy(t)}catch(c){Kt(t,i,c)}break;case 5:var s=t.return;try{Iy(t)}catch(c){Kt(t,s,c)}}}catch(c){Kt(t,t.return,c)}if(t===e){ke=null;break}var u=t.sibling;if(u!==null){u.return=t.return,ke=u;break}ke=t.return}}var w$=Math.ceil,O1=Ji.ReactCurrentDispatcher,Y4=Ji.ReactCurrentOwner,ao=Ji.ReactCurrentBatchConfig,et=0,Sn=null,un=null,On=0,Rr=0,Hl=Xa(0),hn=0,Pf=null,zs=0,T0=0,X4=0,qc=null,gr=null,Q4=0,gu=1/0,zi=null,R1=!1,Ry=null,Fa=null,eh=!1,Pa=null,N1=0,Yc=0,Ny=null,Wh=-1,Hh=0;function or(){return(et&6)!==0?nn():Wh!==-1?Wh:Wh=nn()}function Ba(e){return(e.mode&1)===0?1:(et&2)!==0&&On!==0?On&-On:i$.transition!==null?(Hh===0&&(Hh=UC()),Hh):(e=gt,e!==0||(e=window.event,e=e===void 0?16:QC(e.type)),e)}function Ro(e,t,n,r){if(50<Yc)throw Yc=0,Ny=null,Error(le(185));ad(e,n,r),((et&2)===0||e!==Sn)&&(e===Sn&&((et&2)===0&&(T0|=n),hn===4&&_a(e,On)),xr(e,r),n===1&&et===0&&(t.mode&1)===0&&(gu=nn()+500,E0&&Qa()))}function xr(e,t){var n=e.callbackNode;iB(e,t);var r=y1(e,e===Sn?On:0);if(r===0)n!==null&&Sx(n),e.callbackNode=null,e.callbackPriority=0;else if(t=r&-r,e.callbackPriority!==t){if(n!=null&&Sx(n),t===1)e.tag===0?o$(pS.bind(null,e)):v_(pS.bind(null,e)),e$(function(){(et&6)===0&&Qa()}),n=null;else{switch(GC(r)){case 1:n=_4;break;case 4:n=HC;break;case 16:n=v1;break;case 536870912:n=jC;break;default:n=v1}n=gk(n,uk.bind(null,e))}e.callbackPriority=t,e.callbackNode=n}}function uk(e,t){if(Wh=-1,Hh=0,(et&6)!==0)throw Error(le(327));var n=e.callbackNode;if(eu()&&e.callbackNode!==n)return null;var r=y1(e,e===Sn?On:0);if(r===0)return null;if((r&30)!==0||(r&e.expiredLanes)!==0||t)t=D1(e,r);else{t=r;var o=et;et|=2;var i=fk();(Sn!==e||On!==t)&&(zi=null,gu=nn()+500,Ps(e,t));do try{k$();break}catch(u){ck(e,u)}while(1);z4(),O1.current=i,et=o,un!==null?t=0:(Sn=null,On=0,t=hn)}if(t!==0){if(t===2&&(o=ly(e),o!==0&&(r=o,t=Dy(e,o))),t===1)throw n=Pf,Ps(e,0),_a(e,r),xr(e,nn()),n;if(t===6)_a(e,r);else{if(o=e.current.alternate,(r&30)===0&&!C$(o)&&(t=D1(e,r),t===2&&(i=ly(e),i!==0&&(r=i,t=Dy(e,i))),t===1))throw n=Pf,Ps(e,0),_a(e,r),xr(e,nn()),n;switch(e.finishedWork=o,e.finishedLanes=r,t){case 0:case 1:throw Error(le(345));case 2:ms(e,gr,zi);break;case 3:if(_a(e,r),(r&130023424)===r&&(t=Q4+500-nn(),10<t)){if(y1(e,0)!==0)break;if(o=e.suspendedLanes,(o&r)!==r){or(),e.pingedLanes|=e.suspendedLanes&o;break}e.timeoutHandle=gy(ms.bind(null,e,gr,zi),t);break}ms(e,gr,zi);break;case 4:if(_a(e,r),(r&4194240)===r)break;for(t=e.eventTimes,o=-1;0<r;){var s=31-Oo(r);i=1<<s,s=t[s],s>o&&(o=s),r&=~i}if(r=o,r=nn()-r,r=(120>r?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*w$(r/1960))-r,10<r){e.timeoutHandle=gy(ms.bind(null,e,gr,zi),r);break}ms(e,gr,zi);break;case 5:ms(e,gr,zi);break;default:throw Error(le(329))}}}return xr(e,nn()),e.callbackNode===n?uk.bind(null,e):null}function Dy(e,t){var n=qc;return e.current.memoizedState.isDehydrated&&(Ps(e,t).flags|=256),e=D1(e,t),e!==2&&(t=gr,gr=n,t!==null&&zy(t)),e}function zy(e){gr===null?gr=e:gr.push.apply(gr,e)}function C$(e){for(var t=e;;){if(t.flags&16384){var n=t.updateQueue;if(n!==null&&(n=n.stores,n!==null))for(var r=0;r<n.length;r++){var o=n[r],i=o.getSnapshot;o=o.value;try{if(!Do(i(),o))return!1}catch{return!1}}}if(n=t.child,t.subtreeFlags&16384&&n!==null)n.return=t,t=n;else{if(t===e)break;for(;t.sibling===null;){if(t.return===null||t.return===e)return!0;t=t.return}t.sibling.return=t.return,t=t.sibling}}return!0}function _a(e,t){for(t&=~X4,t&=~T0,e.suspendedLanes|=t,e.pingedLanes&=~t,e=e.expirationTimes;0<t;){var n=31-Oo(t),r=1<<n;e[n]=-1,t&=~r}}function pS(e){if((et&6)!==0)throw Error(le(327));eu();var t=y1(e,0);if((t&1)===0)return xr(e,nn()),null;var n=D1(e,t);if(e.tag!==0&&n===2){var r=ly(e);r!==0&&(t=r,n=Dy(e,r))}if(n===1)throw n=Pf,Ps(e,0),_a(e,t),xr(e,nn()),n;if(n===6)throw Error(le(345));return e.finishedWork=e.current.alternate,e.finishedLanes=t,ms(e,gr,zi),xr(e,nn()),null}function J4(e,t){var n=et;et|=1;try{return e(t)}finally{et=n,et===0&&(gu=nn()+500,E0&&Qa())}}function Fs(e){Pa!==null&&Pa.tag===0&&(et&6)===0&&eu();var t=et;et|=1;var n=ao.transition,r=gt;try{if(ao.transition=null,gt=1,e)return e()}finally{gt=r,ao.transition=n,et=t,(et&6)===0&&Qa()}}function e3(){Rr=Hl.current,Ot(Hl)}function Ps(e,t){e.finishedWork=null,e.finishedLanes=0;var n=e.timeoutHandle;if(n!==-1&&(e.timeoutHandle=-1,JB(n)),un!==null)for(n=un.return;n!==null;){var r=n;switch(R4(r),r.tag){case 1:r=r.type.childContextTypes,r!=null&&C1();break;case 3:hu(),Ot(yr),Ot(Zn),H4();break;case 5:W4(r);break;case 4:hu();break;case 13:Ot(Ht);break;case 19:Ot(Ht);break;case 10:F4(r.type._context);break;case 22:case 23:e3()}n=n.return}if(Sn=e,un=e=$a(e.current,null),On=Rr=t,hn=0,Pf=null,X4=T0=zs=0,gr=qc=null,Cs!==null){for(t=0;t<Cs.length;t++)if(n=Cs[t],r=n.interleaved,r!==null){n.interleaved=null;var o=r.next,i=n.pending;if(i!==null){var s=i.next;i.next=o,r.next=s}n.pending=r}Cs=null}return e}function ck(e,t){do{var n=un;try{if(z4(),Bh.current=M1,I1){for(var r=jt.memoizedState;r!==null;){var o=r.queue;o!==null&&(o.pending=null),r=r.next}I1=!1}if(Ds=0,xn=pn=jt=null,Zc=!1,kf=0,Y4.current=null,n===null||n.return===null){hn=1,Pf=t,un=null;break}e:{var i=e,s=n.return,u=n,c=t;if(t=On,u.flags|=32768,c!==null&&typeof c=="object"&&typeof c.then=="function"){var f=c,d=u,h=d.tag;if((d.mode&1)===0&&(h===0||h===11||h===15)){var m=d.alternate;m?(d.updateQueue=m.updateQueue,d.memoizedState=m.memoizedState,d.lanes=m.lanes):(d.updateQueue=null,d.memoizedState=null)}var g=eS(s);if(g!==null){g.flags&=-257,tS(g,s,u,i,t),g.mode&1&&Jx(i,f,t),t=g,c=f;var b=t.updateQueue;if(b===null){var S=new Set;S.add(c),t.updateQueue=S}else b.add(c);break e}else{if((t&1)===0){Jx(i,f,t),t3();break e}c=Error(le(426))}}else if(Ft&&u.mode&1){var E=eS(s);if(E!==null){(E.flags&65536)===0&&(E.flags|=256),tS(E,s,u,i,t),N4(mu(c,u));break e}}i=c=mu(c,u),hn!==4&&(hn=2),qc===null?qc=[i]:qc.push(i),i=s;do{switch(i.tag){case 3:i.flags|=65536,t&=-t,i.lanes|=t;var w=Z_(i,c,t);Gx(i,w);break e;case 1:u=c;var x=i.type,_=i.stateNode;if((i.flags&128)===0&&(typeof x.getDerivedStateFromError=="function"||_!==null&&typeof _.componentDidCatch=="function"&&(Fa===null||!Fa.has(_)))){i.flags|=65536,t&=-t,i.lanes|=t;var L=K_(i,u,t);Gx(i,L);break e}}i=i.return}while(i!==null)}pk(n)}catch(T){t=T,un===n&&n!==null&&(un=n=n.return);continue}break}while(1)}function fk(){var e=O1.current;return O1.current=M1,e===null?M1:e}function t3(){(hn===0||hn===3||hn===2)&&(hn=4),Sn===null||(zs&268435455)===0&&(T0&268435455)===0||_a(Sn,On)}function D1(e,t){var n=et;et|=2;var r=fk();(Sn!==e||On!==t)&&(zi=null,Ps(e,t));do try{_$();break}catch(o){ck(e,o)}while(1);if(z4(),et=n,O1.current=r,un!==null)throw Error(le(261));return Sn=null,On=0,hn}function _$(){for(;un!==null;)dk(un)}function k$(){for(;un!==null&&!YF();)dk(un)}function dk(e){var t=mk(e.alternate,e,Rr);e.memoizedProps=e.pendingProps,t===null?pk(e):un=t,Y4.current=null}function pk(e){var t=e;do{var n=t.alternate;if(e=t.return,(t.flags&32768)===0){if(n=v$(n,t,Rr),n!==null){un=n;return}}else{if(n=y$(n,t),n!==null){n.flags&=32767,un=n;return}if(e!==null)e.flags|=32768,e.subtreeFlags=0,e.deletions=null;else{hn=6,un=null;return}}if(t=t.sibling,t!==null){un=t;return}un=t=e}while(t!==null);hn===0&&(hn=5)}function ms(e,t,n){var r=gt,o=ao.transition;try{ao.transition=null,gt=1,E$(e,t,n,r)}finally{ao.transition=o,gt=r}return null}function E$(e,t,n,r){do eu();while(Pa!==null);if((et&6)!==0)throw Error(le(327));n=e.finishedWork;var o=e.finishedLanes;if(n===null)return null;if(e.finishedWork=null,e.finishedLanes=0,n===e.current)throw Error(le(177));e.callbackNode=null,e.callbackPriority=0;var i=n.lanes|n.childLanes;if(aB(e,i),e===Sn&&(un=Sn=null,On=0),(n.subtreeFlags&2064)===0&&(n.flags&2064)===0||eh||(eh=!0,gk(v1,function(){return eu(),null})),i=(n.flags&15990)!==0,(n.subtreeFlags&15990)!==0||i){i=ao.transition,ao.transition=null;var s=gt;gt=1;var u=et;et|=4,Y4.current=null,x$(e,n),sk(n,e),GB(hy),b1=!!py,hy=py=null,e.current=n,S$(n),XF(),et=u,gt=s,ao.transition=i}else e.current=n;if(eh&&(eh=!1,Pa=e,N1=o),i=e.pendingLanes,i===0&&(Fa=null),eB(n.stateNode),xr(e,nn()),t!==null)for(r=e.onRecoverableError,n=0;n<t.length;n++)o=t[n],r(o.value,{componentStack:o.stack,digest:o.digest});if(R1)throw R1=!1,e=Ry,Ry=null,e;return(N1&1)!==0&&e.tag!==0&&eu(),i=e.pendingLanes,(i&1)!==0?e===Ny?Yc++:(Yc=0,Ny=e):Yc=0,Qa(),null}function eu(){if(Pa!==null){var e=GC(N1),t=ao.transition,n=gt;try{if(ao.transition=null,gt=16>e?16:e,Pa===null)var r=!1;else{if(e=Pa,Pa=null,N1=0,(et&6)!==0)throw Error(le(331));var o=et;for(et|=4,ke=e.current;ke!==null;){var i=ke,s=i.child;if((ke.flags&16)!==0){var u=i.deletions;if(u!==null){for(var c=0;c<u.length;c++){var f=u[c];for(ke=f;ke!==null;){var d=ke;switch(d.tag){case 0:case 11:case 15:Kc(8,d,i)}var h=d.child;if(h!==null)h.return=d,ke=h;else for(;ke!==null;){d=ke;var m=d.sibling,g=d.return;if(ok(d),d===f){ke=null;break}if(m!==null){m.return=g,ke=m;break}ke=g}}}var b=i.alternate;if(b!==null){var S=b.child;if(S!==null){b.child=null;do{var E=S.sibling;S.sibling=null,S=E}while(S!==null)}}ke=i}}if((i.subtreeFlags&2064)!==0&&s!==null)s.return=i,ke=s;else e:for(;ke!==null;){if(i=ke,(i.flags&2048)!==0)switch(i.tag){case 0:case 11:case 15:Kc(9,i,i.return)}var w=i.sibling;if(w!==null){w.return=i.return,ke=w;break e}ke=i.return}}var x=e.current;for(ke=x;ke!==null;){s=ke;var _=s.child;if((s.subtreeFlags&2064)!==0&&_!==null)_.return=s,ke=_;else e:for(s=x;ke!==null;){if(u=ke,(u.flags&2048)!==0)try{switch(u.tag){case 0:case 11:case 15:A0(9,u)}}catch(T){Kt(u,u.return,T)}if(u===s){ke=null;break e}var L=u.sibling;if(L!==null){L.return=u.return,ke=L;break e}ke=u.return}}if(et=o,Qa(),ri&&typeof ri.onPostCommitFiberRoot=="function")try{ri.onPostCommitFiberRoot(S0,e)}catch{}r=!0}return r}finally{gt=n,ao.transition=t}}return!1}function hS(e,t,n){t=mu(n,t),t=Z_(e,t,1),e=za(e,t,1),t=or(),e!==null&&(ad(e,1,t),xr(e,t))}function Kt(e,t,n){if(e.tag===3)hS(e,e,n);else for(;t!==null;){if(t.tag===3){hS(t,e,n);break}else if(t.tag===1){var r=t.stateNode;if(typeof t.type.getDerivedStateFromError=="function"||typeof r.componentDidCatch=="function"&&(Fa===null||!Fa.has(r))){e=mu(n,e),e=K_(t,e,1),t=za(t,e,1),e=or(),t!==null&&(ad(t,1,e),xr(t,e));break}}t=t.return}}function L$(e,t,n){var r=e.pingCache;r!==null&&r.delete(t),t=or(),e.pingedLanes|=e.suspendedLanes&n,Sn===e&&(On&n)===n&&(hn===4||hn===3&&(On&130023424)===On&&500>nn()-Q4?Ps(e,0):X4|=n),xr(e,t)}function hk(e,t){t===0&&((e.mode&1)===0?t=1:(t=jp,jp<<=1,(jp&130023424)===0&&(jp=4194304)));var n=or();e=Zi(e,t),e!==null&&(ad(e,t,n),xr(e,n))}function P$(e){var t=e.memoizedState,n=0;t!==null&&(n=t.retryLane),hk(e,n)}function A$(e,t){var n=0;switch(e.tag){case 13:var r=e.stateNode,o=e.memoizedState;o!==null&&(n=o.retryLane);break;case 19:r=e.stateNode;break;default:throw Error(le(314))}r!==null&&r.delete(t),hk(e,n)}var mk;mk=function(e,t,n){if(e!==null)if(e.memoizedProps!==t.pendingProps||yr.current)vr=!0;else{if((e.lanes&n)===0&&(t.flags&128)===0)return vr=!1,g$(e,t,n);vr=(e.flags&131072)!==0}else vr=!1,Ft&&(t.flags&1048576)!==0&&y_(t,E1,t.index);switch(t.lanes=0,t.tag){case 2:var r=t.type;Vh(e,t),e=t.pendingProps;var o=fu(t,Zn.current);Jl(t,n),o=U4(null,t,r,e,o,n);var i=G4();return t.flags|=1,typeof o=="object"&&o!==null&&typeof o.render=="function"&&o.$$typeof===void 0?(t.tag=1,t.memoizedState=null,t.updateQueue=null,br(r)?(i=!0,_1(t)):i=!1,t.memoizedState=o.state!==null&&o.state!==void 0?o.state:null,$4(t),o.updater=L0,t.stateNode=o,o._reactInternals=t,Cy(t,r,e,n),t=Ey(null,t,r,!0,i,n)):(t.tag=0,Ft&&i&&O4(t),rr(null,t,o,n),t=t.child),t;case 16:r=t.elementType;e:{switch(Vh(e,t),e=t.pendingProps,o=r._init,r=o(r._payload),t.type=r,o=t.tag=I$(r),e=Po(r,e),o){case 0:t=ky(null,t,r,e,n);break e;case 1:t=oS(null,t,r,e,n);break e;case 11:t=nS(null,t,r,e,n);break e;case 14:t=rS(null,t,r,Po(r.type,e),n);break e}throw Error(le(306,r,""))}return t;case 0:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:Po(r,o),ky(e,t,r,o,n);case 1:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:Po(r,o),oS(e,t,r,o,n);case 3:e:{if(Q_(t),e===null)throw Error(le(387));r=t.pendingProps,i=t.memoizedState,o=i.element,w_(e,t),A1(t,r,null,n);var s=t.memoizedState;if(r=s.element,i.isDehydrated)if(i={element:r,isDehydrated:!1,cache:s.cache,pendingSuspenseBoundaries:s.pendingSuspenseBoundaries,transitions:s.transitions},t.updateQueue.baseState=i,t.memoizedState=i,t.flags&256){o=mu(Error(le(423)),t),t=iS(e,t,r,n,o);break e}else if(r!==o){o=mu(Error(le(424)),t),t=iS(e,t,r,n,o);break e}else for(Dr=Da(t.stateNode.containerInfo.firstChild),Fr=t,Ft=!0,Io=null,n=E_(t,null,r,n),t.child=n;n;)n.flags=n.flags&-3|4096,n=n.sibling;else{if(du(),r===o){t=Ki(e,t,n);break e}rr(e,t,r,n)}t=t.child}return t;case 5:return L_(t),e===null&&xy(t),r=t.type,o=t.pendingProps,i=e!==null?e.memoizedProps:null,s=o.children,my(r,o)?s=null:i!==null&&my(r,i)&&(t.flags|=32),X_(e,t),rr(e,t,s,n),t.child;case 6:return e===null&&xy(t),null;case 13:return J_(e,t,n);case 4:return V4(t,t.stateNode.containerInfo),r=t.pendingProps,e===null?t.child=pu(t,null,r,n):rr(e,t,r,n),t.child;case 11:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:Po(r,o),nS(e,t,r,o,n);case 7:return rr(e,t,t.pendingProps,n),t.child;case 8:return rr(e,t,t.pendingProps.children,n),t.child;case 12:return rr(e,t,t.pendingProps.children,n),t.child;case 10:e:{if(r=t.type._context,o=t.pendingProps,i=t.memoizedProps,s=o.value,Pt(L1,r._currentValue),r._currentValue=s,i!==null)if(Do(i.value,s)){if(i.children===o.children&&!yr.current){t=Ki(e,t,n);break e}}else for(i=t.child,i!==null&&(i.return=t);i!==null;){var u=i.dependencies;if(u!==null){s=i.child;for(var c=u.firstContext;c!==null;){if(c.context===r){if(i.tag===1){c=ji(-1,n&-n),c.tag=2;var f=i.updateQueue;if(f!==null){f=f.shared;var d=f.pending;d===null?c.next=c:(c.next=d.next,d.next=c),f.pending=c}}i.lanes|=n,c=i.alternate,c!==null&&(c.lanes|=n),Sy(i.return,n,t),u.lanes|=n;break}c=c.next}}else if(i.tag===10)s=i.type===t.type?null:i.child;else if(i.tag===18){if(s=i.return,s===null)throw Error(le(341));s.lanes|=n,u=s.alternate,u!==null&&(u.lanes|=n),Sy(s,n,t),s=i.sibling}else s=i.child;if(s!==null)s.return=i;else for(s=i;s!==null;){if(s===t){s=null;break}if(i=s.sibling,i!==null){i.return=s.return,s=i;break}s=s.return}i=s}rr(e,t,o.children,n),t=t.child}return t;case 9:return o=t.type,r=t.pendingProps.children,Jl(t,n),o=uo(o),r=r(o),t.flags|=1,rr(e,t,r,n),t.child;case 14:return r=t.type,o=Po(r,t.pendingProps),o=Po(r.type,o),rS(e,t,r,o,n);case 15:return q_(e,t,t.type,t.pendingProps,n);case 17:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:Po(r,o),Vh(e,t),t.tag=1,br(r)?(e=!0,_1(t)):e=!1,Jl(t,n),__(t,r,o),Cy(t,r,o,n),Ey(null,t,r,!0,e,n);case 19:return ek(e,t,n);case 22:return Y_(e,t,n)}throw Error(le(156,t.tag))};function gk(e,t){return WC(e,t)}function T$(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function io(e,t,n,r){return new T$(e,t,n,r)}function n3(e){return e=e.prototype,!(!e||!e.isReactComponent)}function I$(e){if(typeof e=="function")return n3(e)?1:0;if(e!=null){if(e=e.$$typeof,e===S4)return 11;if(e===w4)return 14}return 2}function $a(e,t){var n=e.alternate;return n===null?(n=io(e.tag,t,e.key,e.mode),n.elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=e.flags&14680064,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=t===null?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function jh(e,t,n,r,o,i){var s=2;if(r=e,typeof e=="function")n3(e)&&(s=1);else if(typeof e=="string")s=5;else e:switch(e){case Ol:return As(n.children,o,i,t);case x4:s=8,o|=8;break;case Z2:return e=io(12,n,t,o|2),e.elementType=Z2,e.lanes=i,e;case K2:return e=io(13,n,t,o),e.elementType=K2,e.lanes=i,e;case q2:return e=io(19,n,t,o),e.elementType=q2,e.lanes=i,e;case kC:return I0(n,o,i,t);default:if(typeof e=="object"&&e!==null)switch(e.$$typeof){case CC:s=10;break e;case _C:s=9;break e;case S4:s=11;break e;case w4:s=14;break e;case xa:s=16,r=null;break e}throw Error(le(130,e==null?e:typeof e,""))}return t=io(s,n,t,o),t.elementType=e,t.type=r,t.lanes=i,t}function As(e,t,n,r){return e=io(7,e,r,t),e.lanes=n,e}function I0(e,t,n,r){return e=io(22,e,r,t),e.elementType=kC,e.lanes=n,e.stateNode={isHidden:!1},e}function Zv(e,t,n){return e=io(6,e,null,t),e.lanes=n,e}function Kv(e,t,n){return t=io(4,e.children!==null?e.children:[],e.key,t),t.lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function M$(e,t,n,r,o){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=Pv(0),this.expirationTimes=Pv(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=Pv(0),this.identifierPrefix=r,this.onRecoverableError=o,this.mutableSourceEagerHydrationData=null}function r3(e,t,n,r,o,i,s,u,c){return e=new M$(e,t,n,u,c),t===1?(t=1,i===!0&&(t|=8)):t=0,i=io(3,null,null,t),e.current=i,i.stateNode=e,i.memoizedState={element:r,isDehydrated:n,cache:null,transitions:null,pendingSuspenseBoundaries:null},$4(i),e}function O$(e,t,n){var r=3<arguments.length&&arguments[3]!==void 0?arguments[3]:null;return{$$typeof:Ml,key:r==null?null:""+r,children:e,containerInfo:t,implementation:n}}function vk(e){if(!e)return Ha;e=e._reactInternals;e:{if(Ws(e)!==e||e.tag!==1)throw Error(le(170));var t=e;do{switch(t.tag){case 3:t=t.stateNode.context;break e;case 1:if(br(t.type)){t=t.stateNode.__reactInternalMemoizedMergedChildContext;break e}}t=t.return}while(t!==null);throw Error(le(171))}if(e.tag===1){var n=e.type;if(br(n))return g_(e,n,t)}return t}function yk(e,t,n,r,o,i,s,u,c){return e=r3(n,r,!0,e,o,i,s,u,c),e.context=vk(null),n=e.current,r=or(),o=Ba(n),i=ji(r,o),i.callback=t??null,za(n,i,o),e.current.lanes=o,ad(e,o,r),xr(e,r),e}function M0(e,t,n,r){var o=t.current,i=or(),s=Ba(o);return n=vk(n),t.context===null?t.context=n:t.pendingContext=n,t=ji(i,s),t.payload={element:e},r=r===void 0?null:r,r!==null&&(t.callback=r),e=za(o,t,s),e!==null&&(Ro(e,o,s,i),Fh(e,o,s)),s}function z1(e){if(e=e.current,!e.child)return null;switch(e.child.tag){case 5:return e.child.stateNode;default:return e.child.stateNode}}function mS(e,t){if(e=e.memoizedState,e!==null&&e.dehydrated!==null){var n=e.retryLane;e.retryLane=n!==0&&n<t?n:t}}function o3(e,t){mS(e,t),(e=e.alternate)&&mS(e,t)}function R$(){return null}var bk=typeof reportError=="function"?reportError:function(e){console.error(e)};function i3(e){this._internalRoot=e}O0.prototype.render=i3.prototype.render=function(e){var t=this._internalRoot;if(t===null)throw Error(le(409));M0(e,t,null,null)};O0.prototype.unmount=i3.prototype.unmount=function(){var e=this._internalRoot;if(e!==null){this._internalRoot=null;var t=e.containerInfo;Fs(function(){M0(null,e,null,null)}),t[Gi]=null}};function O0(e){this._internalRoot=e}O0.prototype.unstable_scheduleHydration=function(e){if(e){var t=qC();e={blockedOn:null,target:e,priority:t};for(var n=0;n<Ca.length&&t!==0&&t<Ca[n].priority;n++);Ca.splice(n,0,e),n===0&&XC(e)}};function a3(e){return!(!e||e.nodeType!==1&&e.nodeType!==9&&e.nodeType!==11)}function R0(e){return!(!e||e.nodeType!==1&&e.nodeType!==9&&e.nodeType!==11&&(e.nodeType!==8||e.nodeValue!==" react-mount-point-unstable "))}function gS(){}function N$(e,t,n,r,o){if(o){if(typeof r=="function"){var i=r;r=function(){var f=z1(s);i.call(f)}}var s=yk(t,r,e,0,null,!1,!1,"",gS);return e._reactRootContainer=s,e[Gi]=s.current,xf(e.nodeType===8?e.parentNode:e),Fs(),s}for(;o=e.lastChild;)e.removeChild(o);if(typeof r=="function"){var u=r;r=function(){var f=z1(c);u.call(f)}}var c=r3(e,0,!1,null,null,!1,!1,"",gS);return e._reactRootContainer=c,e[Gi]=c.current,xf(e.nodeType===8?e.parentNode:e),Fs(function(){M0(t,c,n,r)}),c}function N0(e,t,n,r,o){var i=n._reactRootContainer;if(i){var s=i;if(typeof o=="function"){var u=o;o=function(){var c=z1(s);u.call(c)}}M0(t,s,e,o)}else s=N$(n,t,e,o,r);return z1(s)}ZC=function(e){switch(e.tag){case 3:var t=e.stateNode;if(t.current.memoizedState.isDehydrated){var n=Nc(t.pendingLanes);n!==0&&(k4(t,n|1),xr(t,nn()),(et&6)===0&&(gu=nn()+500,Qa()))}break;case 13:Fs(function(){var r=Zi(e,1);if(r!==null){var o=or();Ro(r,e,1,o)}}),o3(e,1)}};E4=function(e){if(e.tag===13){var t=Zi(e,134217728);if(t!==null){var n=or();Ro(t,e,134217728,n)}o3(e,134217728)}};KC=function(e){if(e.tag===13){var t=Ba(e),n=Zi(e,t);if(n!==null){var r=or();Ro(n,e,t,r)}o3(e,t)}};qC=function(){return gt};YC=function(e,t){var n=gt;try{return gt=e,t()}finally{gt=n}};iy=function(e,t,n){switch(t){case"input":if(Q2(e,n),t=n.name,n.type==="radio"&&t!=null){for(n=e;n.parentNode;)n=n.parentNode;for(n=n.querySelectorAll("input[name="+JSON.stringify(""+t)+'][type="radio"]'),t=0;t<n.length;t++){var r=n[t];if(r!==e&&r.form===e.form){var o=k0(r);if(!o)throw Error(le(90));LC(r),Q2(r,o)}}}break;case"textarea":AC(e,n);break;case"select":t=n.value,t!=null&&ql(e,!!n.multiple,t,!1)}};DC=J4;zC=Fs;var D$={usingClientEntryPoint:!1,Events:[ld,zl,k0,RC,NC,J4]},_c={findFiberByHostInstance:ws,bundleType:0,version:"18.2.0",rendererPackageName:"react-dom"},z$={bundleType:_c.bundleType,version:_c.version,rendererPackageName:_c.rendererPackageName,rendererConfig:_c.rendererConfig,overrideHookState:null,overrideHookStateDeletePath:null,overrideHookStateRenamePath:null,overrideProps:null,overridePropsDeletePath:null,overridePropsRenamePath:null,setErrorHandler:null,setSuspenseHandler:null,scheduleUpdate:null,currentDispatcherRef:Ji.ReactCurrentDispatcher,findHostInstanceByFiber:function(e){return e=$C(e),e===null?null:e.stateNode},findFiberByHostInstance:_c.findFiberByHostInstance||R$,findHostInstancesForRefresh:null,scheduleRefresh:null,scheduleRoot:null,setRefreshHandler:null,getCurrentFiber:null,reconcilerVersion:"18.2.0-next-9e3b772b8-20220608"};if(typeof __REACT_DEVTOOLS_GLOBAL_HOOK__<"u"){var th=__REACT_DEVTOOLS_GLOBAL_HOOK__;if(!th.isDisabled&&th.supportsFiber)try{S0=th.inject(z$),ri=th}catch{}}Hr.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=D$;Hr.createPortal=function(e,t){var n=2<arguments.length&&arguments[2]!==void 0?arguments[2]:null;if(!a3(t))throw Error(le(200));return O$(e,t,null,n)};Hr.createRoot=function(e,t){if(!a3(e))throw Error(le(299));var n=!1,r="",o=bk;return t!=null&&(t.unstable_strictMode===!0&&(n=!0),t.identifierPrefix!==void 0&&(r=t.identifierPrefix),t.onRecoverableError!==void 0&&(o=t.onRecoverableError)),t=r3(e,1,!1,null,null,n,!1,r,o),e[Gi]=t.current,xf(e.nodeType===8?e.parentNode:e),new i3(t)};Hr.findDOMNode=function(e){if(e==null)return null;if(e.nodeType===1)return e;var t=e._reactInternals;if(t===void 0)throw typeof e.render=="function"?Error(le(188)):(e=Object.keys(e).join(","),Error(le(268,e)));return e=$C(t),e=e===null?null:e.stateNode,e};Hr.flushSync=function(e){return Fs(e)};Hr.hydrate=function(e,t,n){if(!R0(t))throw Error(le(200));return N0(null,e,t,!0,n)};Hr.hydrateRoot=function(e,t,n){if(!a3(e))throw Error(le(405));var r=n!=null&&n.hydratedSources||null,o=!1,i="",s=bk;if(n!=null&&(n.unstable_strictMode===!0&&(o=!0),n.identifierPrefix!==void 0&&(i=n.identifierPrefix),n.onRecoverableError!==void 0&&(s=n.onRecoverableError)),t=yk(t,null,e,1,n??null,o,!1,i,s),e[Gi]=t.current,xf(e),r)for(e=0;e<r.length;e++)n=r[e],o=n._getVersion,o=o(n._source),t.mutableSourceEagerHydrationData==null?t.mutableSourceEagerHydrationData=[n,o]:t.mutableSourceEagerHydrationData.push(n,o);return new O0(t)};Hr.render=function(e,t,n){if(!R0(t))throw Error(le(200));return N0(null,e,t,!1,n)};Hr.unmountComponentAtNode=function(e){if(!R0(e))throw Error(le(40));return e._reactRootContainer?(Fs(function(){N0(null,null,e,!1,function(){e._reactRootContainer=null,e[Gi]=null})}),!0):!1};Hr.unstable_batchedUpdates=J4;Hr.unstable_renderSubtreeIntoContainer=function(e,t,n,r){if(!R0(n))throw Error(le(200));if(e==null||e._reactInternals===void 0)throw Error(le(38));return N0(e,t,n,!1,r)};Hr.version="18.2.0-next-9e3b772b8-20220608";(function(e){function t(){if(!(typeof __REACT_DEVTOOLS_GLOBAL_HOOK__>"u"||typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE!="function"))try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(t)}catch(n){console.error(n)}}t(),e.exports=Hr})(Au);var vS=Au.exports;U2.createRoot=vS.createRoot,U2.hydrateRoot=vS.hydrateRoot;var ii=Boolean(globalThis?.document)?C.exports.useLayoutEffect:C.exports.useEffect,D0={exports:{}},z0={};/** + * @license React + * react-jsx-runtime.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var F$=C.exports,B$=Symbol.for("react.element"),$$=Symbol.for("react.fragment"),V$=Object.prototype.hasOwnProperty,W$=F$.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ReactCurrentOwner,H$={key:!0,ref:!0,__self:!0,__source:!0};function xk(e,t,n){var r,o={},i=null,s=null;n!==void 0&&(i=""+n),t.key!==void 0&&(i=""+t.key),t.ref!==void 0&&(s=t.ref);for(r in t)V$.call(t,r)&&!H$.hasOwnProperty(r)&&(o[r]=t[r]);if(e&&e.defaultProps)for(r in t=e.defaultProps,t)o[r]===void 0&&(o[r]=t[r]);return{$$typeof:B$,type:e,key:i,ref:s,props:o,_owner:W$.current}}z0.Fragment=$$;z0.jsx=xk;z0.jsxs=xk;(function(e){e.exports=z0})(D0);const wn=D0.exports.Fragment,y=D0.exports.jsx,q=D0.exports.jsxs;var s3=C.exports.createContext({});s3.displayName="ColorModeContext";function F0(){const e=C.exports.useContext(s3);if(e===void 0)throw new Error("useColorMode must be used within a ColorModeProvider");return e}function qv(e,t){const{colorMode:n}=F0();return n==="dark"?t:e}var nh={light:"chakra-ui-light",dark:"chakra-ui-dark"};function j$(e={}){const{preventTransition:t=!0}=e,n={setDataset:r=>{const o=t?n.preventTransition():void 0;document.documentElement.dataset.theme=r,document.documentElement.style.colorScheme=r,o?.()},setClassName(r){document.body.classList.add(r?nh.dark:nh.light),document.body.classList.remove(r?nh.light:nh.dark)},query(){return window.matchMedia("(prefers-color-scheme: dark)")},getSystemTheme(r){return n.query().matches??r==="dark"?"dark":"light"},addListener(r){const o=n.query(),i=s=>{r(s.matches?"dark":"light")};return typeof o.addListener=="function"?o.addListener(i):o.addEventListener("change",i),()=>{typeof o.removeListener=="function"?o.removeListener(i):o.removeEventListener("change",i)}},preventTransition(){const r=document.createElement("style");return r.appendChild(document.createTextNode("*{-webkit-transition:none!important;-moz-transition:none!important;-o-transition:none!important;-ms-transition:none!important;transition:none!important}")),document.head.appendChild(r),()=>{window.getComputedStyle(document.body),requestAnimationFrame(()=>{requestAnimationFrame(()=>{document.head.removeChild(r)})})}}};return n}var U$="chakra-ui-color-mode";function G$(e){return{ssr:!1,type:"localStorage",get(t){if(!globalThis?.document)return t;let n;try{n=localStorage.getItem(e)||t}catch{}return n||t},set(t){try{localStorage.setItem(e,t)}catch{}}}}var Z$=G$(U$),yS=()=>{};function bS(e,t){return e.type==="cookie"&&e.ssr?e.get(t):t}function Sk(e){const{value:t,children:n,options:{useSystemColorMode:r,initialColorMode:o,disableTransitionOnChange:i}={},colorModeManager:s=Z$}=e,u=o==="dark"?"dark":"light",[c,f]=C.exports.useState(()=>bS(s,u)),[d,h]=C.exports.useState(()=>bS(s)),{getSystemTheme:m,setClassName:g,setDataset:b,addListener:S}=C.exports.useMemo(()=>j$({preventTransition:i}),[i]),E=o==="system"&&!c?d:c,w=C.exports.useCallback(L=>{const T=L==="system"?m():L;f(T),g(T==="dark"),b(T),s.set(T)},[s,m,g,b]);ii(()=>{o==="system"&&h(m())},[]),C.exports.useEffect(()=>{const L=s.get();if(L){w(L);return}if(o==="system"){w("system");return}w(u)},[s,u,o,w]);const x=C.exports.useCallback(()=>{w(E==="dark"?"light":"dark")},[E,w]);C.exports.useEffect(()=>{if(!!r)return S(w)},[r,S,w]);const _=C.exports.useMemo(()=>({colorMode:t??E,toggleColorMode:t?yS:x,setColorMode:t?yS:w}),[E,x,w,t]);return y(s3.Provider,{value:_,children:n})}Sk.displayName="ColorModeProvider";var K$=new Set(["dark","light","system"]);function q$(e){let t=e;return K$.has(t)||(t="light"),t}function Y$(e={}){const{initialColorMode:t="light",type:n="localStorage",storageKey:r="chakra-ui-color-mode"}=e,o=q$(t),i=n==="cookie",s=`(function(){try{var a=function(o){var l="(prefers-color-scheme: dark)",v=window.matchMedia(l).matches?"dark":"light",e=o==="system"?v:o,d=document.documentElement,m=document.body,i="chakra-ui-light",n="chakra-ui-dark",s=e==="dark";return m.classList.add(s?n:i),m.classList.remove(s?i:n),d.style.colorScheme=e,d.dataset.theme=e,e},u=a,h="${o}",r="${r}",t=document.cookie.match(new RegExp("(^| )".concat(r,"=([^;]+)"))),c=t?t[2]:null;c?a(c):document.cookie="".concat(r,"=").concat(a(h),"; max-age=31536000; path=/")}catch(a){}})(); + `,u=`(function(){try{var a=function(c){var v="(prefers-color-scheme: dark)",h=window.matchMedia(v).matches?"dark":"light",r=c==="system"?h:c,o=document.documentElement,s=document.body,l="chakra-ui-light",d="chakra-ui-dark",i=r==="dark";return s.classList.add(i?d:l),s.classList.remove(i?l:d),o.style.colorScheme=r,o.dataset.theme=r,r},n=a,m="${o}",e="${r}",t=localStorage.getItem(e);t?a(t):localStorage.setItem(e,a(m))}catch(a){}})(); + `;return`!${i?s:u}`.trim()}function X$(e={}){return y("script",{id:"chakra-script",dangerouslySetInnerHTML:{__html:Y$(e)}})}var Fy={exports:{}};(function(e,t){var n=200,r="__lodash_hash_undefined__",o=800,i=16,s=9007199254740991,u="[object Arguments]",c="[object Array]",f="[object AsyncFunction]",d="[object Boolean]",h="[object Date]",m="[object Error]",g="[object Function]",b="[object GeneratorFunction]",S="[object Map]",E="[object Number]",w="[object Null]",x="[object Object]",_="[object Proxy]",L="[object RegExp]",T="[object Set]",R="[object String]",N="[object Undefined]",F="[object WeakMap]",K="[object ArrayBuffer]",W="[object DataView]",J="[object Float32Array]",ve="[object Float64Array]",xe="[object Int8Array]",he="[object Int16Array]",fe="[object Int32Array]",me="[object Uint8Array]",ne="[object Uint8ClampedArray]",H="[object Uint16Array]",Y="[object Uint32Array]",Z=/[\\^$.*+?()[\]{}|]/g,M=/^\[object .+?Constructor\]$/,j=/^(?:0|[1-9]\d*)$/,se={};se[J]=se[ve]=se[xe]=se[he]=se[fe]=se[me]=se[ne]=se[H]=se[Y]=!0,se[u]=se[c]=se[K]=se[d]=se[W]=se[h]=se[m]=se[g]=se[S]=se[E]=se[x]=se[L]=se[T]=se[R]=se[F]=!1;var ce=typeof Bi=="object"&&Bi&&Bi.Object===Object&&Bi,ye=typeof self=="object"&&self&&self.Object===Object&&self,be=ce||ye||Function("return this")(),Le=t&&!t.nodeType&&t,de=Le&&!0&&e&&!e.nodeType&&e,_e=de&&de.exports===Le,De=_e&&ce.process,st=function(){try{var I=de&&de.require&&de.require("util").types;return I||De&&De.binding&&De.binding("util")}catch{}}(),Tt=st&&st.isTypedArray;function gn(I,z,U){switch(U.length){case 0:return I.call(z);case 1:return I.call(z,U[0]);case 2:return I.call(z,U[0],U[1]);case 3:return I.call(z,U[0],U[1],U[2])}return I.apply(z,U)}function Se(I,z){for(var U=-1,we=Array(I);++U<I;)we[U]=z(U);return we}function Ie(I){return function(z){return I(z)}}function tt(I,z){return I?.[z]}function ze(I,z){return function(U){return I(z(U))}}var $t=Array.prototype,vn=Function.prototype,lt=Object.prototype,Ct=be["__core-js_shared__"],Qt=vn.toString,Gt=lt.hasOwnProperty,pe=function(){var I=/[^.]+$/.exec(Ct&&Ct.keys&&Ct.keys.IE_PROTO||"");return I?"Symbol(src)_1."+I:""}(),Ee=lt.toString,pt=Qt.call(Object),ut=RegExp("^"+Qt.call(Gt).replace(Z,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),ie=_e?be.Buffer:void 0,Ge=be.Symbol,Et=be.Uint8Array,kn=ie?ie.allocUnsafe:void 0,zn=ze(Object.getPrototypeOf,Object),kr=Object.create,Fo=lt.propertyIsEnumerable,bi=$t.splice,Kn=Ge?Ge.toStringTag:void 0,Zr=function(){try{var I=tl(Object,"defineProperty");return I({},"",{}),I}catch{}}(),ns=ie?ie.isBuffer:void 0,Xs=Math.max,Hm=Date.now,Hu=tl(be,"Map"),ta=tl(Object,"create"),jm=function(){function I(){}return function(z){if(!yo(z))return{};if(kr)return kr(z);I.prototype=z;var U=new I;return I.prototype=void 0,U}}();function xi(I){var z=-1,U=I==null?0:I.length;for(this.clear();++z<U;){var we=I[z];this.set(we[0],we[1])}}function Um(){this.__data__=ta?ta(null):{},this.size=0}function Gm(I){var z=this.has(I)&&delete this.__data__[I];return this.size-=z?1:0,z}function Md(I){var z=this.__data__;if(ta){var U=z[I];return U===r?void 0:U}return Gt.call(z,I)?z[I]:void 0}function Zm(I){var z=this.__data__;return ta?z[I]!==void 0:Gt.call(z,I)}function Km(I,z){var U=this.__data__;return this.size+=this.has(I)?0:1,U[I]=ta&&z===void 0?r:z,this}xi.prototype.clear=Um,xi.prototype.delete=Gm,xi.prototype.get=Md,xi.prototype.has=Zm,xi.prototype.set=Km;function vo(I){var z=-1,U=I==null?0:I.length;for(this.clear();++z<U;){var we=I[z];this.set(we[0],we[1])}}function ju(){this.__data__=[],this.size=0}function qm(I){var z=this.__data__,U=wi(z,I);if(U<0)return!1;var we=z.length-1;return U==we?z.pop():bi.call(z,U,1),--this.size,!0}function Uu(I){var z=this.__data__,U=wi(z,I);return U<0?void 0:z[U][1]}function Ym(I){return wi(this.__data__,I)>-1}function Xm(I,z){var U=this.__data__,we=wi(U,I);return we<0?(++this.size,U.push([I,z])):U[we][1]=z,this}vo.prototype.clear=ju,vo.prototype.delete=qm,vo.prototype.get=Uu,vo.prototype.has=Ym,vo.prototype.set=Xm;function na(I){var z=-1,U=I==null?0:I.length;for(this.clear();++z<U;){var we=I[z];this.set(we[0],we[1])}}function Qm(){this.size=0,this.__data__={hash:new xi,map:new(Hu||vo),string:new xi}}function Jm(I){var z=el(this,I).delete(I);return this.size-=z?1:0,z}function eg(I){return el(this,I).get(I)}function tg(I){return el(this,I).has(I)}function ng(I,z){var U=el(this,I),we=U.size;return U.set(I,z),this.size+=U.size==we?0:1,this}na.prototype.clear=Qm,na.prototype.delete=Jm,na.prototype.get=eg,na.prototype.has=tg,na.prototype.set=ng;function Si(I){var z=this.__data__=new vo(I);this.size=z.size}function rg(){this.__data__=new vo,this.size=0}function og(I){var z=this.__data__,U=z.delete(I);return this.size=z.size,U}function ig(I){return this.__data__.get(I)}function ag(I){return this.__data__.has(I)}function sg(I,z){var U=this.__data__;if(U instanceof vo){var we=U.__data__;if(!Hu||we.length<n-1)return we.push([I,z]),this.size=++U.size,this;U=this.__data__=new na(we)}return U.set(I,z),this.size=U.size,this}Si.prototype.clear=rg,Si.prototype.delete=og,Si.prototype.get=ig,Si.prototype.has=ag,Si.prototype.set=sg;function lg(I,z){var U=Ju(I),we=!U&&Qu(I),Ze=!U&&!we&&qd(I),ht=!U&&!we&&!Ze&&Xd(I),$e=U||we||Ze||ht,He=$e?Se(I.length,String):[],nt=He.length;for(var qn in I)(z||Gt.call(I,qn))&&!($e&&(qn=="length"||Ze&&(qn=="offset"||qn=="parent")||ht&&(qn=="buffer"||qn=="byteLength"||qn=="byteOffset")||Wd(qn,nt)))&&He.push(qn);return He}function ra(I,z,U){(U!==void 0&&!rl(I[z],U)||U===void 0&&!(z in I))&&Gu(I,z,U)}function ug(I,z,U){var we=I[z];(!(Gt.call(I,z)&&rl(we,U))||U===void 0&&!(z in I))&&Gu(I,z,U)}function wi(I,z){for(var U=I.length;U--;)if(rl(I[U][0],z))return U;return-1}function Gu(I,z,U){z=="__proto__"&&Zr?Zr(I,z,{configurable:!0,enumerable:!0,value:U,writable:!0}):I[z]=U}var cg=$d();function Qs(I){return I==null?I===void 0?N:w:Kn&&Kn in Object(I)?Vd(I):Ud(I)}function Zu(I){return rs(I)&&Qs(I)==u}function Od(I){if(!yo(I)||Xu(I))return!1;var z=ec(I)?ut:M;return z.test(Kd(I))}function Rd(I){return rs(I)&&Yd(I.length)&&!!se[Qs(I)]}function fg(I){if(!yo(I))return jd(I);var z=Ci(I),U=[];for(var we in I)we=="constructor"&&(z||!Gt.call(I,we))||U.push(we);return U}function Nd(I,z,U,we,Ze){I!==z&&cg(z,function(ht,$e){if(Ze||(Ze=new Si),yo(ht))dg(I,z,$e,U,Nd,we,Ze);else{var He=we?we(nl(I,$e),ht,$e+"",I,z,Ze):void 0;He===void 0&&(He=ht),ra(I,$e,He)}},Qd)}function dg(I,z,U,we,Ze,ht,$e){var He=nl(I,U),nt=nl(z,U),qn=$e.get(nt);if(qn){ra(I,U,qn);return}var En=ht?ht(He,nt,U+"",I,z,$e):void 0,yn=En===void 0;if(yn){var il=Ju(nt),al=!il&&qd(nt),tc=!il&&!al&&Xd(nt);En=nt,il||al||tc?Ju(He)?En=He:gg(He)?En=hg(He):al?(yn=!1,En=zd(nt,!0)):tc?(yn=!1,En=Ku(nt,!0)):En=[]:vg(nt)||Qu(nt)?(En=He,Qu(He)?En=yg(He):(!yo(He)||ec(He))&&(En=qu(nt))):yn=!1}yn&&($e.set(nt,En),Ze(En,nt,we,ht,$e),$e.delete(nt)),ra(I,U,En)}function pg(I,z){return Gd(mg(I,z,Jd),I+"")}var Dd=Zr?function(I,z){return Zr(I,"toString",{configurable:!0,enumerable:!1,value:St(z),writable:!0})}:Jd;function zd(I,z){if(z)return I.slice();var U=I.length,we=kn?kn(U):new I.constructor(U);return I.copy(we),we}function Fd(I){var z=new I.constructor(I.byteLength);return new Et(z).set(new Et(I)),z}function Ku(I,z){var U=z?Fd(I.buffer):I.buffer;return new I.constructor(U,I.byteOffset,I.length)}function hg(I,z){var U=-1,we=I.length;for(z||(z=Array(we));++U<we;)z[U]=I[U];return z}function Bd(I,z,U,we){var Ze=!U;U||(U={});for(var ht=-1,$e=z.length;++ht<$e;){var He=z[ht],nt=we?we(U[He],I[He],He,U,I):void 0;nt===void 0&&(nt=I[He]),Ze?Gu(U,He,nt):ug(U,He,nt)}return U}function Js(I){return pg(function(z,U){var we=-1,Ze=U.length,ht=Ze>1?U[Ze-1]:void 0,$e=Ze>2?U[2]:void 0;for(ht=I.length>3&&typeof ht=="function"?(Ze--,ht):void 0,$e&&Hd(U[0],U[1],$e)&&(ht=Ze<3?void 0:ht,Ze=1),z=Object(z);++we<Ze;){var He=U[we];He&&I(z,He,we,ht)}return z})}function $d(I){return function(z,U,we){for(var Ze=-1,ht=Object(z),$e=we(z),He=$e.length;He--;){var nt=$e[I?He:++Ze];if(U(ht[nt],nt,ht)===!1)break}return z}}function el(I,z){var U=I.__data__;return Yu(z)?U[typeof z=="string"?"string":"hash"]:U.map}function tl(I,z){var U=tt(I,z);return Od(U)?U:void 0}function Vd(I){var z=Gt.call(I,Kn),U=I[Kn];try{I[Kn]=void 0;var we=!0}catch{}var Ze=Ee.call(I);return we&&(z?I[Kn]=U:delete I[Kn]),Ze}function qu(I){return typeof I.constructor=="function"&&!Ci(I)?jm(zn(I)):{}}function Wd(I,z){var U=typeof I;return z=z??s,!!z&&(U=="number"||U!="symbol"&&j.test(I))&&I>-1&&I%1==0&&I<z}function Hd(I,z,U){if(!yo(U))return!1;var we=typeof z;return(we=="number"?ol(U)&&Wd(z,U.length):we=="string"&&z in U)?rl(U[z],I):!1}function Yu(I){var z=typeof I;return z=="string"||z=="number"||z=="symbol"||z=="boolean"?I!=="__proto__":I===null}function Xu(I){return!!pe&&pe in I}function Ci(I){var z=I&&I.constructor,U=typeof z=="function"&&z.prototype||lt;return I===U}function jd(I){var z=[];if(I!=null)for(var U in Object(I))z.push(U);return z}function Ud(I){return Ee.call(I)}function mg(I,z,U){return z=Xs(z===void 0?I.length-1:z,0),function(){for(var we=arguments,Ze=-1,ht=Xs(we.length-z,0),$e=Array(ht);++Ze<ht;)$e[Ze]=we[z+Ze];Ze=-1;for(var He=Array(z+1);++Ze<z;)He[Ze]=we[Ze];return He[z]=U($e),gn(I,this,He)}}function nl(I,z){if(!(z==="constructor"&&typeof I[z]=="function")&&z!="__proto__")return I[z]}var Gd=Zd(Dd);function Zd(I){var z=0,U=0;return function(){var we=Hm(),Ze=i-(we-U);if(U=we,Ze>0){if(++z>=o)return arguments[0]}else z=0;return I.apply(void 0,arguments)}}function Kd(I){if(I!=null){try{return Qt.call(I)}catch{}try{return I+""}catch{}}return""}function rl(I,z){return I===z||I!==I&&z!==z}var Qu=Zu(function(){return arguments}())?Zu:function(I){return rs(I)&&Gt.call(I,"callee")&&!Fo.call(I,"callee")},Ju=Array.isArray;function ol(I){return I!=null&&Yd(I.length)&&!ec(I)}function gg(I){return rs(I)&&ol(I)}var qd=ns||bg;function ec(I){if(!yo(I))return!1;var z=Qs(I);return z==g||z==b||z==f||z==_}function Yd(I){return typeof I=="number"&&I>-1&&I%1==0&&I<=s}function yo(I){var z=typeof I;return I!=null&&(z=="object"||z=="function")}function rs(I){return I!=null&&typeof I=="object"}function vg(I){if(!rs(I)||Qs(I)!=x)return!1;var z=zn(I);if(z===null)return!0;var U=Gt.call(z,"constructor")&&z.constructor;return typeof U=="function"&&U instanceof U&&Qt.call(U)==pt}var Xd=Tt?Ie(Tt):Rd;function yg(I){return Bd(I,Qd(I))}function Qd(I){return ol(I)?lg(I,!0):fg(I)}var _t=Js(function(I,z,U,we){Nd(I,z,U,we)});function St(I){return function(){return I}}function Jd(I){return I}function bg(){return!1}e.exports=_t})(Fy,Fy.exports);const ja=Fy.exports;function ni(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}function jl(e,...t){return Q$(e)?e(...t):e}var Q$=e=>typeof e=="function",J$=e=>/!(important)?$/.test(e),xS=e=>typeof e=="string"?e.replace(/!(important)?$/,"").trim():e,By=(e,t)=>n=>{const r=String(t),o=J$(r),i=xS(r),s=e?`${e}.${i}`:i;let u=ni(n.__cssMap)&&s in n.__cssMap?n.__cssMap[s].varRef:t;return u=xS(u),o?`${u} !important`:u};function Af(e){const{scale:t,transform:n,compose:r}=e;return(i,s)=>{const u=By(t,i)(s);let c=n?.(u,s)??u;return r&&(c=r(c,s)),c}}var rh=(...e)=>t=>e.reduce((n,r)=>r(n),t);function _o(e,t){return n=>{const r={property:n,scale:e};return r.transform=Af({scale:e,transform:t}),r}}var eV=({rtl:e,ltr:t})=>n=>n.direction==="rtl"?e:t;function tV(e){const{property:t,scale:n,transform:r}=e;return{scale:n,property:eV(t),transform:n?Af({scale:n,compose:r}):r}}var wk=["rotate(var(--chakra-rotate, 0))","scaleX(var(--chakra-scale-x, 1))","scaleY(var(--chakra-scale-y, 1))","skewX(var(--chakra-skew-x, 0))","skewY(var(--chakra-skew-y, 0))"];function nV(){return["translateX(var(--chakra-translate-x, 0))","translateY(var(--chakra-translate-y, 0))",...wk].join(" ")}function rV(){return["translate3d(var(--chakra-translate-x, 0), var(--chakra-translate-y, 0), 0)",...wk].join(" ")}var oV={"--chakra-blur":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-brightness":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-contrast":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-grayscale":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-hue-rotate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-invert":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-saturate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-sepia":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-drop-shadow":"var(--chakra-empty,/*!*/ /*!*/)",filter:["var(--chakra-blur)","var(--chakra-brightness)","var(--chakra-contrast)","var(--chakra-grayscale)","var(--chakra-hue-rotate)","var(--chakra-invert)","var(--chakra-saturate)","var(--chakra-sepia)","var(--chakra-drop-shadow)"].join(" ")},iV={backdropFilter:["var(--chakra-backdrop-blur)","var(--chakra-backdrop-brightness)","var(--chakra-backdrop-contrast)","var(--chakra-backdrop-grayscale)","var(--chakra-backdrop-hue-rotate)","var(--chakra-backdrop-invert)","var(--chakra-backdrop-opacity)","var(--chakra-backdrop-saturate)","var(--chakra-backdrop-sepia)"].join(" "),"--chakra-backdrop-blur":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-brightness":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-contrast":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-grayscale":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-hue-rotate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-invert":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-opacity":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-saturate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-sepia":"var(--chakra-empty,/*!*/ /*!*/)"};function aV(e){return{"--chakra-ring-offset-shadow":"var(--chakra-ring-inset) 0 0 0 var(--chakra-ring-offset-width) var(--chakra-ring-offset-color)","--chakra-ring-shadow":"var(--chakra-ring-inset) 0 0 0 calc(var(--chakra-ring-width) + var(--chakra-ring-offset-width)) var(--chakra-ring-color)","--chakra-ring-width":e,boxShadow:["var(--chakra-ring-offset-shadow)","var(--chakra-ring-shadow)","var(--chakra-shadow, 0 0 #0000)"].join(", ")}}var sV={"row-reverse":{space:"--chakra-space-x-reverse",divide:"--chakra-divide-x-reverse"},"column-reverse":{space:"--chakra-space-y-reverse",divide:"--chakra-divide-y-reverse"}},Ck="& > :not(style) ~ :not(style)",lV={[Ck]:{marginInlineStart:"calc(var(--chakra-space-x) * calc(1 - var(--chakra-space-x-reverse)))",marginInlineEnd:"calc(var(--chakra-space-x) * var(--chakra-space-x-reverse))"}},uV={[Ck]:{marginTop:"calc(var(--chakra-space-y) * calc(1 - var(--chakra-space-y-reverse)))",marginBottom:"calc(var(--chakra-space-y) * var(--chakra-space-y-reverse))"}},$y={"to-t":"to top","to-tr":"to top right","to-r":"to right","to-br":"to bottom right","to-b":"to bottom","to-bl":"to bottom left","to-l":"to left","to-tl":"to top left"},cV=new Set(Object.values($y)),_k=new Set(["none","-moz-initial","inherit","initial","revert","unset"]),fV=e=>e.trim();function dV(e,t){var n;if(e==null||_k.has(e))return e;const r=/(?<type>^[a-z-A-Z]+)\((?<values>(.*))\)/g,{type:o,values:i}=((n=r.exec(e))==null?void 0:n.groups)??{};if(!o||!i)return e;const s=o.includes("-gradient")?o:`${o}-gradient`,[u,...c]=i.split(",").map(fV).filter(Boolean);if(c?.length===0)return e;const f=u in $y?$y[u]:u;c.unshift(f);const d=c.map(h=>{if(cV.has(h))return h;const m=h.indexOf(" "),[g,b]=m!==-1?[h.substr(0,m),h.substr(m+1)]:[h],S=kk(b)?b:b&&b.split(" "),E=`colors.${g}`,w=E in t.__cssMap?t.__cssMap[E].varRef:g;return S?[w,...Array.isArray(S)?S:[S]].join(" "):w});return`${s}(${d.join(", ")})`}var kk=e=>typeof e=="string"&&e.includes("(")&&e.includes(")"),pV=(e,t)=>dV(e,t??{});function hV(e){return/^var\(--.+\)$/.test(e)}var mV=e=>{const t=parseFloat(e.toString()),n=e.toString().replace(String(t),"");return{unitless:!n,value:t,unit:n}},Ho=e=>t=>`${e}(${t})`,Je={filter(e){return e!=="auto"?e:oV},backdropFilter(e){return e!=="auto"?e:iV},ring(e){return aV(Je.px(e))},bgClip(e){return e==="text"?{color:"transparent",backgroundClip:"text"}:{backgroundClip:e}},transform(e){return e==="auto"?nV():e==="auto-gpu"?rV():e},vh(e){return e==="$100vh"?"var(--chakra-vh)":e},px(e){if(e==null)return e;const{unitless:t}=mV(e);return t||typeof e=="number"?`${e}px`:e},fraction(e){return typeof e!="number"||e>1?e:`${e*100}%`},float(e,t){const n={left:"right",right:"left"};return t.direction==="rtl"?n[e]:e},degree(e){if(hV(e)||e==null)return e;const t=typeof e=="string"&&!e.endsWith("deg");return typeof e=="number"||t?`${e}deg`:e},gradient:pV,blur:Ho("blur"),opacity:Ho("opacity"),brightness:Ho("brightness"),contrast:Ho("contrast"),dropShadow:Ho("drop-shadow"),grayscale:Ho("grayscale"),hueRotate:Ho("hue-rotate"),invert:Ho("invert"),saturate:Ho("saturate"),sepia:Ho("sepia"),bgImage(e){return e==null||kk(e)||_k.has(e)?e:`url(${e})`},outline(e){const t=String(e)==="0"||String(e)==="none";return e!==null&&t?{outline:"2px solid transparent",outlineOffset:"2px"}:{outline:e}},flexDirection(e){const{space:t,divide:n}=sV[e]??{},r={flexDirection:e};return t&&(r[t]=1),n&&(r[n]=1),r}},B={borderWidths:_o("borderWidths"),borderStyles:_o("borderStyles"),colors:_o("colors"),borders:_o("borders"),radii:_o("radii",Je.px),space:_o("space",rh(Je.vh,Je.px)),spaceT:_o("space",rh(Je.vh,Je.px)),degreeT(e){return{property:e,transform:Je.degree}},prop(e,t,n){return{property:e,scale:t,...t&&{transform:Af({scale:t,transform:n})}}},propT(e,t){return{property:e,transform:t}},sizes:_o("sizes",rh(Je.vh,Je.px)),sizesT:_o("sizes",rh(Je.vh,Je.fraction)),shadows:_o("shadows"),logical:tV,blur:_o("blur",Je.blur)},Uh={background:B.colors("background"),backgroundColor:B.colors("backgroundColor"),backgroundImage:B.propT("backgroundImage",Je.bgImage),backgroundSize:!0,backgroundPosition:!0,backgroundRepeat:!0,backgroundAttachment:!0,backgroundClip:{transform:Je.bgClip},bgSize:B.prop("backgroundSize"),bgPosition:B.prop("backgroundPosition"),bg:B.colors("background"),bgColor:B.colors("backgroundColor"),bgPos:B.prop("backgroundPosition"),bgRepeat:B.prop("backgroundRepeat"),bgAttachment:B.prop("backgroundAttachment"),bgGradient:B.propT("backgroundImage",Je.gradient),bgClip:{transform:Je.bgClip}};Object.assign(Uh,{bgImage:Uh.backgroundImage,bgImg:Uh.backgroundImage});var ot={border:B.borders("border"),borderWidth:B.borderWidths("borderWidth"),borderStyle:B.borderStyles("borderStyle"),borderColor:B.colors("borderColor"),borderRadius:B.radii("borderRadius"),borderTop:B.borders("borderTop"),borderBlockStart:B.borders("borderBlockStart"),borderTopLeftRadius:B.radii("borderTopLeftRadius"),borderStartStartRadius:B.logical({scale:"radii",property:{ltr:"borderTopLeftRadius",rtl:"borderTopRightRadius"}}),borderEndStartRadius:B.logical({scale:"radii",property:{ltr:"borderBottomLeftRadius",rtl:"borderBottomRightRadius"}}),borderTopRightRadius:B.radii("borderTopRightRadius"),borderStartEndRadius:B.logical({scale:"radii",property:{ltr:"borderTopRightRadius",rtl:"borderTopLeftRadius"}}),borderEndEndRadius:B.logical({scale:"radii",property:{ltr:"borderBottomRightRadius",rtl:"borderBottomLeftRadius"}}),borderRight:B.borders("borderRight"),borderInlineEnd:B.borders("borderInlineEnd"),borderBottom:B.borders("borderBottom"),borderBlockEnd:B.borders("borderBlockEnd"),borderBottomLeftRadius:B.radii("borderBottomLeftRadius"),borderBottomRightRadius:B.radii("borderBottomRightRadius"),borderLeft:B.borders("borderLeft"),borderInlineStart:{property:"borderInlineStart",scale:"borders"},borderInlineStartRadius:B.logical({scale:"radii",property:{ltr:["borderTopLeftRadius","borderBottomLeftRadius"],rtl:["borderTopRightRadius","borderBottomRightRadius"]}}),borderInlineEndRadius:B.logical({scale:"radii",property:{ltr:["borderTopRightRadius","borderBottomRightRadius"],rtl:["borderTopLeftRadius","borderBottomLeftRadius"]}}),borderX:B.borders(["borderLeft","borderRight"]),borderInline:B.borders("borderInline"),borderY:B.borders(["borderTop","borderBottom"]),borderBlock:B.borders("borderBlock"),borderTopWidth:B.borderWidths("borderTopWidth"),borderBlockStartWidth:B.borderWidths("borderBlockStartWidth"),borderTopColor:B.colors("borderTopColor"),borderBlockStartColor:B.colors("borderBlockStartColor"),borderTopStyle:B.borderStyles("borderTopStyle"),borderBlockStartStyle:B.borderStyles("borderBlockStartStyle"),borderBottomWidth:B.borderWidths("borderBottomWidth"),borderBlockEndWidth:B.borderWidths("borderBlockEndWidth"),borderBottomColor:B.colors("borderBottomColor"),borderBlockEndColor:B.colors("borderBlockEndColor"),borderBottomStyle:B.borderStyles("borderBottomStyle"),borderBlockEndStyle:B.borderStyles("borderBlockEndStyle"),borderLeftWidth:B.borderWidths("borderLeftWidth"),borderInlineStartWidth:B.borderWidths("borderInlineStartWidth"),borderLeftColor:B.colors("borderLeftColor"),borderInlineStartColor:B.colors("borderInlineStartColor"),borderLeftStyle:B.borderStyles("borderLeftStyle"),borderInlineStartStyle:B.borderStyles("borderInlineStartStyle"),borderRightWidth:B.borderWidths("borderRightWidth"),borderInlineEndWidth:B.borderWidths("borderInlineEndWidth"),borderRightColor:B.colors("borderRightColor"),borderInlineEndColor:B.colors("borderInlineEndColor"),borderRightStyle:B.borderStyles("borderRightStyle"),borderInlineEndStyle:B.borderStyles("borderInlineEndStyle"),borderTopRadius:B.radii(["borderTopLeftRadius","borderTopRightRadius"]),borderBottomRadius:B.radii(["borderBottomLeftRadius","borderBottomRightRadius"]),borderLeftRadius:B.radii(["borderTopLeftRadius","borderBottomLeftRadius"]),borderRightRadius:B.radii(["borderTopRightRadius","borderBottomRightRadius"])};Object.assign(ot,{rounded:ot.borderRadius,roundedTop:ot.borderTopRadius,roundedTopLeft:ot.borderTopLeftRadius,roundedTopRight:ot.borderTopRightRadius,roundedTopStart:ot.borderStartStartRadius,roundedTopEnd:ot.borderStartEndRadius,roundedBottom:ot.borderBottomRadius,roundedBottomLeft:ot.borderBottomLeftRadius,roundedBottomRight:ot.borderBottomRightRadius,roundedBottomStart:ot.borderEndStartRadius,roundedBottomEnd:ot.borderEndEndRadius,roundedLeft:ot.borderLeftRadius,roundedRight:ot.borderRightRadius,roundedStart:ot.borderInlineStartRadius,roundedEnd:ot.borderInlineEndRadius,borderStart:ot.borderInlineStart,borderEnd:ot.borderInlineEnd,borderTopStartRadius:ot.borderStartStartRadius,borderTopEndRadius:ot.borderStartEndRadius,borderBottomStartRadius:ot.borderEndStartRadius,borderBottomEndRadius:ot.borderEndEndRadius,borderStartRadius:ot.borderInlineStartRadius,borderEndRadius:ot.borderInlineEndRadius,borderStartWidth:ot.borderInlineStartWidth,borderEndWidth:ot.borderInlineEndWidth,borderStartColor:ot.borderInlineStartColor,borderEndColor:ot.borderInlineEndColor,borderStartStyle:ot.borderInlineStartStyle,borderEndStyle:ot.borderInlineEndStyle});var gV={color:B.colors("color"),textColor:B.colors("color"),fill:B.colors("fill"),stroke:B.colors("stroke")},Vy={boxShadow:B.shadows("boxShadow"),mixBlendMode:!0,blendMode:B.prop("mixBlendMode"),backgroundBlendMode:!0,bgBlendMode:B.prop("backgroundBlendMode"),opacity:!0};Object.assign(Vy,{shadow:Vy.boxShadow});var vV={filter:{transform:Je.filter},blur:B.blur("--chakra-blur"),brightness:B.propT("--chakra-brightness",Je.brightness),contrast:B.propT("--chakra-contrast",Je.contrast),hueRotate:B.degreeT("--chakra-hue-rotate"),invert:B.propT("--chakra-invert",Je.invert),saturate:B.propT("--chakra-saturate",Je.saturate),dropShadow:B.propT("--chakra-drop-shadow",Je.dropShadow),backdropFilter:{transform:Je.backdropFilter},backdropBlur:B.blur("--chakra-backdrop-blur"),backdropBrightness:B.propT("--chakra-backdrop-brightness",Je.brightness),backdropContrast:B.propT("--chakra-backdrop-contrast",Je.contrast),backdropHueRotate:B.degreeT("--chakra-backdrop-hue-rotate"),backdropInvert:B.propT("--chakra-backdrop-invert",Je.invert),backdropSaturate:B.propT("--chakra-backdrop-saturate",Je.saturate)},F1={alignItems:!0,alignContent:!0,justifyItems:!0,justifyContent:!0,flexWrap:!0,flexDirection:{transform:Je.flexDirection},experimental_spaceX:{static:lV,transform:Af({scale:"space",transform:e=>e!==null?{"--chakra-space-x":e}:null})},experimental_spaceY:{static:uV,transform:Af({scale:"space",transform:e=>e!=null?{"--chakra-space-y":e}:null})},flex:!0,flexFlow:!0,flexGrow:!0,flexShrink:!0,flexBasis:B.sizes("flexBasis"),justifySelf:!0,alignSelf:!0,order:!0,placeItems:!0,placeContent:!0,placeSelf:!0,gap:B.space("gap"),rowGap:B.space("rowGap"),columnGap:B.space("columnGap")};Object.assign(F1,{flexDir:F1.flexDirection});var Ek={gridGap:B.space("gridGap"),gridColumnGap:B.space("gridColumnGap"),gridRowGap:B.space("gridRowGap"),gridColumn:!0,gridRow:!0,gridAutoFlow:!0,gridAutoColumns:!0,gridColumnStart:!0,gridColumnEnd:!0,gridRowStart:!0,gridRowEnd:!0,gridAutoRows:!0,gridTemplate:!0,gridTemplateColumns:!0,gridTemplateRows:!0,gridTemplateAreas:!0,gridArea:!0},yV={appearance:!0,cursor:!0,resize:!0,userSelect:!0,pointerEvents:!0,outline:{transform:Je.outline},outlineOffset:!0,outlineColor:B.colors("outlineColor")},no={width:B.sizesT("width"),inlineSize:B.sizesT("inlineSize"),height:B.sizes("height"),blockSize:B.sizes("blockSize"),boxSize:B.sizes(["width","height"]),minWidth:B.sizes("minWidth"),minInlineSize:B.sizes("minInlineSize"),minHeight:B.sizes("minHeight"),minBlockSize:B.sizes("minBlockSize"),maxWidth:B.sizes("maxWidth"),maxInlineSize:B.sizes("maxInlineSize"),maxHeight:B.sizes("maxHeight"),maxBlockSize:B.sizes("maxBlockSize"),overflow:!0,overflowX:!0,overflowY:!0,overscrollBehavior:!0,overscrollBehaviorX:!0,overscrollBehaviorY:!0,display:!0,verticalAlign:!0,boxSizing:!0,boxDecorationBreak:!0,float:B.propT("float",Je.float),objectFit:!0,objectPosition:!0,visibility:!0,isolation:!0};Object.assign(no,{w:no.width,h:no.height,minW:no.minWidth,maxW:no.maxWidth,minH:no.minHeight,maxH:no.maxHeight,overscroll:no.overscrollBehavior,overscrollX:no.overscrollBehaviorX,overscrollY:no.overscrollBehaviorY});var bV={listStyleType:!0,listStylePosition:!0,listStylePos:B.prop("listStylePosition"),listStyleImage:!0,listStyleImg:B.prop("listStyleImage")};function xV(e,t,n,r){const o=typeof t=="string"?t.split("."):[t];for(r=0;r<o.length&&e;r+=1)e=e[o[r]];return e===void 0?n:e}var SV=e=>{const t=new WeakMap;return(r,o,i,s)=>{if(typeof r>"u")return e(r,o,i);t.has(r)||t.set(r,new Map);const u=t.get(r);if(u.has(o))return u.get(o);const c=e(r,o,i,s);return u.set(o,c),c}},wV=SV(xV),CV={border:"0px",clip:"rect(0, 0, 0, 0)",width:"1px",height:"1px",margin:"-1px",padding:"0px",overflow:"hidden",whiteSpace:"nowrap",position:"absolute"},_V={position:"static",width:"auto",height:"auto",clip:"auto",padding:"0",margin:"0",overflow:"visible",whiteSpace:"normal"},Yv=(e,t,n)=>{const r={},o=wV(e,t,{});for(const i in o)i in n&&n[i]!=null||(r[i]=o[i]);return r},kV={srOnly:{transform(e){return e===!0?CV:e==="focusable"?_V:{}}},layerStyle:{processResult:!0,transform:(e,t,n)=>Yv(t,`layerStyles.${e}`,n)},textStyle:{processResult:!0,transform:(e,t,n)=>Yv(t,`textStyles.${e}`,n)},apply:{processResult:!0,transform:(e,t,n)=>Yv(t,e,n)}},Xc={position:!0,pos:B.prop("position"),zIndex:B.prop("zIndex","zIndices"),inset:B.spaceT("inset"),insetX:B.spaceT(["left","right"]),insetInline:B.spaceT("insetInline"),insetY:B.spaceT(["top","bottom"]),insetBlock:B.spaceT("insetBlock"),top:B.spaceT("top"),insetBlockStart:B.spaceT("insetBlockStart"),bottom:B.spaceT("bottom"),insetBlockEnd:B.spaceT("insetBlockEnd"),left:B.spaceT("left"),insetInlineStart:B.logical({scale:"space",property:{ltr:"left",rtl:"right"}}),right:B.spaceT("right"),insetInlineEnd:B.logical({scale:"space",property:{ltr:"right",rtl:"left"}})};Object.assign(Xc,{insetStart:Xc.insetInlineStart,insetEnd:Xc.insetInlineEnd});var EV={ring:{transform:Je.ring},ringColor:B.colors("--chakra-ring-color"),ringOffset:B.prop("--chakra-ring-offset-width"),ringOffsetColor:B.colors("--chakra-ring-offset-color"),ringInset:B.prop("--chakra-ring-inset")},Mt={margin:B.spaceT("margin"),marginTop:B.spaceT("marginTop"),marginBlockStart:B.spaceT("marginBlockStart"),marginRight:B.spaceT("marginRight"),marginInlineEnd:B.spaceT("marginInlineEnd"),marginBottom:B.spaceT("marginBottom"),marginBlockEnd:B.spaceT("marginBlockEnd"),marginLeft:B.spaceT("marginLeft"),marginInlineStart:B.spaceT("marginInlineStart"),marginX:B.spaceT(["marginInlineStart","marginInlineEnd"]),marginInline:B.spaceT("marginInline"),marginY:B.spaceT(["marginTop","marginBottom"]),marginBlock:B.spaceT("marginBlock"),padding:B.space("padding"),paddingTop:B.space("paddingTop"),paddingBlockStart:B.space("paddingBlockStart"),paddingRight:B.space("paddingRight"),paddingBottom:B.space("paddingBottom"),paddingBlockEnd:B.space("paddingBlockEnd"),paddingLeft:B.space("paddingLeft"),paddingInlineStart:B.space("paddingInlineStart"),paddingInlineEnd:B.space("paddingInlineEnd"),paddingX:B.space(["paddingInlineStart","paddingInlineEnd"]),paddingInline:B.space("paddingInline"),paddingY:B.space(["paddingTop","paddingBottom"]),paddingBlock:B.space("paddingBlock")};Object.assign(Mt,{m:Mt.margin,mt:Mt.marginTop,mr:Mt.marginRight,me:Mt.marginInlineEnd,marginEnd:Mt.marginInlineEnd,mb:Mt.marginBottom,ml:Mt.marginLeft,ms:Mt.marginInlineStart,marginStart:Mt.marginInlineStart,mx:Mt.marginX,my:Mt.marginY,p:Mt.padding,pt:Mt.paddingTop,py:Mt.paddingY,px:Mt.paddingX,pb:Mt.paddingBottom,pl:Mt.paddingLeft,ps:Mt.paddingInlineStart,paddingStart:Mt.paddingInlineStart,pr:Mt.paddingRight,pe:Mt.paddingInlineEnd,paddingEnd:Mt.paddingInlineEnd});var LV={textDecorationColor:B.colors("textDecorationColor"),textDecoration:!0,textDecor:{property:"textDecoration"},textDecorationLine:!0,textDecorationStyle:!0,textDecorationThickness:!0,textUnderlineOffset:!0,textShadow:B.shadows("textShadow")},PV={clipPath:!0,transform:B.propT("transform",Je.transform),transformOrigin:!0,translateX:B.spaceT("--chakra-translate-x"),translateY:B.spaceT("--chakra-translate-y"),skewX:B.degreeT("--chakra-skew-x"),skewY:B.degreeT("--chakra-skew-y"),scaleX:B.prop("--chakra-scale-x"),scaleY:B.prop("--chakra-scale-y"),scale:B.prop(["--chakra-scale-x","--chakra-scale-y"]),rotate:B.degreeT("--chakra-rotate")},AV={transition:!0,transitionDelay:!0,animation:!0,willChange:!0,transitionDuration:B.prop("transitionDuration","transition.duration"),transitionProperty:B.prop("transitionProperty","transition.property"),transitionTimingFunction:B.prop("transitionTimingFunction","transition.easing")},TV={fontFamily:B.prop("fontFamily","fonts"),fontSize:B.prop("fontSize","fontSizes",Je.px),fontWeight:B.prop("fontWeight","fontWeights"),lineHeight:B.prop("lineHeight","lineHeights"),letterSpacing:B.prop("letterSpacing","letterSpacings"),textAlign:!0,fontStyle:!0,wordBreak:!0,overflowWrap:!0,textOverflow:!0,textTransform:!0,whiteSpace:!0,noOfLines:{static:{overflow:"hidden",textOverflow:"ellipsis",display:"-webkit-box",WebkitBoxOrient:"vertical",WebkitLineClamp:"var(--chakra-line-clamp)"},property:"--chakra-line-clamp"}},IV={scrollBehavior:!0,scrollSnapAlign:!0,scrollSnapStop:!0,scrollSnapType:!0,scrollMargin:B.spaceT("scrollMargin"),scrollMarginTop:B.spaceT("scrollMarginTop"),scrollMarginBottom:B.spaceT("scrollMarginBottom"),scrollMarginLeft:B.spaceT("scrollMarginLeft"),scrollMarginRight:B.spaceT("scrollMarginRight"),scrollMarginX:B.spaceT(["scrollMarginLeft","scrollMarginRight"]),scrollMarginY:B.spaceT(["scrollMarginTop","scrollMarginBottom"]),scrollPadding:B.spaceT("scrollPadding"),scrollPaddingTop:B.spaceT("scrollPaddingTop"),scrollPaddingBottom:B.spaceT("scrollPaddingBottom"),scrollPaddingLeft:B.spaceT("scrollPaddingLeft"),scrollPaddingRight:B.spaceT("scrollPaddingRight"),scrollPaddingX:B.spaceT(["scrollPaddingLeft","scrollPaddingRight"]),scrollPaddingY:B.spaceT(["scrollPaddingTop","scrollPaddingBottom"])};function Lk(e){return ni(e)&&e.reference?e.reference:String(e)}var B0=(e,...t)=>t.map(Lk).join(` ${e} `).replace(/calc/g,""),SS=(...e)=>`calc(${B0("+",...e)})`,wS=(...e)=>`calc(${B0("-",...e)})`,Wy=(...e)=>`calc(${B0("*",...e)})`,CS=(...e)=>`calc(${B0("/",...e)})`,_S=e=>{const t=Lk(e);return t!=null&&!Number.isNaN(parseFloat(t))?String(t).startsWith("-")?String(t).slice(1):`-${t}`:Wy(t,-1)},ys=Object.assign(e=>({add:(...t)=>ys(SS(e,...t)),subtract:(...t)=>ys(wS(e,...t)),multiply:(...t)=>ys(Wy(e,...t)),divide:(...t)=>ys(CS(e,...t)),negate:()=>ys(_S(e)),toString:()=>e.toString()}),{add:SS,subtract:wS,multiply:Wy,divide:CS,negate:_S});function MV(e,t="-"){return e.replace(/\s+/g,t)}function OV(e){const t=MV(e.toString());return NV(RV(t))}function RV(e){return e.includes("\\.")?e:!Number.isInteger(parseFloat(e.toString()))?e.replace(".","\\."):e}function NV(e){return e.replace(/[!-,/:-@[-^`{-~]/g,"\\$&")}function DV(e,t=""){return[t,e].filter(Boolean).join("-")}function zV(e,t){return`var(${e}${t?`, ${t}`:""})`}function FV(e,t=""){return OV(`--${DV(e,t)}`)}function Ja(e,t,n){const r=FV(e,n);return{variable:r,reference:zV(r,t)}}function BV(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}Object.freeze(["base","sm","md","lg","xl","2xl"]);function $V(e){const t=e==null?0:e.length;return t?e[t-1]:void 0}function VV(e){const t=parseFloat(e.toString()),n=e.toString().replace(String(t),"");return{unitless:!n,value:t,unit:n}}function Hy(e){if(e==null)return e;const{unitless:t}=VV(e);return t||typeof e=="number"?`${e}px`:e}var Pk=(e,t)=>parseInt(e[1],10)>parseInt(t[1],10)?1:-1,l3=e=>Object.fromEntries(Object.entries(e).sort(Pk));function kS(e){const t=l3(e);return Object.assign(Object.values(t),t)}function WV(e){const t=Object.keys(l3(e));return new Set(t)}function ES(e){if(!e)return e;e=Hy(e)??e;const t=e.endsWith("px")?-1:-.0625;return typeof e=="number"?`${e+t}`:e.replace(/(\d+\.?\d*)/u,n=>`${parseFloat(n)+t}`)}function zc(e,t){const n=["@media screen"];return e&&n.push("and",`(min-width: ${Hy(e)})`),t&&n.push("and",`(max-width: ${Hy(t)})`),n.join(" ")}function HV(e){if(!e)return null;e.base=e.base??"0px";const t=kS(e),n=Object.entries(e).sort(Pk).map(([i,s],u,c)=>{let[,f]=c[u+1]??[];return f=parseFloat(f)>0?ES(f):void 0,{_minW:ES(s),breakpoint:i,minW:s,maxW:f,maxWQuery:zc(null,f),minWQuery:zc(s),minMaxQuery:zc(s,f)}}),r=WV(e),o=Array.from(r.values());return{keys:r,normalized:t,isResponsive(i){const s=Object.keys(i);return s.length>0&&s.every(u=>r.has(u))},asObject:l3(e),asArray:kS(e),details:n,media:[null,...t.map(i=>zc(i)).slice(1)],toArrayValue(i){if(!BV(i))throw new Error("toArrayValue: value must be an object");const s=o.map(u=>i[u]??null);for(;$V(s)===null;)s.pop();return s},toObjectValue(i){if(!Array.isArray(i))throw new Error("toObjectValue: value must be an array");return i.reduce((s,u,c)=>{const f=o[c];return f!=null&&u!=null&&(s[f]=u),s},{})}}}var Pn={hover:(e,t)=>`${e}:hover ${t}, ${e}[data-hover] ${t}`,focus:(e,t)=>`${e}:focus ${t}, ${e}[data-focus] ${t}`,focusVisible:(e,t)=>`${e}:focus-visible ${t}`,focusWithin:(e,t)=>`${e}:focus-within ${t}`,active:(e,t)=>`${e}:active ${t}, ${e}[data-active] ${t}`,disabled:(e,t)=>`${e}:disabled ${t}, ${e}[data-disabled] ${t}`,invalid:(e,t)=>`${e}:invalid ${t}, ${e}[data-invalid] ${t}`,checked:(e,t)=>`${e}:checked ${t}, ${e}[data-checked] ${t}`,indeterminate:(e,t)=>`${e}:indeterminate ${t}, ${e}[aria-checked=mixed] ${t}, ${e}[data-indeterminate] ${t}`,readOnly:(e,t)=>`${e}:read-only ${t}, ${e}[readonly] ${t}, ${e}[data-read-only] ${t}`,expanded:(e,t)=>`${e}:read-only ${t}, ${e}[aria-expanded=true] ${t}, ${e}[data-expanded] ${t}`,placeholderShown:(e,t)=>`${e}:placeholder-shown ${t}`},ha=e=>Ak(t=>e(t,"&"),"[role=group]","[data-group]",".group"),Oi=e=>Ak(t=>e(t,"~ &"),"[data-peer]",".peer"),Ak=(e,...t)=>t.map(e).join(", "),$0={_hover:"&:hover, &[data-hover]",_active:"&:active, &[data-active]",_focus:"&:focus, &[data-focus]",_highlighted:"&[data-highlighted]",_focusWithin:"&:focus-within",_focusVisible:"&:focus-visible, &[data-focus-visible]",_disabled:"&[disabled], &[aria-disabled=true], &[data-disabled]",_readOnly:"&[aria-readonly=true], &[readonly], &[data-readonly]",_before:"&::before",_after:"&::after",_empty:"&:empty",_expanded:"&[aria-expanded=true], &[data-expanded]",_checked:"&[aria-checked=true], &[data-checked]",_grabbed:"&[aria-grabbed=true], &[data-grabbed]",_pressed:"&[aria-pressed=true], &[data-pressed]",_invalid:"&[aria-invalid=true], &[data-invalid]",_valid:"&[data-valid], &[data-state=valid]",_loading:"&[data-loading], &[aria-busy=true]",_selected:"&[aria-selected=true], &[data-selected]",_hidden:"&[hidden], &[data-hidden]",_autofill:"&:-webkit-autofill",_even:"&:nth-of-type(even)",_odd:"&:nth-of-type(odd)",_first:"&:first-of-type",_last:"&:last-of-type",_notFirst:"&:not(:first-of-type)",_notLast:"&:not(:last-of-type)",_visited:"&:visited",_activeLink:"&[aria-current=page]",_activeStep:"&[aria-current=step]",_indeterminate:"&:indeterminate, &[aria-checked=mixed], &[data-indeterminate]",_groupHover:ha(Pn.hover),_peerHover:Oi(Pn.hover),_groupFocus:ha(Pn.focus),_peerFocus:Oi(Pn.focus),_groupFocusVisible:ha(Pn.focusVisible),_peerFocusVisible:Oi(Pn.focusVisible),_groupActive:ha(Pn.active),_peerActive:Oi(Pn.active),_groupDisabled:ha(Pn.disabled),_peerDisabled:Oi(Pn.disabled),_groupInvalid:ha(Pn.invalid),_peerInvalid:Oi(Pn.invalid),_groupChecked:ha(Pn.checked),_peerChecked:Oi(Pn.checked),_groupFocusWithin:ha(Pn.focusWithin),_peerFocusWithin:Oi(Pn.focusWithin),_peerPlaceholderShown:Oi(Pn.placeholderShown),_placeholder:"&::placeholder",_placeholderShown:"&:placeholder-shown",_fullScreen:"&:fullscreen",_selection:"&::selection",_rtl:"[dir=rtl] &, &[dir=rtl]",_ltr:"[dir=ltr] &, &[dir=ltr]",_mediaDark:"@media (prefers-color-scheme: dark)",_mediaReduceMotion:"@media (prefers-reduced-motion: reduce)",_dark:".chakra-ui-dark &:not([data-theme]),[data-theme=dark] &:not([data-theme]),&[data-theme=dark]",_light:".chakra-ui-light &:not([data-theme]),[data-theme=light] &:not([data-theme]),&[data-theme=light]"},jV=Object.keys($0);function LS(e,t){return Ja(String(e).replace(/\./g,"-"),void 0,t)}function UV(e,t){let n={};const r={};for(const[o,i]of Object.entries(e)){const{isSemantic:s,value:u}=i,{variable:c,reference:f}=LS(o,t?.cssVarPrefix);if(!s){if(o.startsWith("space")){const m=o.split("."),[g,...b]=m,S=`${g}.-${b.join(".")}`,E=ys.negate(u),w=ys.negate(f);r[S]={value:E,var:c,varRef:w}}n[c]=u,r[o]={value:u,var:c,varRef:f};continue}const d=m=>{const b=[String(o).split(".")[0],m].join(".");if(!e[b])return m;const{reference:E}=LS(b,t?.cssVarPrefix);return E},h=ni(u)?u:{default:u};n=ja(n,Object.entries(h).reduce((m,[g,b])=>{var S;const E=d(b);if(g==="default")return m[c]=E,m;const w=((S=$0)==null?void 0:S[g])??g;return m[w]={[c]:E},m},{})),r[o]={value:f,var:c,varRef:f}}return{cssVars:n,cssMap:r}}function GV(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function ZV(e,t){const n={};for(const r of t)r in e&&(n[r]=e[r]);return n}var KV=["colors","borders","borderWidths","borderStyles","fonts","fontSizes","fontWeights","letterSpacings","lineHeights","radii","space","shadows","sizes","zIndices","transition","blur"];function qV(e){return ZV(e,KV)}function YV(e){return e.semanticTokens}function XV(e){const{__cssMap:t,__cssVars:n,__breakpoints:r,...o}=e;return o}function QV({tokens:e,semanticTokens:t}){const n=Object.entries(jy(e)??{}).map(([o,i])=>[o,{isSemantic:!1,value:i}]),r=Object.entries(jy(t,1)??{}).map(([o,i])=>[o,{isSemantic:!0,value:i}]);return Object.fromEntries([...n,...r])}function jy(e,t=1/0){return!ni(e)&&!Array.isArray(e)||!t?e:Object.entries(e).reduce((n,[r,o])=>(ni(o)||Array.isArray(o)?Object.entries(jy(o,t-1)).forEach(([i,s])=>{n[`${r}.${i}`]=s}):n[r]=o,n),{})}function JV(e){var t;const n=XV(e),r=qV(n),o=YV(n),i=QV({tokens:r,semanticTokens:o}),s=(t=n.config)==null?void 0:t.cssVarPrefix,{cssMap:u,cssVars:c}=UV(i,{cssVarPrefix:s});return Object.assign(n,{__cssVars:{...{"--chakra-ring-inset":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-ring-offset-width":"0px","--chakra-ring-offset-color":"#fff","--chakra-ring-color":"rgba(66, 153, 225, 0.6)","--chakra-ring-offset-shadow":"0 0 #0000","--chakra-ring-shadow":"0 0 #0000","--chakra-space-x-reverse":"0","--chakra-space-y-reverse":"0"},...c},__cssMap:u,__breakpoints:HV(n.breakpoints)}),n}var u3=ja({},Uh,ot,gV,F1,no,vV,EV,yV,Ek,kV,Xc,Vy,Mt,IV,TV,LV,PV,bV,AV),eW=Object.assign({},Mt,no,F1,Ek,Xc),tW=Object.keys(eW),nW=[...Object.keys(u3),...jV],rW={...u3,...$0},oW=e=>e in rW;function iW(e){return/^var\(--.+\)$/.test(e)}var aW=(e,t)=>e.startsWith("--")&&typeof t=="string"&&!iW(t),sW=(e,t)=>{if(t==null)return t;const n=u=>{var c,f;return(f=(c=e.__cssMap)==null?void 0:c[u])==null?void 0:f.varRef},r=u=>n(u)??u,o=t.split(",").map(u=>u.trim()),[i,s]=o;return t=n(i)??r(s)??r(t),t};function lW(e){const{configs:t={},pseudos:n={},theme:r}=e;if(!r.__breakpoints)return()=>({});const{isResponsive:o,toArrayValue:i,media:s}=r.__breakpoints,u=(c,f=!1)=>{var d;const h=jl(c,r);let m={};for(let g in h){let b=jl(h[g],r);if(b==null)continue;if(Array.isArray(b)||ni(b)&&o(b)){let x=Array.isArray(b)?b:i(b);x=x.slice(0,s.length);for(let _=0;_<x.length;_++){const L=s[_],T=x[_];L?T==null?m[L]??(m[L]={}):m[L]=Object.assign({},m[L],u({[g]:T},!0)):m=Object.assign({},m,u({...h,[g]:T},!1))}continue}if(g in n&&(g=n[g]),aW(g,b)&&(b=sW(r,b)),ni(b)){m[g]=Object.assign({},m[g],u(b,!0));continue}let S=t[g];if(S===!0&&(S={property:g}),!f&&S?.static){const x=jl(S.static,r);m=Object.assign({},m,x)}let E=((d=S?.transform)==null?void 0:d.call(S,b,r,h))??b;if(E=S?.processResult?u(E,!0):E,ni(E)){m=Object.assign({},m,E);continue}const w=jl(S?.property,r);if(w){if(Array.isArray(w)){for(const x of w)m[x]=E;continue}w==="&"&&ni(E)?m=Object.assign({},m,E):m[w]=E;continue}m[g]=E}return m};return u}var Tk=e=>t=>lW({theme:t,pseudos:$0,configs:u3})(e);function Bt(e){return{definePartsStyle(t){return t},defineMultiStyleConfig(t){return{parts:e,...t}}}}function uW(e,t){if(Array.isArray(e))return e;if(ni(e))return t(e);if(e!=null)return[e]}function cW(e,t){for(let n=t+1;n<e.length;n++)if(e[n]!=null)return n;return-1}function fW(e){const t=e.__breakpoints;return function(r,o,i,s){var u,c;if(!t)return;const f={},d=uW(i,t.toArrayValue);if(!d)return f;const h=d.length,m=h===1,g=!!r.parts;for(let b=0;b<h;b++){const S=t.details[b],E=t.details[cW(d,b)],w=zc(S.minW,E?._minW),x=jl((u=r[o])==null?void 0:u[d[b]],s);if(!!x){if(g){(c=r.parts)==null||c.forEach(_=>{ja(f,{[_]:m?x[_]:{[w]:x[_]}})});continue}if(!g){m?ja(f,x):f[w]=x;continue}f[w]=x}}return f}}function dW(e){return t=>{const{variant:n,size:r,theme:o}=t,i=fW(o);return ja({},jl(e.baseStyle??{},t),i(e,"sizes",r,t),i(e,"variants",n,t))}}function pW(e,t,n){var r,o;return((o=(r=e.__cssMap)==null?void 0:r[`${t}.${n}`])==null?void 0:o.varRef)??n}function yt(e){return GV(e,["styleConfig","size","variant","colorScheme"])}function hW(e){if(e.sheet)return e.sheet;for(var t=0;t<document.styleSheets.length;t++)if(document.styleSheets[t].ownerNode===e)return document.styleSheets[t]}function mW(e){var t=document.createElement("style");return t.setAttribute("data-emotion",e.key),e.nonce!==void 0&&t.setAttribute("nonce",e.nonce),t.appendChild(document.createTextNode("")),t.setAttribute("data-s",""),t}var gW=function(){function e(n){var r=this;this._insertTag=function(o){var i;r.tags.length===0?r.insertionPoint?i=r.insertionPoint.nextSibling:r.prepend?i=r.container.firstChild:i=r.before:i=r.tags[r.tags.length-1].nextSibling,r.container.insertBefore(o,i),r.tags.push(o)},this.isSpeedy=n.speedy===void 0?!0:n.speedy,this.tags=[],this.ctr=0,this.nonce=n.nonce,this.key=n.key,this.container=n.container,this.prepend=n.prepend,this.insertionPoint=n.insertionPoint,this.before=null}var t=e.prototype;return t.hydrate=function(r){r.forEach(this._insertTag)},t.insert=function(r){this.ctr%(this.isSpeedy?65e3:1)===0&&this._insertTag(mW(this));var o=this.tags[this.tags.length-1];if(this.isSpeedy){var i=hW(o);try{i.insertRule(r,i.cssRules.length)}catch{}}else o.appendChild(document.createTextNode(r));this.ctr++},t.flush=function(){this.tags.forEach(function(r){return r.parentNode&&r.parentNode.removeChild(r)}),this.tags=[],this.ctr=0},e}(),Wn="-ms-",B1="-moz-",it="-webkit-",Ik="comm",c3="rule",f3="decl",vW="@import",Mk="@keyframes",yW=Math.abs,V0=String.fromCharCode,bW=Object.assign;function xW(e,t){return(((t<<2^mr(e,0))<<2^mr(e,1))<<2^mr(e,2))<<2^mr(e,3)}function Ok(e){return e.trim()}function SW(e,t){return(e=t.exec(e))?e[0]:e}function ft(e,t,n){return e.replace(t,n)}function Uy(e,t){return e.indexOf(t)}function mr(e,t){return e.charCodeAt(t)|0}function Tf(e,t,n){return e.slice(t,n)}function Yo(e){return e.length}function d3(e){return e.length}function oh(e,t){return t.push(e),e}function wW(e,t){return e.map(t).join("")}var W0=1,vu=1,Rk=0,Cr=0,sn=0,Mu="";function H0(e,t,n,r,o,i,s){return{value:e,root:t,parent:n,type:r,props:o,children:i,line:W0,column:vu,length:s,return:""}}function kc(e,t){return bW(H0("",null,null,"",null,null,0),e,{length:-e.length},t)}function CW(){return sn}function _W(){return sn=Cr>0?mr(Mu,--Cr):0,vu--,sn===10&&(vu=1,W0--),sn}function Br(){return sn=Cr<Rk?mr(Mu,Cr++):0,vu++,sn===10&&(vu=1,W0++),sn}function ai(){return mr(Mu,Cr)}function Gh(){return Cr}function cd(e,t){return Tf(Mu,e,t)}function If(e){switch(e){case 0:case 9:case 10:case 13:case 32:return 5;case 33:case 43:case 44:case 47:case 62:case 64:case 126:case 59:case 123:case 125:return 4;case 58:return 3;case 34:case 39:case 40:case 91:return 2;case 41:case 93:return 1}return 0}function Nk(e){return W0=vu=1,Rk=Yo(Mu=e),Cr=0,[]}function Dk(e){return Mu="",e}function Zh(e){return Ok(cd(Cr-1,Gy(e===91?e+2:e===40?e+1:e)))}function kW(e){for(;(sn=ai())&&sn<33;)Br();return If(e)>2||If(sn)>3?"":" "}function EW(e,t){for(;--t&&Br()&&!(sn<48||sn>102||sn>57&&sn<65||sn>70&&sn<97););return cd(e,Gh()+(t<6&&ai()==32&&Br()==32))}function Gy(e){for(;Br();)switch(sn){case e:return Cr;case 34:case 39:e!==34&&e!==39&&Gy(sn);break;case 40:e===41&&Gy(e);break;case 92:Br();break}return Cr}function LW(e,t){for(;Br()&&e+sn!==47+10;)if(e+sn===42+42&&ai()===47)break;return"/*"+cd(t,Cr-1)+"*"+V0(e===47?e:Br())}function PW(e){for(;!If(ai());)Br();return cd(e,Cr)}function AW(e){return Dk(Kh("",null,null,null,[""],e=Nk(e),0,[0],e))}function Kh(e,t,n,r,o,i,s,u,c){for(var f=0,d=0,h=s,m=0,g=0,b=0,S=1,E=1,w=1,x=0,_="",L=o,T=i,R=r,N=_;E;)switch(b=x,x=Br()){case 40:if(b!=108&&N.charCodeAt(h-1)==58){Uy(N+=ft(Zh(x),"&","&\f"),"&\f")!=-1&&(w=-1);break}case 34:case 39:case 91:N+=Zh(x);break;case 9:case 10:case 13:case 32:N+=kW(b);break;case 92:N+=EW(Gh()-1,7);continue;case 47:switch(ai()){case 42:case 47:oh(TW(LW(Br(),Gh()),t,n),c);break;default:N+="/"}break;case 123*S:u[f++]=Yo(N)*w;case 125*S:case 59:case 0:switch(x){case 0:case 125:E=0;case 59+d:g>0&&Yo(N)-h&&oh(g>32?AS(N+";",r,n,h-1):AS(ft(N," ","")+";",r,n,h-2),c);break;case 59:N+=";";default:if(oh(R=PS(N,t,n,f,d,o,u,_,L=[],T=[],h),i),x===123)if(d===0)Kh(N,t,R,R,L,i,h,u,T);else switch(m){case 100:case 109:case 115:Kh(e,R,R,r&&oh(PS(e,R,R,0,0,o,u,_,o,L=[],h),T),o,T,h,u,r?L:T);break;default:Kh(N,R,R,R,[""],T,0,u,T)}}f=d=g=0,S=w=1,_=N="",h=s;break;case 58:h=1+Yo(N),g=b;default:if(S<1){if(x==123)--S;else if(x==125&&S++==0&&_W()==125)continue}switch(N+=V0(x),x*S){case 38:w=d>0?1:(N+="\f",-1);break;case 44:u[f++]=(Yo(N)-1)*w,w=1;break;case 64:ai()===45&&(N+=Zh(Br())),m=ai(),d=h=Yo(_=N+=PW(Gh())),x++;break;case 45:b===45&&Yo(N)==2&&(S=0)}}return i}function PS(e,t,n,r,o,i,s,u,c,f,d){for(var h=o-1,m=o===0?i:[""],g=d3(m),b=0,S=0,E=0;b<r;++b)for(var w=0,x=Tf(e,h+1,h=yW(S=s[b])),_=e;w<g;++w)(_=Ok(S>0?m[w]+" "+x:ft(x,/&\f/g,m[w])))&&(c[E++]=_);return H0(e,t,n,o===0?c3:u,c,f,d)}function TW(e,t,n){return H0(e,t,n,Ik,V0(CW()),Tf(e,2,-2),0)}function AS(e,t,n,r){return H0(e,t,n,f3,Tf(e,0,r),Tf(e,r+1,-1),r)}function zk(e,t){switch(xW(e,t)){case 5103:return it+"print-"+e+e;case 5737:case 4201:case 3177:case 3433:case 1641:case 4457:case 2921:case 5572:case 6356:case 5844:case 3191:case 6645:case 3005:case 6391:case 5879:case 5623:case 6135:case 4599:case 4855:case 4215:case 6389:case 5109:case 5365:case 5621:case 3829:return it+e+e;case 5349:case 4246:case 4810:case 6968:case 2756:return it+e+B1+e+Wn+e+e;case 6828:case 4268:return it+e+Wn+e+e;case 6165:return it+e+Wn+"flex-"+e+e;case 5187:return it+e+ft(e,/(\w+).+(:[^]+)/,it+"box-$1$2"+Wn+"flex-$1$2")+e;case 5443:return it+e+Wn+"flex-item-"+ft(e,/flex-|-self/,"")+e;case 4675:return it+e+Wn+"flex-line-pack"+ft(e,/align-content|flex-|-self/,"")+e;case 5548:return it+e+Wn+ft(e,"shrink","negative")+e;case 5292:return it+e+Wn+ft(e,"basis","preferred-size")+e;case 6060:return it+"box-"+ft(e,"-grow","")+it+e+Wn+ft(e,"grow","positive")+e;case 4554:return it+ft(e,/([^-])(transform)/g,"$1"+it+"$2")+e;case 6187:return ft(ft(ft(e,/(zoom-|grab)/,it+"$1"),/(image-set)/,it+"$1"),e,"")+e;case 5495:case 3959:return ft(e,/(image-set\([^]*)/,it+"$1$`$1");case 4968:return ft(ft(e,/(.+:)(flex-)?(.*)/,it+"box-pack:$3"+Wn+"flex-pack:$3"),/s.+-b[^;]+/,"justify")+it+e+e;case 4095:case 3583:case 4068:case 2532:return ft(e,/(.+)-inline(.+)/,it+"$1$2")+e;case 8116:case 7059:case 5753:case 5535:case 5445:case 5701:case 4933:case 4677:case 5533:case 5789:case 5021:case 4765:if(Yo(e)-1-t>6)switch(mr(e,t+1)){case 109:if(mr(e,t+4)!==45)break;case 102:return ft(e,/(.+:)(.+)-([^]+)/,"$1"+it+"$2-$3$1"+B1+(mr(e,t+3)==108?"$3":"$2-$3"))+e;case 115:return~Uy(e,"stretch")?zk(ft(e,"stretch","fill-available"),t)+e:e}break;case 4949:if(mr(e,t+1)!==115)break;case 6444:switch(mr(e,Yo(e)-3-(~Uy(e,"!important")&&10))){case 107:return ft(e,":",":"+it)+e;case 101:return ft(e,/(.+:)([^;!]+)(;|!.+)?/,"$1"+it+(mr(e,14)===45?"inline-":"")+"box$3$1"+it+"$2$3$1"+Wn+"$2box$3")+e}break;case 5936:switch(mr(e,t+11)){case 114:return it+e+Wn+ft(e,/[svh]\w+-[tblr]{2}/,"tb")+e;case 108:return it+e+Wn+ft(e,/[svh]\w+-[tblr]{2}/,"tb-rl")+e;case 45:return it+e+Wn+ft(e,/[svh]\w+-[tblr]{2}/,"lr")+e}return it+e+Wn+e+e}return e}function tu(e,t){for(var n="",r=d3(e),o=0;o<r;o++)n+=t(e[o],o,e,t)||"";return n}function IW(e,t,n,r){switch(e.type){case vW:case f3:return e.return=e.return||e.value;case Ik:return"";case Mk:return e.return=e.value+"{"+tu(e.children,r)+"}";case c3:e.value=e.props.join(",")}return Yo(n=tu(e.children,r))?e.return=e.value+"{"+n+"}":""}function MW(e){var t=d3(e);return function(n,r,o,i){for(var s="",u=0;u<t;u++)s+=e[u](n,r,o,i)||"";return s}}function OW(e){return function(t){t.root||(t=t.return)&&e(t)}}function RW(e,t,n,r){if(e.length>-1&&!e.return)switch(e.type){case f3:e.return=zk(e.value,e.length);break;case Mk:return tu([kc(e,{value:ft(e.value,"@","@"+it)})],r);case c3:if(e.length)return wW(e.props,function(o){switch(SW(o,/(::plac\w+|:read-\w+)/)){case":read-only":case":read-write":return tu([kc(e,{props:[ft(o,/:(read-\w+)/,":"+B1+"$1")]})],r);case"::placeholder":return tu([kc(e,{props:[ft(o,/:(plac\w+)/,":"+it+"input-$1")]}),kc(e,{props:[ft(o,/:(plac\w+)/,":"+B1+"$1")]}),kc(e,{props:[ft(o,/:(plac\w+)/,Wn+"input-$1")]})],r)}return""})}}var TS=function(t){var n=new WeakMap;return function(r){if(n.has(r))return n.get(r);var o=t(r);return n.set(r,o),o}};function Fk(e){var t=Object.create(null);return function(n){return t[n]===void 0&&(t[n]=e(n)),t[n]}}var NW=function(t,n,r){for(var o=0,i=0;o=i,i=ai(),o===38&&i===12&&(n[r]=1),!If(i);)Br();return cd(t,Cr)},DW=function(t,n){var r=-1,o=44;do switch(If(o)){case 0:o===38&&ai()===12&&(n[r]=1),t[r]+=NW(Cr-1,n,r);break;case 2:t[r]+=Zh(o);break;case 4:if(o===44){t[++r]=ai()===58?"&\f":"",n[r]=t[r].length;break}default:t[r]+=V0(o)}while(o=Br());return t},zW=function(t,n){return Dk(DW(Nk(t),n))},IS=new WeakMap,FW=function(t){if(!(t.type!=="rule"||!t.parent||t.length<1)){for(var n=t.value,r=t.parent,o=t.column===r.column&&t.line===r.line;r.type!=="rule";)if(r=r.parent,!r)return;if(!(t.props.length===1&&n.charCodeAt(0)!==58&&!IS.get(r))&&!o){IS.set(t,!0);for(var i=[],s=zW(n,i),u=r.props,c=0,f=0;c<s.length;c++)for(var d=0;d<u.length;d++,f++)t.props[f]=i[c]?s[c].replace(/&\f/g,u[d]):u[d]+" "+s[c]}}},BW=function(t){if(t.type==="decl"){var n=t.value;n.charCodeAt(0)===108&&n.charCodeAt(2)===98&&(t.return="",t.value="")}},$W=[RW],VW=function(t){var n=t.key;if(n==="css"){var r=document.querySelectorAll("style[data-emotion]:not([data-s])");Array.prototype.forEach.call(r,function(S){var E=S.getAttribute("data-emotion");E.indexOf(" ")!==-1&&(document.head.appendChild(S),S.setAttribute("data-s",""))})}var o=t.stylisPlugins||$W,i={},s,u=[];s=t.container||document.head,Array.prototype.forEach.call(document.querySelectorAll('style[data-emotion^="'+n+' "]'),function(S){for(var E=S.getAttribute("data-emotion").split(" "),w=1;w<E.length;w++)i[E[w]]=!0;u.push(S)});var c,f=[FW,BW];{var d,h=[IW,OW(function(S){d.insert(S)})],m=MW(f.concat(o,h)),g=function(E){return tu(AW(E),m)};c=function(E,w,x,_){d=x,g(E?E+"{"+w.styles+"}":w.styles),_&&(b.inserted[w.name]=!0)}}var b={key:n,sheet:new gW({key:n,container:s,nonce:t.nonce,speedy:t.speedy,prepend:t.prepend,insertionPoint:t.insertionPoint}),nonce:t.nonce,inserted:i,registered:{},insert:c};return b.sheet.hydrate(u),b};function Mf(){return Mf=Object.assign?Object.assign.bind():function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},Mf.apply(this,arguments)}var Bk={exports:{}},bt={};/** @license React v16.13.1 + * react-is.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var _n=typeof Symbol=="function"&&Symbol.for,p3=_n?Symbol.for("react.element"):60103,h3=_n?Symbol.for("react.portal"):60106,j0=_n?Symbol.for("react.fragment"):60107,U0=_n?Symbol.for("react.strict_mode"):60108,G0=_n?Symbol.for("react.profiler"):60114,Z0=_n?Symbol.for("react.provider"):60109,K0=_n?Symbol.for("react.context"):60110,m3=_n?Symbol.for("react.async_mode"):60111,q0=_n?Symbol.for("react.concurrent_mode"):60111,Y0=_n?Symbol.for("react.forward_ref"):60112,X0=_n?Symbol.for("react.suspense"):60113,WW=_n?Symbol.for("react.suspense_list"):60120,Q0=_n?Symbol.for("react.memo"):60115,J0=_n?Symbol.for("react.lazy"):60116,HW=_n?Symbol.for("react.block"):60121,jW=_n?Symbol.for("react.fundamental"):60117,UW=_n?Symbol.for("react.responder"):60118,GW=_n?Symbol.for("react.scope"):60119;function Ur(e){if(typeof e=="object"&&e!==null){var t=e.$$typeof;switch(t){case p3:switch(e=e.type,e){case m3:case q0:case j0:case G0:case U0:case X0:return e;default:switch(e=e&&e.$$typeof,e){case K0:case Y0:case J0:case Q0:case Z0:return e;default:return t}}case h3:return t}}}function $k(e){return Ur(e)===q0}bt.AsyncMode=m3;bt.ConcurrentMode=q0;bt.ContextConsumer=K0;bt.ContextProvider=Z0;bt.Element=p3;bt.ForwardRef=Y0;bt.Fragment=j0;bt.Lazy=J0;bt.Memo=Q0;bt.Portal=h3;bt.Profiler=G0;bt.StrictMode=U0;bt.Suspense=X0;bt.isAsyncMode=function(e){return $k(e)||Ur(e)===m3};bt.isConcurrentMode=$k;bt.isContextConsumer=function(e){return Ur(e)===K0};bt.isContextProvider=function(e){return Ur(e)===Z0};bt.isElement=function(e){return typeof e=="object"&&e!==null&&e.$$typeof===p3};bt.isForwardRef=function(e){return Ur(e)===Y0};bt.isFragment=function(e){return Ur(e)===j0};bt.isLazy=function(e){return Ur(e)===J0};bt.isMemo=function(e){return Ur(e)===Q0};bt.isPortal=function(e){return Ur(e)===h3};bt.isProfiler=function(e){return Ur(e)===G0};bt.isStrictMode=function(e){return Ur(e)===U0};bt.isSuspense=function(e){return Ur(e)===X0};bt.isValidElementType=function(e){return typeof e=="string"||typeof e=="function"||e===j0||e===q0||e===G0||e===U0||e===X0||e===WW||typeof e=="object"&&e!==null&&(e.$$typeof===J0||e.$$typeof===Q0||e.$$typeof===Z0||e.$$typeof===K0||e.$$typeof===Y0||e.$$typeof===jW||e.$$typeof===UW||e.$$typeof===GW||e.$$typeof===HW)};bt.typeOf=Ur;(function(e){e.exports=bt})(Bk);var Vk=Bk.exports,ZW={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},KW={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},Wk={};Wk[Vk.ForwardRef]=ZW;Wk[Vk.Memo]=KW;var qW=!0;function YW(e,t,n){var r="";return n.split(" ").forEach(function(o){e[o]!==void 0?t.push(e[o]+";"):r+=o+" "}),r}var Hk=function(t,n,r){var o=t.key+"-"+n.name;(r===!1||qW===!1)&&t.registered[o]===void 0&&(t.registered[o]=n.styles)},jk=function(t,n,r){Hk(t,n,r);var o=t.key+"-"+n.name;if(t.inserted[n.name]===void 0){var i=n;do t.insert(n===i?"."+o:"",i,t.sheet,!0),i=i.next;while(i!==void 0)}};function XW(e){for(var t=0,n,r=0,o=e.length;o>=4;++r,o-=4)n=e.charCodeAt(r)&255|(e.charCodeAt(++r)&255)<<8|(e.charCodeAt(++r)&255)<<16|(e.charCodeAt(++r)&255)<<24,n=(n&65535)*1540483477+((n>>>16)*59797<<16),n^=n>>>24,t=(n&65535)*1540483477+((n>>>16)*59797<<16)^(t&65535)*1540483477+((t>>>16)*59797<<16);switch(o){case 3:t^=(e.charCodeAt(r+2)&255)<<16;case 2:t^=(e.charCodeAt(r+1)&255)<<8;case 1:t^=e.charCodeAt(r)&255,t=(t&65535)*1540483477+((t>>>16)*59797<<16)}return t^=t>>>13,t=(t&65535)*1540483477+((t>>>16)*59797<<16),((t^t>>>15)>>>0).toString(36)}var QW={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1},JW=/[A-Z]|^ms/g,eH=/_EMO_([^_]+?)_([^]*?)_EMO_/g,Uk=function(t){return t.charCodeAt(1)===45},MS=function(t){return t!=null&&typeof t!="boolean"},Xv=Fk(function(e){return Uk(e)?e:e.replace(JW,"-$&").toLowerCase()}),OS=function(t,n){switch(t){case"animation":case"animationName":if(typeof n=="string")return n.replace(eH,function(r,o,i){return Xo={name:o,styles:i,next:Xo},o})}return QW[t]!==1&&!Uk(t)&&typeof n=="number"&&n!==0?n+"px":n};function Of(e,t,n){if(n==null)return"";if(n.__emotion_styles!==void 0)return n;switch(typeof n){case"boolean":return"";case"object":{if(n.anim===1)return Xo={name:n.name,styles:n.styles,next:Xo},n.name;if(n.styles!==void 0){var r=n.next;if(r!==void 0)for(;r!==void 0;)Xo={name:r.name,styles:r.styles,next:Xo},r=r.next;var o=n.styles+";";return o}return tH(e,t,n)}case"function":{if(e!==void 0){var i=Xo,s=n(e);return Xo=i,Of(e,t,s)}break}}if(t==null)return n;var u=t[n];return u!==void 0?u:n}function tH(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o<n.length;o++)r+=Of(e,t,n[o])+";";else for(var i in n){var s=n[i];if(typeof s!="object")t!=null&&t[s]!==void 0?r+=i+"{"+t[s]+"}":MS(s)&&(r+=Xv(i)+":"+OS(i,s)+";");else if(Array.isArray(s)&&typeof s[0]=="string"&&(t==null||t[s[0]]===void 0))for(var u=0;u<s.length;u++)MS(s[u])&&(r+=Xv(i)+":"+OS(i,s[u])+";");else{var c=Of(e,t,s);switch(i){case"animation":case"animationName":{r+=Xv(i)+":"+c+";";break}default:r+=i+"{"+c+"}"}}}return r}var RS=/label:\s*([^\s;\n{]+)\s*(;|$)/g,Xo,g3=function(t,n,r){if(t.length===1&&typeof t[0]=="object"&&t[0]!==null&&t[0].styles!==void 0)return t[0];var o=!0,i="";Xo=void 0;var s=t[0];s==null||s.raw===void 0?(o=!1,i+=Of(r,n,s)):i+=s[0];for(var u=1;u<t.length;u++)i+=Of(r,n,t[u]),o&&(i+=s[u]);RS.lastIndex=0;for(var c="",f;(f=RS.exec(i))!==null;)c+="-"+f[1];var d=XW(i)+c;return{name:d,styles:i,next:Xo}},nH=function(t){return t()},Gk=fx["useInsertionEffect"]?fx["useInsertionEffect"]:!1,rH=Gk||nH,NS=Gk||C.exports.useLayoutEffect,Zk=C.exports.createContext(typeof HTMLElement<"u"?VW({key:"css"}):null);Zk.Provider;var Kk=function(t){return C.exports.forwardRef(function(n,r){var o=C.exports.useContext(Zk);return t(n,o,r)})},Rf=C.exports.createContext({}),oH=function(t,n){if(typeof n=="function"){var r=n(t);return r}return Mf({},t,n)},iH=TS(function(e){return TS(function(t){return oH(e,t)})}),aH=function(t){var n=C.exports.useContext(Rf);return t.theme!==n&&(n=iH(n)(t.theme)),C.exports.createElement(Rf.Provider,{value:n},t.children)},em=Kk(function(e,t){var n=e.styles,r=g3([n],void 0,C.exports.useContext(Rf)),o=C.exports.useRef();return NS(function(){var i=t.key+"-global",s=new t.sheet.constructor({key:i,nonce:t.sheet.nonce,container:t.sheet.container,speedy:t.sheet.isSpeedy}),u=!1,c=document.querySelector('style[data-emotion="'+i+" "+r.name+'"]');return t.sheet.tags.length&&(s.before=t.sheet.tags[0]),c!==null&&(u=!0,c.setAttribute("data-emotion",i),s.hydrate([c])),o.current=[s,u],function(){s.flush()}},[t]),NS(function(){var i=o.current,s=i[0],u=i[1];if(u){i[1]=!1;return}if(r.next!==void 0&&jk(t,r.next,!0),s.tags.length){var c=s.tags[s.tags.length-1].nextElementSibling;s.before=c,s.flush()}t.insert("",r,s,!1)},[t,r.name]),null});function sH(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return g3(t)}var fd=function(){var t=sH.apply(void 0,arguments),n="animation-"+t.name;return{name:n,styles:"@keyframes "+n+"{"+t.styles+"}",anim:1,toString:function(){return"_EMO_"+this.name+"_"+this.styles+"_EMO_"}}};function Ul(e){return typeof e=="function"}var lH=!1;function qk(e){return"current"in e}function uH(e,t){const n={};return Object.keys(e).forEach(r=>{t.includes(r)||(n[r]=e[r])}),n}function cH(e,t,n,r){const o=typeof t=="string"?t.split("."):[t];for(r=0;r<o.length&&e;r+=1)e=e[o[r]];return e===void 0?n:e}var fH=e=>{const t=new WeakMap;return(r,o,i,s)=>{if(typeof r>"u")return e(r,o,i);t.has(r)||t.set(r,new Map);const u=t.get(r);if(u.has(o))return u.get(o);const c=e(r,o,i,s);return u.set(o,c),c}},Yk=fH(cH);function Xk(e,t){const n={};return Object.keys(e).forEach(r=>{const o=e[r];t(o,r,e)&&(n[r]=o)}),n}var Qk=e=>Xk(e,t=>t!=null);function v3(e){return e!=null&&typeof e=="object"&&"nodeType"in e&&e.nodeType===Node.ELEMENT_NODE}function tm(e){if(!v3(e))return!1;const t=e.ownerDocument.defaultView??window;return e instanceof t.HTMLElement}function dH(e){var t;return v3(e)?((t=dd(e))==null?void 0:t.defaultView)??window:window}function dd(e){return v3(e)?e.ownerDocument??document:document}function pH(e){return e.view??window}function hH(){return!!(typeof window<"u"&&window.document&&window.document.createElement)}var pd=hH();function mH(e){const t=dd(e);return t?.activeElement}function y3(e,t){return e?e===t||e.contains(t):!1}var Jk=e=>e.hasAttribute("tabindex"),gH=e=>Jk(e)&&e.tabIndex===-1;function vH(e){return Boolean(e.getAttribute("disabled"))===!0||Boolean(e.getAttribute("aria-disabled"))===!0}function yH(e){return tm(e)&&e.localName==="input"&&"select"in e}function eE(e){return(tm(e)?dd(e):document).activeElement===e}function tE(e){return e.parentElement&&tE(e.parentElement)?!0:e.hidden}function bH(e){const t=e.getAttribute("contenteditable");return t!=="false"&&t!=null}function nE(e){if(!tm(e)||tE(e)||vH(e))return!1;const{localName:t}=e;if(["input","select","textarea","button"].indexOf(t)>=0)return!0;const r={a:()=>e.hasAttribute("href"),audio:()=>e.hasAttribute("controls"),video:()=>e.hasAttribute("controls")};return t in r?r[t]():bH(e)?!0:Jk(e)}function xH(e){return e?tm(e)&&nE(e)&&!gH(e):!1}var SH=["input:not([disabled])","select:not([disabled])","textarea:not([disabled])","embed","iframe","object","a[href]","area[href]","button:not([disabled])","[tabindex]","audio[controls]","video[controls]","*[tabindex]:not([aria-disabled])","*[contenteditable]"],wH=SH.join(),CH=e=>e.offsetWidth>0&&e.offsetHeight>0;function _H(e){const t=Array.from(e.querySelectorAll(wH));return t.unshift(e),t.filter(n=>nE(n)&&CH(n))}function $1(e,...t){return Ul(e)?e(...t):e}function kH(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}function EH(e){let t;return function(...r){return e&&(t=e.apply(this,r),e=null),t}}var LH=EH(e=>()=>{const{condition:t,message:n}=e;t&&lH&&console.warn(n)}),PH=(...e)=>t=>e.reduce((n,r)=>r(n),t);function V1(e,t={}){const{isActive:n=eE,nextTick:r,preventScroll:o=!0,selectTextIfInput:i=!0}=t;if(!e||n(e))return-1;function s(){if(!e){LH({condition:!0,message:"[chakra-ui]: can't call focus() on `null` or `undefined` element"});return}if(AH())e.focus({preventScroll:o});else if(e.focus(),o){const u=TH(e);IH(u)}if(i){if(yH(e))e.select();else if("setSelectionRange"in e){const u=e;u.setSelectionRange(u.value.length,u.value.length)}}}return r?requestAnimationFrame(s):(s(),-1)}var ih=null;function AH(){if(ih==null){ih=!1;try{document.createElement("div").focus({get preventScroll(){return ih=!0,!0}})}catch{}}return ih}function TH(e){const t=dd(e),n=t.defaultView??window;let r=e.parentNode;const o=[],i=t.scrollingElement||t.documentElement;for(;r instanceof n.HTMLElement&&r!==i;)(r.offsetHeight<r.scrollHeight||r.offsetWidth<r.scrollWidth)&&o.push({element:r,scrollTop:r.scrollTop,scrollLeft:r.scrollLeft}),r=r.parentNode;return i instanceof n.HTMLElement&&o.push({element:i,scrollTop:i.scrollTop,scrollLeft:i.scrollLeft}),o}function IH(e){for(const{element:t,scrollTop:n,scrollLeft:r}of e)t.scrollTop=n,t.scrollLeft=r}function MH(e){return!!e.touches}function OH(e){return t=>{const n=pH(t),r=t instanceof n.MouseEvent;(!r||r&&t.button===0)&&e(t)}}var RH={pageX:0,pageY:0};function NH(e,t="page"){const r=e.touches[0]||e.changedTouches[0]||RH;return{x:r[`${t}X`],y:r[`${t}Y`]}}function DH(e,t="page"){return{x:e[`${t}X`],y:e[`${t}Y`]}}function zH(e,t="page"){return{point:MH(e)?NH(e,t):DH(e,t)}}var FH=(e,t=!1)=>{const n=r=>e(r,zH(r));return t?OH(n):n},BH=()=>pd&&window.onpointerdown===null,$H=()=>pd&&window.ontouchstart===null,VH=()=>pd&&window.onmousedown===null,WH={pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointercancel:"mousecancel",pointerover:"mouseover",pointerout:"mouseout",pointerenter:"mouseenter",pointerleave:"mouseleave"},HH={pointerdown:"touchstart",pointermove:"touchmove",pointerup:"touchend",pointercancel:"touchcancel"};function jH(e){return BH()?e:$H()?HH[e]:VH()?WH[e]:e}Object.freeze(["base","sm","md","lg","xl","2xl"]);function UH(e){const{userAgent:t,vendor:n}=e,r=/(android)/i.test(t);switch(!0){case/CriOS/.test(t):return"Chrome for iOS";case/Edg\//.test(t):return"Edge";case(r&&/Silk\//.test(t)):return"Silk";case(/Chrome/.test(t)&&/Google Inc/.test(n)):return"Chrome";case/Firefox\/\d+\.\d+$/.test(t):return"Firefox";case r:return"AOSP";case/MSIE|Trident/.test(t):return"IE";case(/Safari/.test(e.userAgent)&&/Apple Computer/.test(t)):return"Safari";case/AppleWebKit/.test(t):return"WebKit";default:return null}}function GH(e){return pd?UH(window.navigator)===e:!1}function ZH(e={}){const{strict:t=!0,errorMessage:n="useContext: `context` is undefined. Seems you forgot to wrap component within the Provider",name:r}=e,o=C.exports.createContext(void 0);o.displayName=r;function i(){var s;const u=C.exports.useContext(o);if(!u&&t){const c=new Error(n);throw c.name="ContextError",(s=Error.captureStackTrace)==null||s.call(Error,c,i),c}return u}return[o.Provider,i,o]}var KH=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|download|draggable|encType|enterKeyHint|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,qH=Fk(function(e){return KH.test(e)||e.charCodeAt(0)===111&&e.charCodeAt(1)===110&&e.charCodeAt(2)<91}),YH=qH,XH=function(t){return t!=="theme"},DS=function(t){return typeof t=="string"&&t.charCodeAt(0)>96?YH:XH},zS=function(t,n,r){var o;if(n){var i=n.shouldForwardProp;o=t.__emotion_forwardProp&&i?function(s){return t.__emotion_forwardProp(s)&&i(s)}:i}return typeof o!="function"&&r&&(o=t.__emotion_forwardProp),o},QH=function(t){var n=t.cache,r=t.serialized,o=t.isStringTag;return Hk(n,r,o),rH(function(){return jk(n,r,o)}),null},JH=function e(t,n){var r=t.__emotion_real===t,o=r&&t.__emotion_base||t,i,s;n!==void 0&&(i=n.label,s=n.target);var u=zS(t,n,r),c=u||DS(o),f=!c("as");return function(){var d=arguments,h=r&&t.__emotion_styles!==void 0?t.__emotion_styles.slice(0):[];if(i!==void 0&&h.push("label:"+i+";"),d[0]==null||d[0].raw===void 0)h.push.apply(h,d);else{h.push(d[0][0]);for(var m=d.length,g=1;g<m;g++)h.push(d[g],d[0][g])}var b=Kk(function(S,E,w){var x=f&&S.as||o,_="",L=[],T=S;if(S.theme==null){T={};for(var R in S)T[R]=S[R];T.theme=C.exports.useContext(Rf)}typeof S.className=="string"?_=YW(E.registered,L,S.className):S.className!=null&&(_=S.className+" ");var N=g3(h.concat(L),E.registered,T);_+=E.key+"-"+N.name,s!==void 0&&(_+=" "+s);var F=f&&u===void 0?DS(x):c,K={};for(var W in S)f&&W==="as"||F(W)&&(K[W]=S[W]);return K.className=_,K.ref=w,C.exports.createElement(C.exports.Fragment,null,C.exports.createElement(QH,{cache:E,serialized:N,isStringTag:typeof x=="string"}),C.exports.createElement(x,K))});return b.displayName=i!==void 0?i:"Styled("+(typeof o=="string"?o:o.displayName||o.name||"Component")+")",b.defaultProps=t.defaultProps,b.__emotion_real=b,b.__emotion_base=o,b.__emotion_styles=h,b.__emotion_forwardProp=u,Object.defineProperty(b,"toString",{value:function(){return"."+s}}),b.withComponent=function(S,E){return e(S,Mf({},n,E,{shouldForwardProp:zS(b,E,!0)})).apply(void 0,h)},b}},ej=["a","abbr","address","area","article","aside","audio","b","base","bdi","bdo","big","blockquote","body","br","button","canvas","caption","cite","code","col","colgroup","data","datalist","dd","del","details","dfn","dialog","div","dl","dt","em","embed","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","iframe","img","input","ins","kbd","keygen","label","legend","li","link","main","map","mark","marquee","menu","menuitem","meta","meter","nav","noscript","object","ol","optgroup","option","output","p","param","picture","pre","progress","q","rp","rt","ruby","s","samp","script","section","select","small","source","span","strong","style","sub","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","title","tr","track","u","ul","var","video","wbr","circle","clipPath","defs","ellipse","foreignObject","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","svg","text","tspan"],Zy=JH.bind();ej.forEach(function(e){Zy[e]=Zy(e)});var tj=typeof Element<"u",nj=typeof Map=="function",rj=typeof Set=="function",oj=typeof ArrayBuffer=="function"&&!!ArrayBuffer.isView;function qh(e,t){if(e===t)return!0;if(e&&t&&typeof e=="object"&&typeof t=="object"){if(e.constructor!==t.constructor)return!1;var n,r,o;if(Array.isArray(e)){if(n=e.length,n!=t.length)return!1;for(r=n;r--!==0;)if(!qh(e[r],t[r]))return!1;return!0}var i;if(nj&&e instanceof Map&&t instanceof Map){if(e.size!==t.size)return!1;for(i=e.entries();!(r=i.next()).done;)if(!t.has(r.value[0]))return!1;for(i=e.entries();!(r=i.next()).done;)if(!qh(r.value[1],t.get(r.value[0])))return!1;return!0}if(rj&&e instanceof Set&&t instanceof Set){if(e.size!==t.size)return!1;for(i=e.entries();!(r=i.next()).done;)if(!t.has(r.value[0]))return!1;return!0}if(oj&&ArrayBuffer.isView(e)&&ArrayBuffer.isView(t)){if(n=e.length,n!=t.length)return!1;for(r=n;r--!==0;)if(e[r]!==t[r])return!1;return!0}if(e.constructor===RegExp)return e.source===t.source&&e.flags===t.flags;if(e.valueOf!==Object.prototype.valueOf)return e.valueOf()===t.valueOf();if(e.toString!==Object.prototype.toString)return e.toString()===t.toString();if(o=Object.keys(e),n=o.length,n!==Object.keys(t).length)return!1;for(r=n;r--!==0;)if(!Object.prototype.hasOwnProperty.call(t,o[r]))return!1;if(tj&&e instanceof Element)return!1;for(r=n;r--!==0;)if(!((o[r]==="_owner"||o[r]==="__v"||o[r]==="__o")&&e.$$typeof)&&!qh(e[o[r]],t[o[r]]))return!1;return!0}return e!==e&&t!==t}var ij=function(t,n){try{return qh(t,n)}catch(r){if((r.message||"").match(/stack|recursion/i))return console.warn("react-fast-compare cannot handle circular refs"),!1;throw r}};function nm(){const e=C.exports.useContext(Rf);if(!e)throw Error("useTheme: `theme` is undefined. Seems you forgot to wrap your app in `<ChakraProvider />` or `<ThemeProvider />`");return e}function rE(){const e=F0(),t=nm();return{...e,theme:t}}function aj(e,t,n){if(t==null)return t;const r=o=>{var i,s;return(s=(i=e.__breakpoints)==null?void 0:i.asArray)==null?void 0:s[o]};return r(t)??r(n)??n}function sj(e,t,n){if(t==null)return t;const r=o=>{var i,s;return(s=(i=e.__cssMap)==null?void 0:i[o])==null?void 0:s.value};return r(t)??r(n)??n}function lj(e,t,n){const r=Array.isArray(t)?t:[t],o=Array.isArray(n)?n:[n];return i=>{const s=o.filter(Boolean),u=r.map((c,f)=>{if(e==="breakpoints")return aj(i,c,s[f]??c);const d=`${e}.${c}`;return sj(i,d,s[f]??c)});return Array.isArray(t)?u:u[0]}}function uj(e){const{cssVarsRoot:t,theme:n,children:r}=e,o=C.exports.useMemo(()=>JV(n),[n]);return q(aH,{theme:o,children:[y(cj,{root:t}),r]})}function cj({root:e=":host, :root"}){const t=[e,"[data-theme]"].join(",");return y(em,{styles:n=>({[t]:n.__cssVars})})}ZH({name:"StylesContext",errorMessage:"useStyles: `styles` is undefined. Seems you forgot to wrap the components in `<StylesProvider />` "});function fj(){const{colorMode:e}=F0();return y(em,{styles:t=>{const n=Yk(t,"styles.global"),r=$1(n,{theme:t,colorMode:e});return r?Tk(r)(t):void 0}})}var dj=new Set([...nW,"textStyle","layerStyle","apply","noOfLines","focusBorderColor","errorBorderColor","as","__css","css","sx"]),pj=new Set(["htmlWidth","htmlHeight","htmlSize"]);function hj(e){return pj.has(e)||!dj.has(e)}var mj=({baseStyle:e})=>t=>{const{theme:n,css:r,__css:o,sx:i,...s}=t,u=Xk(s,(h,m)=>oW(m)),c=$1(e,t),f=Object.assign({},o,c,Qk(u),i),d=Tk(f)(t.theme);return r?[d,r]:d};function Qv(e,t){const{baseStyle:n,...r}=t??{};r.shouldForwardProp||(r.shouldForwardProp=hj);const o=mj({baseStyle:n});return Zy(e,r)(o)}function ue(e){return C.exports.forwardRef(e)}function oE(e,t={}){const{styleConfig:n,...r}=t,{theme:o,colorMode:i}=rE(),s=Yk(o,`components.${e}`),u=n||s,c=ja({theme:o,colorMode:i},u?.defaultProps??{},Qk(uH(r,["children"]))),f=C.exports.useRef({});if(u){const h=dW(u)(c);ij(f.current,h)||(f.current=h)}return f.current}function lr(e,t={}){return oE(e,t)}function ur(e,t={}){return oE(e,t)}function gj(){const e=new Map;return new Proxy(Qv,{apply(t,n,r){return Qv(...r)},get(t,n){return e.has(n)||e.set(n,Qv(n)),e.get(n)}})}var oe=gj();function vj(e,t){return`${e} returned \`undefined\`. Seems you forgot to wrap component within ${t}`}function At(e={}){const{name:t,strict:n=!0,hookName:r="useContext",providerName:o="Provider",errorMessage:i}=e,s=C.exports.createContext(void 0);s.displayName=t;function u(){var c;const f=C.exports.useContext(s);if(!f&&n){const d=new Error(i??vj(r,o));throw d.name="ContextError",(c=Error.captureStackTrace)==null||c.call(Error,d,u),d}return f}return[s.Provider,u,s]}function yj(e,t){if(e!=null){if(typeof e=="function"){e(t);return}try{e.current=t}catch{throw new Error(`Cannot assign value '${t}' to ref '${e}'`)}}}function qt(...e){return t=>{e.forEach(n=>{yj(n,t)})}}function bj(...e){return C.exports.useMemo(()=>qt(...e),e)}function FS(e){return e.sort((t,n)=>{const r=t.compareDocumentPosition(n);if(r&Node.DOCUMENT_POSITION_FOLLOWING||r&Node.DOCUMENT_POSITION_CONTAINED_BY)return-1;if(r&Node.DOCUMENT_POSITION_PRECEDING||r&Node.DOCUMENT_POSITION_CONTAINS)return 1;if(r&Node.DOCUMENT_POSITION_DISCONNECTED||r&Node.DOCUMENT_POSITION_IMPLEMENTATION_SPECIFIC)throw Error("Cannot sort the given nodes.");return 0})}var xj=e=>typeof e=="object"&&"nodeType"in e&&e.nodeType===Node.ELEMENT_NODE;function BS(e,t,n){let r=e+1;return n&&r>=t&&(r=0),r}function $S(e,t,n){let r=e-1;return n&&r<0&&(r=t),r}var Ky=typeof window<"u"?C.exports.useLayoutEffect:C.exports.useEffect,W1=e=>e,Sj=class{descendants=new Map;register=e=>{if(e!=null)return xj(e)?this.registerNode(e):t=>{this.registerNode(t,e)}};unregister=e=>{this.descendants.delete(e);const t=FS(Array.from(this.descendants.keys()));this.assignIndex(t)};destroy=()=>{this.descendants.clear()};assignIndex=e=>{this.descendants.forEach(t=>{const n=e.indexOf(t.node);t.index=n,t.node.dataset.index=t.index.toString()})};count=()=>this.descendants.size;enabledCount=()=>this.enabledValues().length;values=()=>Array.from(this.descendants.values()).sort((t,n)=>t.index-n.index);enabledValues=()=>this.values().filter(e=>!e.disabled);item=e=>{if(this.count()!==0)return this.values()[e]};enabledItem=e=>{if(this.enabledCount()!==0)return this.enabledValues()[e]};first=()=>this.item(0);firstEnabled=()=>this.enabledItem(0);last=()=>this.item(this.descendants.size-1);lastEnabled=()=>{const e=this.enabledValues().length-1;return this.enabledItem(e)};indexOf=e=>{var t;return e?((t=this.descendants.get(e))==null?void 0:t.index)??-1:-1};enabledIndexOf=e=>e==null?-1:this.enabledValues().findIndex(t=>t.node.isSameNode(e));next=(e,t=!0)=>{const n=BS(e,this.count(),t);return this.item(n)};nextEnabled=(e,t=!0)=>{const n=this.item(e);if(!n)return;const r=this.enabledIndexOf(n.node),o=BS(r,this.enabledCount(),t);return this.enabledItem(o)};prev=(e,t=!0)=>{const n=$S(e,this.count()-1,t);return this.item(n)};prevEnabled=(e,t=!0)=>{const n=this.item(e);if(!n)return;const r=this.enabledIndexOf(n.node),o=$S(r,this.enabledCount()-1,t);return this.enabledItem(o)};registerNode=(e,t)=>{if(!e||this.descendants.has(e))return;const n=Array.from(this.descendants.keys()).concat(e),r=FS(n);t?.disabled&&(t.disabled=!!t.disabled);const o={node:e,index:-1,...t};this.descendants.set(e,o),this.assignIndex(r)}};function wj(){const e=C.exports.useRef(new Sj);return Ky(()=>()=>e.current.destroy()),e.current}var[Cj,iE]=At({name:"DescendantsProvider",errorMessage:"useDescendantsContext must be used within DescendantsProvider"});function _j(e){const t=iE(),[n,r]=C.exports.useState(-1),o=C.exports.useRef(null);Ky(()=>()=>{!o.current||t.unregister(o.current)},[]),Ky(()=>{if(!o.current)return;const s=Number(o.current.dataset.index);n!=s&&!Number.isNaN(s)&&r(s)});const i=W1(e?t.register(e):t.register);return{descendants:t,index:n,enabledIndex:t.enabledIndexOf(o.current),register:qt(i,o)}}function aE(){return[W1(Cj),()=>W1(iE()),()=>wj(),o=>_j(o)]}var Xt=(...e)=>e.filter(Boolean).join(" "),VS={path:q("g",{stroke:"currentColor",strokeWidth:"1.5",children:[y("path",{strokeLinecap:"round",fill:"none",d:"M9,9a3,3,0,1,1,4,2.829,1.5,1.5,0,0,0-1,1.415V14.25"}),y("path",{fill:"currentColor",strokeLinecap:"round",d:"M12,17.25a.375.375,0,1,0,.375.375A.375.375,0,0,0,12,17.25h0"}),y("circle",{fill:"none",strokeMiterlimit:"10",cx:"12",cy:"12",r:"11.25"})]}),viewBox:"0 0 24 24"},Gr=ue((e,t)=>{const{as:n,viewBox:r,color:o="currentColor",focusable:i=!1,children:s,className:u,__css:c,...f}=e,d=Xt("chakra-icon",u),h={w:"1em",h:"1em",display:"inline-block",lineHeight:"1em",flexShrink:0,color:o,...c},m={ref:t,focusable:i,className:d,__css:h},g=r??VS.viewBox;if(n&&typeof n!="string")return Q.createElement(oe.svg,{as:n,...m,...f});const b=s??VS.path;return Q.createElement(oe.svg,{verticalAlign:"middle",viewBox:g,...m,...f},b)});Gr.displayName="Icon";function Ou(e){const{viewBox:t="0 0 24 24",d:n,displayName:r,defaultProps:o={}}=e,i=C.exports.Children.toArray(e.path),s=ue((u,c)=>y(Gr,{ref:c,viewBox:t,...o,...u,children:i.length?i:y("path",{fill:"currentColor",d:n})}));return s.displayName=r,s}function Un(e,t=[]){const n=C.exports.useRef(e);return C.exports.useEffect(()=>{n.current=e}),C.exports.useCallback((...r)=>{var o;return(o=n.current)==null?void 0:o.call(n,...r)},t)}function sE(e){const{value:t,defaultValue:n,onChange:r,shouldUpdate:o=(m,g)=>m!==g}=e,i=Un(r),s=Un(o),[u,c]=C.exports.useState(n),f=t!==void 0,d=f?t:u,h=C.exports.useCallback(m=>{const b=typeof m=="function"?m(d):m;!s(d,b)||(f||c(b),i(b))},[f,i,d,s]);return[d,h]}const b3=C.exports.createContext({transformPagePoint:e=>e,isStatic:!1,reducedMotion:"never"}),rm=C.exports.createContext({});function kj(){return C.exports.useContext(rm).visualElement}const Ru=C.exports.createContext(null),Hs=typeof document<"u",H1=Hs?C.exports.useLayoutEffect:C.exports.useEffect,lE=C.exports.createContext({strict:!1});function Ej(e,t,n,r){const o=kj(),i=C.exports.useContext(lE),s=C.exports.useContext(Ru),u=C.exports.useContext(b3).reducedMotion,c=C.exports.useRef(void 0);r=r||i.renderer,!c.current&&r&&(c.current=r(e,{visualState:t,parent:o,props:n,presenceId:s?s.id:void 0,blockInitialAnimation:s?s.initial===!1:!1,reducedMotionConfig:u}));const f=c.current;return H1(()=>{f&&f.syncRender()}),C.exports.useEffect(()=>{f&&f.animationState&&f.animationState.animateChanges()}),H1(()=>()=>f&&f.notifyUnmount(),[]),f}function Gl(e){return typeof e=="object"&&Object.prototype.hasOwnProperty.call(e,"current")}function Lj(e,t,n){return C.exports.useCallback(r=>{r&&e.mount&&e.mount(r),t&&(r?t.mount(r):t.unmount()),n&&(typeof n=="function"?n(r):Gl(n)&&(n.current=r))},[t])}function Nf(e){return typeof e=="string"||Array.isArray(e)}function om(e){return typeof e=="object"&&typeof e.start=="function"}const Pj=["initial","animate","exit","whileHover","whileDrag","whileTap","whileFocus","whileInView"];function im(e){return om(e.animate)||Pj.some(t=>Nf(e[t]))}function uE(e){return Boolean(im(e)||e.variants)}function Aj(e,t){if(im(e)){const{initial:n,animate:r}=e;return{initial:n===!1||Nf(n)?n:void 0,animate:Nf(r)?r:void 0}}return e.inherit!==!1?t:{}}function Tj(e){const{initial:t,animate:n}=Aj(e,C.exports.useContext(rm));return C.exports.useMemo(()=>({initial:t,animate:n}),[WS(t),WS(n)])}function WS(e){return Array.isArray(e)?e.join(" "):e}const Ri=e=>({isEnabled:t=>e.some(n=>!!t[n])}),Df={measureLayout:Ri(["layout","layoutId","drag"]),animation:Ri(["animate","exit","variants","whileHover","whileTap","whileFocus","whileDrag","whileInView"]),exit:Ri(["exit"]),drag:Ri(["drag","dragControls"]),focus:Ri(["whileFocus"]),hover:Ri(["whileHover","onHoverStart","onHoverEnd"]),tap:Ri(["whileTap","onTap","onTapStart","onTapCancel"]),pan:Ri(["onPan","onPanStart","onPanSessionStart","onPanEnd"]),inView:Ri(["whileInView","onViewportEnter","onViewportLeave"])};function Ij(e){for(const t in e)t==="projectionNodeConstructor"?Df.projectionNodeConstructor=e[t]:Df[t].Component=e[t]}function am(e){const t=C.exports.useRef(null);return t.current===null&&(t.current=e()),t.current}const Qc={hasAnimatedSinceResize:!0,hasEverUpdated:!1};let Mj=1;function Oj(){return am(()=>{if(Qc.hasEverUpdated)return Mj++})}const x3=C.exports.createContext({});class Rj extends Q.Component{getSnapshotBeforeUpdate(){const{visualElement:t,props:n}=this.props;return t&&t.setProps(n),null}componentDidUpdate(){}render(){return this.props.children}}const cE=C.exports.createContext({}),Nj=Symbol.for("motionComponentSymbol");function Dj({preloadedFeatures:e,createVisualElement:t,projectionNodeConstructor:n,useRender:r,useVisualState:o,Component:i}){e&&Ij(e);function s(c,f){const d={...C.exports.useContext(b3),...c,layoutId:zj(c)},{isStatic:h}=d;let m=null;const g=Tj(c),b=h?void 0:Oj(),S=o(c,h);if(!h&&Hs){g.visualElement=Ej(i,S,d,t);const E=C.exports.useContext(lE).strict,w=C.exports.useContext(cE);g.visualElement&&(m=g.visualElement.loadFeatures(d,E,e,b,n||Df.projectionNodeConstructor,w))}return q(Rj,{visualElement:g.visualElement,props:d,children:[m,y(rm.Provider,{value:g,children:r(i,c,b,Lj(S,g.visualElement,f),S,h,g.visualElement)})]})}const u=C.exports.forwardRef(s);return u[Nj]=i,u}function zj({layoutId:e}){const t=C.exports.useContext(x3).id;return t&&e!==void 0?t+"-"+e:e}function Fj(e){function t(r,o={}){return Dj(e(r,o))}if(typeof Proxy>"u")return t;const n=new Map;return new Proxy(t,{get:(r,o)=>(n.has(o)||n.set(o,t(o)),n.get(o))})}const Bj=["animate","circle","defs","desc","ellipse","g","image","line","filter","marker","mask","metadata","path","pattern","polygon","polyline","rect","stop","svg","switch","symbol","text","tspan","use","view"];function S3(e){return typeof e!="string"||e.includes("-")?!1:!!(Bj.indexOf(e)>-1||/[A-Z]/.test(e))}const j1={};function $j(e){Object.assign(j1,e)}const U1=["transformPerspective","x","y","z","translateX","translateY","translateZ","scale","scaleX","scaleY","rotate","rotateX","rotateY","rotateZ","skew","skewX","skewY"],hd=new Set(U1);function fE(e,{layout:t,layoutId:n}){return hd.has(e)||e.startsWith("origin")||(t||n!==void 0)&&(!!j1[e]||e==="opacity")}const pi=e=>!!e?.getVelocity,Vj={x:"translateX",y:"translateY",z:"translateZ",transformPerspective:"perspective"},Wj=(e,t)=>U1.indexOf(e)-U1.indexOf(t);function Hj({transform:e,transformKeys:t},{enableHardwareAcceleration:n=!0,allowTransformNone:r=!0},o,i){let s="";t.sort(Wj);for(const u of t)s+=`${Vj[u]||u}(${e[u]}) `;return n&&!e.z&&(s+="translateZ(0)"),s=s.trim(),i?s=i(e,o?"":s):r&&o&&(s="none"),s}function dE(e){return e.startsWith("--")}const jj=(e,t)=>t&&typeof e=="number"?t.transform(e):e,pE=(e,t)=>n=>Math.max(Math.min(n,t),e),Jc=e=>e%1?Number(e.toFixed(5)):e,zf=/(-)?([\d]*\.?[\d])+/g,qy=/(#[0-9a-f]{6}|#[0-9a-f]{3}|#(?:[0-9a-f]{2}){2,4}|(rgb|hsl)a?\((-?[\d\.]+%?[,\s]+){2}(-?[\d\.]+%?)\s*[\,\/]?\s*[\d\.]*%?\))/gi,Uj=/^(#[0-9a-f]{3}|#(?:[0-9a-f]{2}){2,4}|(rgb|hsl)a?\((-?[\d\.]+%?[,\s]+){2}(-?[\d\.]+%?)\s*[\,\/]?\s*[\d\.]*%?\))$/i;function md(e){return typeof e=="string"}const js={test:e=>typeof e=="number",parse:parseFloat,transform:e=>e},ef=Object.assign(Object.assign({},js),{transform:pE(0,1)}),ah=Object.assign(Object.assign({},js),{default:1}),gd=e=>({test:t=>md(t)&&t.endsWith(e)&&t.split(" ").length===1,parse:parseFloat,transform:t=>`${t}${e}`}),va=gd("deg"),si=gd("%"),Ne=gd("px"),Gj=gd("vh"),Zj=gd("vw"),HS=Object.assign(Object.assign({},si),{parse:e=>si.parse(e)/100,transform:e=>si.transform(e*100)}),w3=(e,t)=>n=>Boolean(md(n)&&Uj.test(n)&&n.startsWith(e)||t&&Object.prototype.hasOwnProperty.call(n,t)),hE=(e,t,n)=>r=>{if(!md(r))return r;const[o,i,s,u]=r.match(zf);return{[e]:parseFloat(o),[t]:parseFloat(i),[n]:parseFloat(s),alpha:u!==void 0?parseFloat(u):1}},ks={test:w3("hsl","hue"),parse:hE("hue","saturation","lightness"),transform:({hue:e,saturation:t,lightness:n,alpha:r=1})=>"hsla("+Math.round(e)+", "+si.transform(Jc(t))+", "+si.transform(Jc(n))+", "+Jc(ef.transform(r))+")"},Kj=pE(0,255),Jv=Object.assign(Object.assign({},js),{transform:e=>Math.round(Kj(e))}),Aa={test:w3("rgb","red"),parse:hE("red","green","blue"),transform:({red:e,green:t,blue:n,alpha:r=1})=>"rgba("+Jv.transform(e)+", "+Jv.transform(t)+", "+Jv.transform(n)+", "+Jc(ef.transform(r))+")"};function qj(e){let t="",n="",r="",o="";return e.length>5?(t=e.substr(1,2),n=e.substr(3,2),r=e.substr(5,2),o=e.substr(7,2)):(t=e.substr(1,1),n=e.substr(2,1),r=e.substr(3,1),o=e.substr(4,1),t+=t,n+=n,r+=r,o+=o),{red:parseInt(t,16),green:parseInt(n,16),blue:parseInt(r,16),alpha:o?parseInt(o,16)/255:1}}const Yy={test:w3("#"),parse:qj,transform:Aa.transform},nr={test:e=>Aa.test(e)||Yy.test(e)||ks.test(e),parse:e=>Aa.test(e)?Aa.parse(e):ks.test(e)?ks.parse(e):Yy.parse(e),transform:e=>md(e)?e:e.hasOwnProperty("red")?Aa.transform(e):ks.transform(e)},mE="${c}",gE="${n}";function Yj(e){var t,n,r,o;return isNaN(e)&&md(e)&&((n=(t=e.match(zf))===null||t===void 0?void 0:t.length)!==null&&n!==void 0?n:0)+((o=(r=e.match(qy))===null||r===void 0?void 0:r.length)!==null&&o!==void 0?o:0)>0}function vE(e){typeof e=="number"&&(e=`${e}`);const t=[];let n=0;const r=e.match(qy);r&&(n=r.length,e=e.replace(qy,mE),t.push(...r.map(nr.parse)));const o=e.match(zf);return o&&(e=e.replace(zf,gE),t.push(...o.map(js.parse))),{values:t,numColors:n,tokenised:e}}function yE(e){return vE(e).values}function bE(e){const{values:t,numColors:n,tokenised:r}=vE(e),o=t.length;return i=>{let s=r;for(let u=0;u<o;u++)s=s.replace(u<n?mE:gE,u<n?nr.transform(i[u]):Jc(i[u]));return s}}const Xj=e=>typeof e=="number"?0:e;function Qj(e){const t=yE(e);return bE(e)(t.map(Xj))}const qi={test:Yj,parse:yE,createTransformer:bE,getAnimatableNone:Qj},Jj=new Set(["brightness","contrast","saturate","opacity"]);function eU(e){let[t,n]=e.slice(0,-1).split("(");if(t==="drop-shadow")return e;const[r]=n.match(zf)||[];if(!r)return e;const o=n.replace(r,"");let i=Jj.has(t)?1:0;return r!==n&&(i*=100),t+"("+i+o+")"}const tU=/([a-z-]*)\(.*?\)/g,Xy=Object.assign(Object.assign({},qi),{getAnimatableNone:e=>{const t=e.match(tU);return t?t.map(eU).join(" "):e}}),jS={...js,transform:Math.round},xE={borderWidth:Ne,borderTopWidth:Ne,borderRightWidth:Ne,borderBottomWidth:Ne,borderLeftWidth:Ne,borderRadius:Ne,radius:Ne,borderTopLeftRadius:Ne,borderTopRightRadius:Ne,borderBottomRightRadius:Ne,borderBottomLeftRadius:Ne,width:Ne,maxWidth:Ne,height:Ne,maxHeight:Ne,size:Ne,top:Ne,right:Ne,bottom:Ne,left:Ne,padding:Ne,paddingTop:Ne,paddingRight:Ne,paddingBottom:Ne,paddingLeft:Ne,margin:Ne,marginTop:Ne,marginRight:Ne,marginBottom:Ne,marginLeft:Ne,rotate:va,rotateX:va,rotateY:va,rotateZ:va,scale:ah,scaleX:ah,scaleY:ah,scaleZ:ah,skew:va,skewX:va,skewY:va,distance:Ne,translateX:Ne,translateY:Ne,translateZ:Ne,x:Ne,y:Ne,z:Ne,perspective:Ne,transformPerspective:Ne,opacity:ef,originX:HS,originY:HS,originZ:Ne,zIndex:jS,fillOpacity:ef,strokeOpacity:ef,numOctaves:jS};function C3(e,t,n,r){const{style:o,vars:i,transform:s,transformKeys:u,transformOrigin:c}=e;u.length=0;let f=!1,d=!1,h=!0;for(const m in t){const g=t[m];if(dE(m)){i[m]=g;continue}const b=xE[m],S=jj(g,b);if(hd.has(m)){if(f=!0,s[m]=S,u.push(m),!h)continue;g!==(b.default||0)&&(h=!1)}else m.startsWith("origin")?(d=!0,c[m]=S):o[m]=S}if(f||r?o.transform=Hj(e,n,h,r):!t.transform&&o.transform&&(o.transform="none"),d){const{originX:m="50%",originY:g="50%",originZ:b=0}=c;o.transformOrigin=`${m} ${g} ${b}`}}const _3=()=>({style:{},transform:{},transformKeys:[],transformOrigin:{},vars:{}});function SE(e,t,n){for(const r in t)!pi(t[r])&&!fE(r,n)&&(e[r]=t[r])}function nU({transformTemplate:e},t,n){return C.exports.useMemo(()=>{const r=_3();return C3(r,t,{enableHardwareAcceleration:!n},e),Object.assign({},r.vars,r.style)},[t])}function rU(e,t,n){const r=e.style||{},o={};return SE(o,r,e),Object.assign(o,nU(e,t,n)),e.transformValues?e.transformValues(o):o}function oU(e,t,n){const r={},o=rU(e,t,n);return e.drag&&e.dragListener!==!1&&(r.draggable=!1,o.userSelect=o.WebkitUserSelect=o.WebkitTouchCallout="none",o.touchAction=e.drag===!0?"none":`pan-${e.drag==="x"?"y":"x"}`),r.style=o,r}const iU=["animate","exit","variants","whileHover","whileTap","whileFocus","whileDrag","whileInView"],aU=["whileTap","onTap","onTapStart","onTapCancel"],sU=["onPan","onPanStart","onPanSessionStart","onPanEnd"],lU=["whileInView","onViewportEnter","onViewportLeave","viewport"],uU=new Set(["initial","style","variants","transition","transformTemplate","transformValues","custom","inherit","layout","layoutId","layoutDependency","onLayoutAnimationStart","onLayoutAnimationComplete","onLayoutMeasure","onBeforeLayoutMeasure","onAnimationStart","onAnimationComplete","onUpdate","onDragStart","onDrag","onDragEnd","onMeasureDragConstraints","onDirectionLock","onDragTransitionEnd","drag","dragControls","dragListener","dragConstraints","dragDirectionLock","dragSnapToOrigin","_dragX","_dragY","dragElastic","dragMomentum","dragPropagation","dragTransition","onHoverStart","onHoverEnd","layoutScroll",...lU,...aU,...iU,...sU]);function G1(e){return uU.has(e)}let wE=e=>!G1(e);function cU(e){!e||(wE=t=>t.startsWith("on")?!G1(t):e(t))}try{cU(require("@emotion/is-prop-valid").default)}catch{}function fU(e,t,n){const r={};for(const o in e)(wE(o)||n===!0&&G1(o)||!t&&!G1(o)||e.draggable&&o.startsWith("onDrag"))&&(r[o]=e[o]);return r}function US(e,t,n){return typeof e=="string"?e:Ne.transform(t+n*e)}function dU(e,t,n){const r=US(t,e.x,e.width),o=US(n,e.y,e.height);return`${r} ${o}`}const pU={offset:"stroke-dashoffset",array:"stroke-dasharray"},hU={offset:"strokeDashoffset",array:"strokeDasharray"};function mU(e,t,n=1,r=0,o=!0){e.pathLength=1;const i=o?pU:hU;e[i.offset]=Ne.transform(-r);const s=Ne.transform(t),u=Ne.transform(n);e[i.array]=`${s} ${u}`}function k3(e,{attrX:t,attrY:n,originX:r,originY:o,pathLength:i,pathSpacing:s=1,pathOffset:u=0,...c},f,d){C3(e,c,f,d),e.attrs=e.style,e.style={};const{attrs:h,style:m,dimensions:g}=e;h.transform&&(g&&(m.transform=h.transform),delete h.transform),g&&(r!==void 0||o!==void 0||m.transform)&&(m.transformOrigin=dU(g,r!==void 0?r:.5,o!==void 0?o:.5)),t!==void 0&&(h.x=t),n!==void 0&&(h.y=n),i!==void 0&&mU(h,i,s,u,!1)}const CE=()=>({..._3(),attrs:{}});function gU(e,t){const n=C.exports.useMemo(()=>{const r=CE();return k3(r,t,{enableHardwareAcceleration:!1},e.transformTemplate),{...r.attrs,style:{...r.style}}},[t]);if(e.style){const r={};SE(r,e.style,e),n.style={...r,...n.style}}return n}function vU(e=!1){return(n,r,o,i,{latestValues:s},u)=>{const f=(S3(n)?gU:oU)(r,s,u),h={...fU(r,typeof n=="string",e),...f,ref:i};return o&&(h["data-projection-id"]=o),C.exports.createElement(n,h)}}const _E=e=>e.replace(/([a-z])([A-Z])/g,"$1-$2").toLowerCase();function kE(e,{style:t,vars:n},r,o){Object.assign(e.style,t,o&&o.getProjectionStyles(r));for(const i in n)e.style.setProperty(i,n[i])}const EE=new Set(["baseFrequency","diffuseConstant","kernelMatrix","kernelUnitLength","keySplines","keyTimes","limitingConeAngle","markerHeight","markerWidth","numOctaves","targetX","targetY","surfaceScale","specularConstant","specularExponent","stdDeviation","tableValues","viewBox","gradientTransform","pathLength"]);function LE(e,t,n,r){kE(e,t,void 0,r);for(const o in t.attrs)e.setAttribute(EE.has(o)?o:_E(o),t.attrs[o])}function E3(e){const{style:t}=e,n={};for(const r in t)(pi(t[r])||fE(r,e))&&(n[r]=t[r]);return n}function PE(e){const t=E3(e);for(const n in e)if(pi(e[n])){const r=n==="x"||n==="y"?"attr"+n.toUpperCase():n;t[r]=e[n]}return t}function AE(e,t,n,r={},o={}){return typeof t=="function"&&(t=t(n!==void 0?n:e.custom,r,o)),typeof t=="string"&&(t=e.variants&&e.variants[t]),typeof t=="function"&&(t=t(n!==void 0?n:e.custom,r,o)),t}const Ff=e=>Array.isArray(e),yU=e=>Boolean(e&&typeof e=="object"&&e.mix&&e.toValue),TE=e=>Ff(e)?e[e.length-1]||0:e;function Yh(e){const t=pi(e)?e.get():e;return yU(t)?t.toValue():t}function bU({scrapeMotionValuesFromProps:e,createRenderState:t,onMount:n},r,o,i){const s={latestValues:xU(r,o,i,e),renderState:t()};return n&&(s.mount=u=>n(r,u,s)),s}const IE=e=>(t,n)=>{const r=C.exports.useContext(rm),o=C.exports.useContext(Ru),i=()=>bU(e,t,r,o);return n?i():am(i)};function xU(e,t,n,r){const o={},i=r(e);for(const m in i)o[m]=Yh(i[m]);let{initial:s,animate:u}=e;const c=im(e),f=uE(e);t&&f&&!c&&e.inherit!==!1&&(s===void 0&&(s=t.initial),u===void 0&&(u=t.animate));let d=n?n.initial===!1:!1;d=d||s===!1;const h=d?u:s;return h&&typeof h!="boolean"&&!om(h)&&(Array.isArray(h)?h:[h]).forEach(g=>{const b=AE(e,g);if(!b)return;const{transitionEnd:S,transition:E,...w}=b;for(const x in w){let _=w[x];if(Array.isArray(_)){const L=d?_.length-1:0;_=_[L]}_!==null&&(o[x]=_)}for(const x in S)o[x]=S[x]}),o}const SU={useVisualState:IE({scrapeMotionValuesFromProps:PE,createRenderState:CE,onMount:(e,t,{renderState:n,latestValues:r})=>{try{n.dimensions=typeof t.getBBox=="function"?t.getBBox():t.getBoundingClientRect()}catch{n.dimensions={x:0,y:0,width:0,height:0}}k3(n,r,{enableHardwareAcceleration:!1},e.transformTemplate),LE(t,n)}})},wU={useVisualState:IE({scrapeMotionValuesFromProps:E3,createRenderState:_3})};function CU(e,{forwardMotionProps:t=!1},n,r,o){return{...S3(e)?SU:wU,preloadedFeatures:n,useRender:vU(t),createVisualElement:r,projectionNodeConstructor:o,Component:e}}var Lt;(function(e){e.Animate="animate",e.Hover="whileHover",e.Tap="whileTap",e.Drag="whileDrag",e.Focus="whileFocus",e.InView="whileInView",e.Exit="exit"})(Lt||(Lt={}));function sm(e,t,n,r={passive:!0}){return e.addEventListener(t,n,r),()=>e.removeEventListener(t,n)}function Qy(e,t,n,r){C.exports.useEffect(()=>{const o=e.current;if(n&&o)return sm(o,t,n,r)},[e,t,n,r])}function _U({whileFocus:e,visualElement:t}){const{animationState:n}=t,r=()=>{n&&n.setActive(Lt.Focus,!0)},o=()=>{n&&n.setActive(Lt.Focus,!1)};Qy(t,"focus",e?r:void 0),Qy(t,"blur",e?o:void 0)}function ME(e){return typeof PointerEvent<"u"&&e instanceof PointerEvent?e.pointerType==="mouse":e instanceof MouseEvent}function OE(e){return!!e.touches}function kU(e){return t=>{const n=t instanceof MouseEvent;(!n||n&&t.button===0)&&e(t)}}const EU={pageX:0,pageY:0};function LU(e,t="page"){const r=e.touches[0]||e.changedTouches[0]||EU;return{x:r[t+"X"],y:r[t+"Y"]}}function PU(e,t="page"){return{x:e[t+"X"],y:e[t+"Y"]}}function L3(e,t="page"){return{point:OE(e)?LU(e,t):PU(e,t)}}const RE=(e,t=!1)=>{const n=r=>e(r,L3(r));return t?kU(n):n},AU=()=>Hs&&window.onpointerdown===null,TU=()=>Hs&&window.ontouchstart===null,IU=()=>Hs&&window.onmousedown===null,MU={pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointercancel:"mousecancel",pointerover:"mouseover",pointerout:"mouseout",pointerenter:"mouseenter",pointerleave:"mouseleave"},OU={pointerdown:"touchstart",pointermove:"touchmove",pointerup:"touchend",pointercancel:"touchcancel"};function NE(e){return AU()?e:TU()?OU[e]:IU()?MU[e]:e}function nu(e,t,n,r){return sm(e,NE(t),RE(n,t==="pointerdown"),r)}function Z1(e,t,n,r){return Qy(e,NE(t),n&&RE(n,t==="pointerdown"),r)}function DE(e){let t=null;return()=>{const n=()=>{t=null};return t===null?(t=e,n):!1}}const GS=DE("dragHorizontal"),ZS=DE("dragVertical");function zE(e){let t=!1;if(e==="y")t=ZS();else if(e==="x")t=GS();else{const n=GS(),r=ZS();n&&r?t=()=>{n(),r()}:(n&&n(),r&&r())}return t}function FE(){const e=zE(!0);return e?(e(),!1):!0}function KS(e,t,n){return(r,o)=>{!ME(r)||FE()||(e.animationState&&e.animationState.setActive(Lt.Hover,t),n&&n(r,o))}}function RU({onHoverStart:e,onHoverEnd:t,whileHover:n,visualElement:r}){Z1(r,"pointerenter",e||n?KS(r,!0,e):void 0,{passive:!e}),Z1(r,"pointerleave",t||n?KS(r,!1,t):void 0,{passive:!t})}const BE=(e,t)=>t?e===t?!0:BE(e,t.parentElement):!1;function P3(e){return C.exports.useEffect(()=>()=>e(),[])}var ei=function(){return ei=Object.assign||function(t){for(var n,r=1,o=arguments.length;r<o;r++){n=arguments[r];for(var i in n)Object.prototype.hasOwnProperty.call(n,i)&&(t[i]=n[i])}return t},ei.apply(this,arguments)};function lm(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&t.indexOf(r)<0&&(n[r]=e[r]);if(e!=null&&typeof Object.getOwnPropertySymbols=="function")for(var o=0,r=Object.getOwnPropertySymbols(e);o<r.length;o++)t.indexOf(r[o])<0&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n}function Nu(e,t,n,r){function o(i){return i instanceof n?i:new n(function(s){s(i)})}return new(n||(n=Promise))(function(i,s){function u(d){try{f(r.next(d))}catch(h){s(h)}}function c(d){try{f(r.throw(d))}catch(h){s(h)}}function f(d){d.done?i(d.value):o(d.value).then(u,c)}f((r=r.apply(e,t||[])).next())})}function Du(e,t){var n={label:0,sent:function(){if(i[0]&1)throw i[1];return i[1]},trys:[],ops:[]},r,o,i,s;return s={next:u(0),throw:u(1),return:u(2)},typeof Symbol=="function"&&(s[Symbol.iterator]=function(){return this}),s;function u(f){return function(d){return c([f,d])}}function c(f){if(r)throw new TypeError("Generator is already executing.");for(;n;)try{if(r=1,o&&(i=f[0]&2?o.return:f[0]?o.throw||((i=o.return)&&i.call(o),0):o.next)&&!(i=i.call(o,f[1])).done)return i;switch(o=0,i&&(f=[f[0]&2,i.value]),f[0]){case 0:case 1:i=f;break;case 4:return n.label++,{value:f[1],done:!1};case 5:n.label++,o=f[1],f=[0];continue;case 7:f=n.ops.pop(),n.trys.pop();continue;default:if(i=n.trys,!(i=i.length>0&&i[i.length-1])&&(f[0]===6||f[0]===2)){n=0;continue}if(f[0]===3&&(!i||f[1]>i[0]&&f[1]<i[3])){n.label=f[1];break}if(f[0]===6&&n.label<i[1]){n.label=i[1],i=f;break}if(i&&n.label<i[2]){n.label=i[2],n.ops.push(f);break}i[2]&&n.ops.pop(),n.trys.pop();continue}f=t.call(e,n)}catch(d){f=[6,d],o=0}finally{r=i=0}if(f[0]&5)throw f[1];return{value:f[0]?f[1]:void 0,done:!0}}}function qS(e,t){var n=typeof Symbol=="function"&&e[Symbol.iterator];if(!n)return e;var r=n.call(e),o,i=[],s;try{for(;(t===void 0||t-- >0)&&!(o=r.next()).done;)i.push(o.value)}catch(u){s={error:u}}finally{try{o&&!o.done&&(n=r.return)&&n.call(r)}finally{if(s)throw s.error}}return i}function Jy(e,t,n){if(n||arguments.length===2)for(var r=0,o=t.length,i;r<o;r++)(i||!(r in t))&&(i||(i=Array.prototype.slice.call(t,0,r)),i[r]=t[r]);return e.concat(i||Array.prototype.slice.call(t))}var NU=function(){},K1=function(){};const q1=(e,t,n)=>Math.min(Math.max(n,e),t),e2=.001,DU=.01,YS=10,zU=.05,FU=1;function BU({duration:e=800,bounce:t=.25,velocity:n=0,mass:r=1}){let o,i;NU(e<=YS*1e3);let s=1-t;s=q1(zU,FU,s),e=q1(DU,YS,e/1e3),s<1?(o=f=>{const d=f*s,h=d*e,m=d-n,g=e5(f,s),b=Math.exp(-h);return e2-m/g*b},i=f=>{const h=f*s*e,m=h*n+n,g=Math.pow(s,2)*Math.pow(f,2)*e,b=Math.exp(-h),S=e5(Math.pow(f,2),s);return(-o(f)+e2>0?-1:1)*((m-g)*b)/S}):(o=f=>{const d=Math.exp(-f*e),h=(f-n)*e+1;return-e2+d*h},i=f=>{const d=Math.exp(-f*e),h=(n-f)*(e*e);return d*h});const u=5/e,c=VU(o,i,u);if(e=e*1e3,isNaN(c))return{stiffness:100,damping:10,duration:e};{const f=Math.pow(c,2)*r;return{stiffness:f,damping:s*2*Math.sqrt(r*f),duration:e}}}const $U=12;function VU(e,t,n){let r=n;for(let o=1;o<$U;o++)r=r-e(r)/t(r);return r}function e5(e,t){return e*Math.sqrt(1-t*t)}const WU=["duration","bounce"],HU=["stiffness","damping","mass"];function XS(e,t){return t.some(n=>e[n]!==void 0)}function jU(e){let t=Object.assign({velocity:0,stiffness:100,damping:10,mass:1,isResolvedFromDuration:!1},e);if(!XS(e,HU)&&XS(e,WU)){const n=BU(e);t=Object.assign(Object.assign(Object.assign({},t),n),{velocity:0,mass:1}),t.isResolvedFromDuration=!0}return t}function A3(e){var{from:t=0,to:n=1,restSpeed:r=2,restDelta:o}=e,i=lm(e,["from","to","restSpeed","restDelta"]);const s={done:!1,value:t};let{stiffness:u,damping:c,mass:f,velocity:d,duration:h,isResolvedFromDuration:m}=jU(i),g=QS,b=QS;function S(){const E=d?-(d/1e3):0,w=n-t,x=c/(2*Math.sqrt(u*f)),_=Math.sqrt(u/f)/1e3;if(o===void 0&&(o=Math.min(Math.abs(n-t)/100,.4)),x<1){const L=e5(_,x);g=T=>{const R=Math.exp(-x*_*T);return n-R*((E+x*_*w)/L*Math.sin(L*T)+w*Math.cos(L*T))},b=T=>{const R=Math.exp(-x*_*T);return x*_*R*(Math.sin(L*T)*(E+x*_*w)/L+w*Math.cos(L*T))-R*(Math.cos(L*T)*(E+x*_*w)-L*w*Math.sin(L*T))}}else if(x===1)g=L=>n-Math.exp(-_*L)*(w+(E+_*w)*L);else{const L=_*Math.sqrt(x*x-1);g=T=>{const R=Math.exp(-x*_*T),N=Math.min(L*T,300);return n-R*((E+x*_*w)*Math.sinh(N)+L*w*Math.cosh(N))/L}}}return S(),{next:E=>{const w=g(E);if(m)s.done=E>=h;else{const x=b(E)*1e3,_=Math.abs(x)<=r,L=Math.abs(n-w)<=o;s.done=_&&L}return s.value=s.done?n:w,s},flipTarget:()=>{d=-d,[t,n]=[n,t],S()}}}A3.needsInterpolation=(e,t)=>typeof e=="string"||typeof t=="string";const QS=e=>0,Bf=(e,t,n)=>{const r=t-e;return r===0?1:(n-e)/r},Yt=(e,t,n)=>-n*e+n*t+e;function t2(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+(t-e)*6*n:n<1/2?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function JS({hue:e,saturation:t,lightness:n,alpha:r}){e/=360,t/=100,n/=100;let o=0,i=0,s=0;if(!t)o=i=s=n;else{const u=n<.5?n*(1+t):n+t-n*t,c=2*n-u;o=t2(c,u,e+1/3),i=t2(c,u,e),s=t2(c,u,e-1/3)}return{red:Math.round(o*255),green:Math.round(i*255),blue:Math.round(s*255),alpha:r}}const UU=(e,t,n)=>{const r=e*e,o=t*t;return Math.sqrt(Math.max(0,n*(o-r)+r))},GU=[Yy,Aa,ks],ew=e=>GU.find(t=>t.test(e)),$E=(e,t)=>{let n=ew(e),r=ew(t),o=n.parse(e),i=r.parse(t);n===ks&&(o=JS(o),n=Aa),r===ks&&(i=JS(i),r=Aa);const s=Object.assign({},o);return u=>{for(const c in s)c!=="alpha"&&(s[c]=UU(o[c],i[c],u));return s.alpha=Yt(o.alpha,i.alpha,u),n.transform(s)}},t5=e=>typeof e=="number",ZU=(e,t)=>n=>t(e(n)),um=(...e)=>e.reduce(ZU);function VE(e,t){return t5(e)?n=>Yt(e,t,n):nr.test(e)?$E(e,t):HE(e,t)}const WE=(e,t)=>{const n=[...e],r=n.length,o=e.map((i,s)=>VE(i,t[s]));return i=>{for(let s=0;s<r;s++)n[s]=o[s](i);return n}},KU=(e,t)=>{const n=Object.assign(Object.assign({},e),t),r={};for(const o in n)e[o]!==void 0&&t[o]!==void 0&&(r[o]=VE(e[o],t[o]));return o=>{for(const i in r)n[i]=r[i](o);return n}};function tw(e){const t=qi.parse(e),n=t.length;let r=0,o=0,i=0;for(let s=0;s<n;s++)r||typeof t[s]=="number"?r++:t[s].hue!==void 0?i++:o++;return{parsed:t,numNumbers:r,numRGB:o,numHSL:i}}const HE=(e,t)=>{const n=qi.createTransformer(t),r=tw(e),o=tw(t);return r.numHSL===o.numHSL&&r.numRGB===o.numRGB&&r.numNumbers>=o.numNumbers?um(WE(r.parsed,o.parsed),n):s=>`${s>0?t:e}`},qU=(e,t)=>n=>Yt(e,t,n);function YU(e){if(typeof e=="number")return qU;if(typeof e=="string")return nr.test(e)?$E:HE;if(Array.isArray(e))return WE;if(typeof e=="object")return KU}function XU(e,t,n){const r=[],o=n||YU(e[0]),i=e.length-1;for(let s=0;s<i;s++){let u=o(e[s],e[s+1]);if(t){const c=Array.isArray(t)?t[s]:t;u=um(c,u)}r.push(u)}return r}function QU([e,t],[n]){return r=>n(Bf(e,t,r))}function JU(e,t){const n=e.length,r=n-1;return o=>{let i=0,s=!1;if(o<=e[0]?s=!0:o>=e[r]&&(i=r-1,s=!0),!s){let c=1;for(;c<n&&!(e[c]>o||c===r);c++);i=c-1}const u=Bf(e[i],e[i+1],o);return t[i](u)}}function jE(e,t,{clamp:n=!0,ease:r,mixer:o}={}){const i=e.length;K1(i===t.length),K1(!r||!Array.isArray(r)||r.length===i-1),e[0]>e[i-1]&&(e=[].concat(e),t=[].concat(t),e.reverse(),t.reverse());const s=XU(t,r,o),u=i===2?QU(e,s):JU(e,s);return n?c=>u(q1(e[0],e[i-1],c)):u}const cm=e=>t=>1-e(1-t),T3=e=>t=>t<=.5?e(2*t)/2:(2-e(2*(1-t)))/2,eG=e=>t=>Math.pow(t,e),UE=e=>t=>t*t*((e+1)*t-e),tG=e=>{const t=UE(e);return n=>(n*=2)<1?.5*t(n):.5*(2-Math.pow(2,-10*(n-1)))},GE=1.525,nG=4/11,rG=8/11,oG=9/10,I3=e=>e,M3=eG(2),iG=cm(M3),ZE=T3(M3),KE=e=>1-Math.sin(Math.acos(e)),O3=cm(KE),aG=T3(O3),R3=UE(GE),sG=cm(R3),lG=T3(R3),uG=tG(GE),cG=4356/361,fG=35442/1805,dG=16061/1805,Y1=e=>{if(e===1||e===0)return e;const t=e*e;return e<nG?7.5625*t:e<rG?9.075*t-9.9*e+3.4:e<oG?cG*t-fG*e+dG:10.8*e*e-20.52*e+10.72},pG=cm(Y1),hG=e=>e<.5?.5*(1-Y1(1-e*2)):.5*Y1(e*2-1)+.5;function mG(e,t){return e.map(()=>t||ZE).splice(0,e.length-1)}function gG(e){const t=e.length;return e.map((n,r)=>r!==0?r/(t-1):0)}function vG(e,t){return e.map(n=>n*t)}function Xh({from:e=0,to:t=1,ease:n,offset:r,duration:o=300}){const i={done:!1,value:e},s=Array.isArray(t)?t:[e,t],u=vG(r&&r.length===s.length?r:gG(s),o);function c(){return jE(u,s,{ease:Array.isArray(n)?n:mG(s,n)})}let f=c();return{next:d=>(i.value=f(d),i.done=d>=o,i),flipTarget:()=>{s.reverse(),f=c()}}}function yG({velocity:e=0,from:t=0,power:n=.8,timeConstant:r=350,restDelta:o=.5,modifyTarget:i}){const s={done:!1,value:t};let u=n*e;const c=t+u,f=i===void 0?c:i(c);return f!==c&&(u=f-t),{next:d=>{const h=-u*Math.exp(-d/r);return s.done=!(h>o||h<-o),s.value=s.done?f:f+h,s},flipTarget:()=>{}}}const nw={keyframes:Xh,spring:A3,decay:yG};function bG(e){if(Array.isArray(e.to))return Xh;if(nw[e.type])return nw[e.type];const t=new Set(Object.keys(e));return t.has("ease")||t.has("duration")&&!t.has("dampingRatio")?Xh:t.has("dampingRatio")||t.has("stiffness")||t.has("mass")||t.has("damping")||t.has("restSpeed")||t.has("restDelta")?A3:Xh}const qE=1/60*1e3,xG=typeof performance<"u"?()=>performance.now():()=>Date.now(),YE=typeof window<"u"?e=>window.requestAnimationFrame(e):e=>setTimeout(()=>e(xG()),qE);function SG(e){let t=[],n=[],r=0,o=!1,i=!1;const s=new WeakSet,u={schedule:(c,f=!1,d=!1)=>{const h=d&&o,m=h?t:n;return f&&s.add(c),m.indexOf(c)===-1&&(m.push(c),h&&o&&(r=t.length)),c},cancel:c=>{const f=n.indexOf(c);f!==-1&&n.splice(f,1),s.delete(c)},process:c=>{if(o){i=!0;return}if(o=!0,[t,n]=[n,t],n.length=0,r=t.length,r)for(let f=0;f<r;f++){const d=t[f];d(c),s.has(d)&&(u.schedule(d),e())}o=!1,i&&(i=!1,u.process(c))}};return u}const wG=40;let n5=!0,$f=!1,r5=!1;const ru={delta:0,timestamp:0},vd=["read","update","preRender","render","postRender"],fm=vd.reduce((e,t)=>(e[t]=SG(()=>$f=!0),e),{}),CG=vd.reduce((e,t)=>{const n=fm[t];return e[t]=(r,o=!1,i=!1)=>($f||EG(),n.schedule(r,o,i)),e},{}),_G=vd.reduce((e,t)=>(e[t]=fm[t].cancel,e),{});vd.reduce((e,t)=>(e[t]=()=>fm[t].process(ru),e),{});const kG=e=>fm[e].process(ru),XE=e=>{$f=!1,ru.delta=n5?qE:Math.max(Math.min(e-ru.timestamp,wG),1),ru.timestamp=e,r5=!0,vd.forEach(kG),r5=!1,$f&&(n5=!1,YE(XE))},EG=()=>{$f=!0,n5=!0,r5||YE(XE)},LG=()=>ru;function QE(e,t,n=0){return e-t-n}function PG(e,t,n=0,r=!0){return r?QE(t+-e,t,n):t-(e-t)+n}function AG(e,t,n,r){return r?e>=t+n:e<=-n}const TG=e=>{const t=({delta:n})=>e(n);return{start:()=>CG.update(t,!0),stop:()=>_G.update(t)}};function JE(e){var t,n,{from:r,autoplay:o=!0,driver:i=TG,elapsed:s=0,repeat:u=0,repeatType:c="loop",repeatDelay:f=0,onPlay:d,onStop:h,onComplete:m,onRepeat:g,onUpdate:b}=e,S=lm(e,["from","autoplay","driver","elapsed","repeat","repeatType","repeatDelay","onPlay","onStop","onComplete","onRepeat","onUpdate"]);let{to:E}=S,w,x=0,_=S.duration,L,T=!1,R=!0,N;const F=bG(S);!((n=(t=F).needsInterpolation)===null||n===void 0)&&n.call(t,r,E)&&(N=jE([0,100],[r,E],{clamp:!1}),r=0,E=100);const K=F(Object.assign(Object.assign({},S),{from:r,to:E}));function W(){x++,c==="reverse"?(R=x%2===0,s=PG(s,_,f,R)):(s=QE(s,_,f),c==="mirror"&&K.flipTarget()),T=!1,g&&g()}function J(){w.stop(),m&&m()}function ve(he){if(R||(he=-he),s+=he,!T){const fe=K.next(Math.max(0,s));L=fe.value,N&&(L=N(L)),T=R?fe.done:s<=0}b?.(L),T&&(x===0&&(_??(_=s)),x<u?AG(s,_,f,R)&&W():J())}function xe(){d?.(),w=i(ve),w.start()}return o&&xe(),{stop:()=>{h?.(),w.stop()}}}function eL(e,t){return t?e*(1e3/t):0}function IG({from:e=0,velocity:t=0,min:n,max:r,power:o=.8,timeConstant:i=750,bounceStiffness:s=500,bounceDamping:u=10,restDelta:c=1,modifyTarget:f,driver:d,onUpdate:h,onComplete:m,onStop:g}){let b;function S(_){return n!==void 0&&_<n||r!==void 0&&_>r}function E(_){return n===void 0?r:r===void 0||Math.abs(n-_)<Math.abs(r-_)?n:r}function w(_){b?.stop(),b=JE(Object.assign(Object.assign({},_),{driver:d,onUpdate:L=>{var T;h?.(L),(T=_.onUpdate)===null||T===void 0||T.call(_,L)},onComplete:m,onStop:g}))}function x(_){w(Object.assign({type:"spring",stiffness:s,damping:u,restDelta:c},_))}if(S(e))x({from:e,velocity:t,to:E(e)});else{let _=o*t+e;typeof f<"u"&&(_=f(_));const L=E(_),T=L===n?-1:1;let R,N;const F=K=>{R=N,N=K,t=eL(K-R,LG().delta),(T===1&&K>L||T===-1&&K<L)&&x({from:K,to:L,velocity:t})};w({type:"decay",from:e,velocity:t,timeConstant:i,power:o,restDelta:c,modifyTarget:f,onUpdate:S(_)?F:void 0})}return{stop:()=>b?.stop()}}const o5=e=>e.hasOwnProperty("x")&&e.hasOwnProperty("y"),rw=e=>o5(e)&&e.hasOwnProperty("z"),sh=(e,t)=>Math.abs(e-t);function N3(e,t){if(t5(e)&&t5(t))return sh(e,t);if(o5(e)&&o5(t)){const n=sh(e.x,t.x),r=sh(e.y,t.y),o=rw(e)&&rw(t)?sh(e.z,t.z):0;return Math.sqrt(Math.pow(n,2)+Math.pow(r,2)+Math.pow(o,2))}}const tL=(e,t)=>1-3*t+3*e,nL=(e,t)=>3*t-6*e,rL=e=>3*e,X1=(e,t,n)=>((tL(t,n)*e+nL(t,n))*e+rL(t))*e,oL=(e,t,n)=>3*tL(t,n)*e*e+2*nL(t,n)*e+rL(t),MG=1e-7,OG=10;function RG(e,t,n,r,o){let i,s,u=0;do s=t+(n-t)/2,i=X1(s,r,o)-e,i>0?n=s:t=s;while(Math.abs(i)>MG&&++u<OG);return s}const NG=8,DG=.001;function zG(e,t,n,r){for(let o=0;o<NG;++o){const i=oL(t,n,r);if(i===0)return t;t-=(X1(t,n,r)-e)/i}return t}const Qh=11,lh=1/(Qh-1);function FG(e,t,n,r){if(e===t&&n===r)return I3;const o=new Float32Array(Qh);for(let s=0;s<Qh;++s)o[s]=X1(s*lh,e,n);function i(s){let u=0,c=1;const f=Qh-1;for(;c!==f&&o[c]<=s;++c)u+=lh;--c;const d=(s-o[c])/(o[c+1]-o[c]),h=u+d*lh,m=oL(h,e,n);return m>=DG?zG(s,h,e,n):m===0?h:RG(s,u,u+lh,e,n)}return s=>s===0||s===1?s:X1(i(s),t,r)}function BG({onTap:e,onTapStart:t,onTapCancel:n,whileTap:r,visualElement:o}){const i=e||t||n||r,s=C.exports.useRef(!1),u=C.exports.useRef(null),c={passive:!(t||e||n||g)};function f(){u.current&&u.current(),u.current=null}function d(){return f(),s.current=!1,o.animationState&&o.animationState.setActive(Lt.Tap,!1),!FE()}function h(b,S){!d()||(BE(o.getInstance(),b.target)?e&&e(b,S):n&&n(b,S))}function m(b,S){!d()||n&&n(b,S)}function g(b,S){f(),!s.current&&(s.current=!0,u.current=um(nu(window,"pointerup",h,c),nu(window,"pointercancel",m,c)),o.animationState&&o.animationState.setActive(Lt.Tap,!0),t&&t(b,S))}Z1(o,"pointerdown",i?g:void 0,c),P3(f)}const $G="production",iL=typeof process>"u"||process.env===void 0?$G:"production",ow=new Set;function aL(e,t,n){e||ow.has(t)||(console.warn(t),n&&console.warn(n),ow.add(t))}const i5=new WeakMap,n2=new WeakMap,VG=e=>{const t=i5.get(e.target);t&&t(e)},WG=e=>{e.forEach(VG)};function HG({root:e,...t}){const n=e||document;n2.has(n)||n2.set(n,{});const r=n2.get(n),o=JSON.stringify(t);return r[o]||(r[o]=new IntersectionObserver(WG,{root:e,...t})),r[o]}function jG(e,t,n){const r=HG(t);return i5.set(e,n),r.observe(e),()=>{i5.delete(e),r.unobserve(e)}}function UG({visualElement:e,whileInView:t,onViewportEnter:n,onViewportLeave:r,viewport:o={}}){const i=C.exports.useRef({hasEnteredView:!1,isInView:!1});let s=Boolean(t||n||r);o.once&&i.current.hasEnteredView&&(s=!1),(typeof IntersectionObserver>"u"?KG:ZG)(s,i.current,e,o)}const GG={some:0,all:1};function ZG(e,t,n,{root:r,margin:o,amount:i="some",once:s}){C.exports.useEffect(()=>{if(!e)return;const u={root:r?.current,rootMargin:o,threshold:typeof i=="number"?i:GG[i]},c=f=>{const{isIntersecting:d}=f;if(t.isInView===d||(t.isInView=d,s&&!d&&t.hasEnteredView))return;d&&(t.hasEnteredView=!0),n.animationState&&n.animationState.setActive(Lt.InView,d);const h=n.getProps(),m=d?h.onViewportEnter:h.onViewportLeave;m&&m(f)};return jG(n.getInstance(),u,c)},[e,r,o,i])}function KG(e,t,n,{fallback:r=!0}){C.exports.useEffect(()=>{!e||!r||(iL!=="production"&&aL(!1,"IntersectionObserver not available on this device. whileInView animations will trigger on mount."),requestAnimationFrame(()=>{t.hasEnteredView=!0;const{onViewportEnter:o}=n.getProps();o&&o(null),n.animationState&&n.animationState.setActive(Lt.InView,!0)}))},[e])}const Ta=e=>t=>(e(t),null),qG={inView:Ta(UG),tap:Ta(BG),focus:Ta(_U),hover:Ta(RU)};function D3(){const e=C.exports.useContext(Ru);if(e===null)return[!0,null];const{isPresent:t,onExitComplete:n,register:r}=e,o=C.exports.useId();return C.exports.useEffect(()=>r(o),[]),!t&&n?[!1,()=>n&&n(o)]:[!0]}function YG(){return XG(C.exports.useContext(Ru))}function XG(e){return e===null?!0:e.isPresent}function sL(e,t){if(!Array.isArray(t))return!1;const n=t.length;if(n!==e.length)return!1;for(let r=0;r<n;r++)if(t[r]!==e[r])return!1;return!0}const Q1=e=>e*1e3,QG={linear:I3,easeIn:M3,easeInOut:ZE,easeOut:iG,circIn:KE,circInOut:aG,circOut:O3,backIn:R3,backInOut:lG,backOut:sG,anticipate:uG,bounceIn:pG,bounceInOut:hG,bounceOut:Y1},iw=e=>{if(Array.isArray(e)){K1(e.length===4);const[t,n,r,o]=e;return FG(t,n,r,o)}else if(typeof e=="string")return QG[e];return e},JG=e=>Array.isArray(e)&&typeof e[0]!="number",aw=(e,t)=>e==="zIndex"?!1:!!(typeof t=="number"||Array.isArray(t)||typeof t=="string"&&qi.test(t)&&!t.startsWith("url(")),ds=()=>({type:"spring",stiffness:500,damping:25,restSpeed:10}),uh=e=>({type:"spring",stiffness:550,damping:e===0?2*Math.sqrt(550):30,restSpeed:10}),r2=()=>({type:"keyframes",ease:"linear",duration:.3}),eZ=e=>({type:"keyframes",duration:.8,values:e}),sw={x:ds,y:ds,z:ds,rotate:ds,rotateX:ds,rotateY:ds,rotateZ:ds,scaleX:uh,scaleY:uh,scale:uh,opacity:r2,backgroundColor:r2,color:r2,default:uh},tZ=(e,t)=>{let n;return Ff(t)?n=eZ:n=sw[e]||sw.default,{to:t,...n(t)}},nZ={...xE,color:nr,backgroundColor:nr,outlineColor:nr,fill:nr,stroke:nr,borderColor:nr,borderTopColor:nr,borderRightColor:nr,borderBottomColor:nr,borderLeftColor:nr,filter:Xy,WebkitFilter:Xy},z3=e=>nZ[e];function F3(e,t){var n;let r=z3(e);return r!==Xy&&(r=qi),(n=r.getAnimatableNone)===null||n===void 0?void 0:n.call(r,t)}const rZ={current:!1};function oZ({when:e,delay:t,delayChildren:n,staggerChildren:r,staggerDirection:o,repeat:i,repeatType:s,repeatDelay:u,from:c,...f}){return!!Object.keys(f).length}function iZ({ease:e,times:t,yoyo:n,flip:r,loop:o,...i}){const s={...i};return t&&(s.offset=t),i.duration&&(s.duration=Q1(i.duration)),i.repeatDelay&&(s.repeatDelay=Q1(i.repeatDelay)),e&&(s.ease=JG(e)?e.map(iw):iw(e)),i.type==="tween"&&(s.type="keyframes"),(n||o||r)&&(n?s.repeatType="reverse":o?s.repeatType="loop":r&&(s.repeatType="mirror"),s.repeat=o||n||r||i.repeat),i.type!=="spring"&&(s.type="keyframes"),s}function aZ(e,t){var n,r;return(r=(n=(B3(e,t)||{}).delay)!==null&&n!==void 0?n:e.delay)!==null&&r!==void 0?r:0}function sZ(e){return Array.isArray(e.to)&&e.to[0]===null&&(e.to=[...e.to],e.to[0]=e.from),e}function lZ(e,t,n){return Array.isArray(t.to)&&e.duration===void 0&&(e.duration=.8),sZ(t),oZ(e)||(e={...e,...tZ(n,t.to)}),{...t,...iZ(e)}}function uZ(e,t,n,r,o){const i=B3(r,e)||{};let s=i.from!==void 0?i.from:t.get();const u=aw(e,n);s==="none"&&u&&typeof n=="string"?s=F3(e,n):lw(s)&&typeof n=="string"?s=uw(n):!Array.isArray(n)&&lw(n)&&typeof s=="string"&&(n=uw(s));const c=aw(e,s);function f(){const h={from:s,to:n,velocity:t.getVelocity(),onComplete:o,onUpdate:m=>t.set(m)};return i.type==="inertia"||i.type==="decay"?IG({...h,...i}):JE({...lZ(i,h,e),onUpdate:m=>{h.onUpdate(m),i.onUpdate&&i.onUpdate(m)},onComplete:()=>{h.onComplete(),i.onComplete&&i.onComplete()}})}function d(){const h=TE(n);return t.set(h),o(),i.onUpdate&&i.onUpdate(h),i.onComplete&&i.onComplete(),{stop:()=>{}}}return!c||!u||i.type===!1?d:f}function lw(e){return e===0||typeof e=="string"&&parseFloat(e)===0&&e.indexOf(" ")===-1}function uw(e){return typeof e=="number"?0:F3("",e)}function B3(e,t){return e[t]||e.default||e}function $3(e,t,n,r={}){return rZ.current&&(r={type:!1}),t.start(o=>{let i,s;const u=uZ(e,t,n,r,o),c=aZ(r,e),f=()=>s=u();return c?i=window.setTimeout(f,Q1(c)):f(),()=>{clearTimeout(i),s&&s.stop()}})}const cZ=e=>/^\-?\d*\.?\d+$/.test(e),fZ=e=>/^0[^.\s]+$/.test(e),lL=1/60*1e3,dZ=typeof performance<"u"?()=>performance.now():()=>Date.now(),uL=typeof window<"u"?e=>window.requestAnimationFrame(e):e=>setTimeout(()=>e(dZ()),lL);function pZ(e){let t=[],n=[],r=0,o=!1,i=!1;const s=new WeakSet,u={schedule:(c,f=!1,d=!1)=>{const h=d&&o,m=h?t:n;return f&&s.add(c),m.indexOf(c)===-1&&(m.push(c),h&&o&&(r=t.length)),c},cancel:c=>{const f=n.indexOf(c);f!==-1&&n.splice(f,1),s.delete(c)},process:c=>{if(o){i=!0;return}if(o=!0,[t,n]=[n,t],n.length=0,r=t.length,r)for(let f=0;f<r;f++){const d=t[f];d(c),s.has(d)&&(u.schedule(d),e())}o=!1,i&&(i=!1,u.process(c))}};return u}const hZ=40;let a5=!0,Vf=!1,s5=!1;const ou={delta:0,timestamp:0},yd=["read","update","preRender","render","postRender"],dm=yd.reduce((e,t)=>(e[t]=pZ(()=>Vf=!0),e),{}),li=yd.reduce((e,t)=>{const n=dm[t];return e[t]=(r,o=!1,i=!1)=>(Vf||gZ(),n.schedule(r,o,i)),e},{}),Wf=yd.reduce((e,t)=>(e[t]=dm[t].cancel,e),{}),o2=yd.reduce((e,t)=>(e[t]=()=>dm[t].process(ou),e),{}),mZ=e=>dm[e].process(ou),cL=e=>{Vf=!1,ou.delta=a5?lL:Math.max(Math.min(e-ou.timestamp,hZ),1),ou.timestamp=e,s5=!0,yd.forEach(mZ),s5=!1,Vf&&(a5=!1,uL(cL))},gZ=()=>{Vf=!0,a5=!0,s5||uL(cL)},l5=()=>ou;function V3(e,t){e.indexOf(t)===-1&&e.push(t)}function W3(e,t){const n=e.indexOf(t);n>-1&&e.splice(n,1)}class tf{constructor(){this.subscriptions=[]}add(t){return V3(this.subscriptions,t),()=>W3(this.subscriptions,t)}notify(t,n,r){const o=this.subscriptions.length;if(!!o)if(o===1)this.subscriptions[0](t,n,r);else for(let i=0;i<o;i++){const s=this.subscriptions[i];s&&s(t,n,r)}}getSize(){return this.subscriptions.length}clear(){this.subscriptions.length=0}}const vZ=e=>!isNaN(parseFloat(e));class yZ{constructor(t){this.version="7.3.5",this.timeDelta=0,this.lastUpdated=0,this.updateSubscribers=new tf,this.velocityUpdateSubscribers=new tf,this.renderSubscribers=new tf,this.canTrackVelocity=!1,this.updateAndNotify=(n,r=!0)=>{this.prev=this.current,this.current=n;const{delta:o,timestamp:i}=l5();this.lastUpdated!==i&&(this.timeDelta=o,this.lastUpdated=i,li.postRender(this.scheduleVelocityCheck)),this.prev!==this.current&&this.updateSubscribers.notify(this.current),this.velocityUpdateSubscribers.getSize()&&this.velocityUpdateSubscribers.notify(this.getVelocity()),r&&this.renderSubscribers.notify(this.current)},this.scheduleVelocityCheck=()=>li.postRender(this.velocityCheck),this.velocityCheck=({timestamp:n})=>{n!==this.lastUpdated&&(this.prev=this.current,this.velocityUpdateSubscribers.notify(this.getVelocity()))},this.hasAnimated=!1,this.prev=this.current=t,this.canTrackVelocity=vZ(this.current)}onChange(t){return this.updateSubscribers.add(t)}clearListeners(){this.updateSubscribers.clear()}onRenderRequest(t){return t(this.get()),this.renderSubscribers.add(t)}attach(t){this.passiveEffect=t}set(t,n=!0){!n||!this.passiveEffect?this.updateAndNotify(t,n):this.passiveEffect(t,this.updateAndNotify)}get(){return this.current}getPrevious(){return this.prev}getVelocity(){return this.canTrackVelocity?eL(parseFloat(this.current)-parseFloat(this.prev),this.timeDelta):0}start(t){return this.stop(),new Promise(n=>{this.hasAnimated=!0,this.stopAnimation=t(n)}).then(()=>this.clearAnimation())}stop(){this.stopAnimation&&this.stopAnimation(),this.clearAnimation()}isAnimating(){return!!this.stopAnimation}clearAnimation(){this.stopAnimation=null}destroy(){this.updateSubscribers.clear(),this.renderSubscribers.clear(),this.stop()}}function yu(e){return new yZ(e)}const fL=e=>t=>t.test(e),bZ={test:e=>e==="auto",parse:e=>e},dL=[js,Ne,si,va,Zj,Gj,bZ],Ec=e=>dL.find(fL(e)),xZ=[...dL,nr,qi],SZ=e=>xZ.find(fL(e));function wZ(e){const t={};return e.forEachValue((n,r)=>t[r]=n.get()),t}function CZ(e){const t={};return e.forEachValue((n,r)=>t[r]=n.getVelocity()),t}function pm(e,t,n){const r=e.getProps();return AE(r,t,n!==void 0?n:r.custom,wZ(e),CZ(e))}function _Z(e,t,n){e.hasValue(t)?e.getValue(t).set(n):e.addValue(t,yu(n))}function kZ(e,t){const n=pm(e,t);let{transitionEnd:r={},transition:o={},...i}=n?e.makeTargetAnimatable(n,!1):{};i={...i,...r};for(const s in i){const u=TE(i[s]);_Z(e,s,u)}}function EZ(e,t,n){var r,o;const i=Object.keys(t).filter(u=>!e.hasValue(u)),s=i.length;if(!!s)for(let u=0;u<s;u++){const c=i[u],f=t[c];let d=null;Array.isArray(f)&&(d=f[0]),d===null&&(d=(o=(r=n[c])!==null&&r!==void 0?r:e.readValue(c))!==null&&o!==void 0?o:t[c]),d!=null&&(typeof d=="string"&&(cZ(d)||fZ(d))?d=parseFloat(d):!SZ(d)&&qi.test(f)&&(d=F3(c,f)),e.addValue(c,yu(d)),n[c]===void 0&&(n[c]=d),e.setBaseTarget(c,d))}}function LZ(e,t){return t?(t[e]||t.default||t).from:void 0}function PZ(e,t,n){var r;const o={};for(const i in e){const s=LZ(i,t);o[i]=s!==void 0?s:(r=n.getValue(i))===null||r===void 0?void 0:r.get()}return o}function J1(e){return Boolean(pi(e)&&e.add)}function AZ(e,t,n={}){e.notifyAnimationStart(t);let r;if(Array.isArray(t)){const o=t.map(i=>u5(e,i,n));r=Promise.all(o)}else if(typeof t=="string")r=u5(e,t,n);else{const o=typeof t=="function"?pm(e,t,n.custom):t;r=pL(e,o,n)}return r.then(()=>e.notifyAnimationComplete(t))}function u5(e,t,n={}){var r;const o=pm(e,t,n.custom);let{transition:i=e.getDefaultTransition()||{}}=o||{};n.transitionOverride&&(i=n.transitionOverride);const s=o?()=>pL(e,o,n):()=>Promise.resolve(),u=!((r=e.variantChildren)===null||r===void 0)&&r.size?(f=0)=>{const{delayChildren:d=0,staggerChildren:h,staggerDirection:m}=i;return TZ(e,t,d+f,h,m,n)}:()=>Promise.resolve(),{when:c}=i;if(c){const[f,d]=c==="beforeChildren"?[s,u]:[u,s];return f().then(d)}else return Promise.all([s(),u(n.delay)])}function pL(e,t,{delay:n=0,transitionOverride:r,type:o}={}){var i;let{transition:s=e.getDefaultTransition(),transitionEnd:u,...c}=e.makeTargetAnimatable(t);const f=e.getValue("willChange");r&&(s=r);const d=[],h=o&&((i=e.animationState)===null||i===void 0?void 0:i.getState()[o]);for(const m in c){const g=e.getValue(m),b=c[m];if(!g||b===void 0||h&&MZ(h,m))continue;let S={delay:n,...s};e.shouldReduceMotion&&hd.has(m)&&(S={...S,type:!1,delay:0});let E=$3(m,g,b,S);J1(f)&&(f.add(m),E=E.then(()=>f.remove(m))),d.push(E)}return Promise.all(d).then(()=>{u&&kZ(e,u)})}function TZ(e,t,n=0,r=0,o=1,i){const s=[],u=(e.variantChildren.size-1)*r,c=o===1?(f=0)=>f*r:(f=0)=>u-f*r;return Array.from(e.variantChildren).sort(IZ).forEach((f,d)=>{s.push(u5(f,t,{...i,delay:n+c(d)}).then(()=>f.notifyAnimationComplete(t)))}),Promise.all(s)}function IZ(e,t){return e.sortNodePosition(t)}function MZ({protectedKeys:e,needsAnimating:t},n){const r=e.hasOwnProperty(n)&&t[n]!==!0;return t[n]=!1,r}const H3=[Lt.Animate,Lt.InView,Lt.Focus,Lt.Hover,Lt.Tap,Lt.Drag,Lt.Exit],OZ=[...H3].reverse(),RZ=H3.length;function NZ(e){return t=>Promise.all(t.map(({animation:n,options:r})=>AZ(e,n,r)))}function DZ(e){let t=NZ(e);const n=FZ();let r=!0;const o=(c,f)=>{const d=pm(e,f);if(d){const{transition:h,transitionEnd:m,...g}=d;c={...c,...g,...m}}return c};function i(c){t=c(e)}function s(c,f){var d;const h=e.getProps(),m=e.getVariantContext(!0)||{},g=[],b=new Set;let S={},E=1/0;for(let x=0;x<RZ;x++){const _=OZ[x],L=n[_],T=(d=h[_])!==null&&d!==void 0?d:m[_],R=Nf(T),N=_===f?L.isActive:null;N===!1&&(E=x);let F=T===m[_]&&T!==h[_]&&R;if(F&&r&&e.manuallyAnimateOnMount&&(F=!1),L.protectedKeys={...S},!L.isActive&&N===null||!T&&!L.prevProp||om(T)||typeof T=="boolean")continue;const K=zZ(L.prevProp,T);let W=K||_===f&&L.isActive&&!F&&R||x>E&&R;const J=Array.isArray(T)?T:[T];let ve=J.reduce(o,{});N===!1&&(ve={});const{prevResolvedValues:xe={}}=L,he={...xe,...ve},fe=me=>{W=!0,b.delete(me),L.needsAnimating[me]=!0};for(const me in he){const ne=ve[me],H=xe[me];S.hasOwnProperty(me)||(ne!==H?Ff(ne)&&Ff(H)?!sL(ne,H)||K?fe(me):L.protectedKeys[me]=!0:ne!==void 0?fe(me):b.add(me):ne!==void 0&&b.has(me)?fe(me):L.protectedKeys[me]=!0)}L.prevProp=T,L.prevResolvedValues=ve,L.isActive&&(S={...S,...ve}),r&&e.blockInitialAnimation&&(W=!1),W&&!F&&g.push(...J.map(me=>({animation:me,options:{type:_,...c}})))}if(b.size){const x={};b.forEach(_=>{const L=e.getBaseTarget(_);L!==void 0&&(x[_]=L)}),g.push({animation:x})}let w=Boolean(g.length);return r&&h.initial===!1&&!e.manuallyAnimateOnMount&&(w=!1),r=!1,w?t(g):Promise.resolve()}function u(c,f,d){var h;if(n[c].isActive===f)return Promise.resolve();(h=e.variantChildren)===null||h===void 0||h.forEach(g=>{var b;return(b=g.animationState)===null||b===void 0?void 0:b.setActive(c,f)}),n[c].isActive=f;const m=s(d,c);for(const g in n)n[g].protectedKeys={};return m}return{animateChanges:s,setActive:u,setAnimateFunction:i,getState:()=>n}}function zZ(e,t){return typeof t=="string"?t!==e:Array.isArray(t)?!sL(t,e):!1}function ps(e=!1){return{isActive:e,protectedKeys:{},needsAnimating:{},prevResolvedValues:{}}}function FZ(){return{[Lt.Animate]:ps(!0),[Lt.InView]:ps(),[Lt.Hover]:ps(),[Lt.Tap]:ps(),[Lt.Drag]:ps(),[Lt.Focus]:ps(),[Lt.Exit]:ps()}}const BZ={animation:Ta(({visualElement:e,animate:t})=>{e.animationState||(e.animationState=DZ(e)),om(t)&&C.exports.useEffect(()=>t.subscribe(e),[t])}),exit:Ta(e=>{const{custom:t,visualElement:n}=e,[r,o]=D3(),i=C.exports.useContext(Ru);C.exports.useEffect(()=>{n.isPresent=r;const s=n.animationState&&n.animationState.setActive(Lt.Exit,!r,{custom:i&&i.custom||t});s&&!r&&s.then(o)},[r])})};class hL{constructor(t,n,{transformPagePoint:r}={}){if(this.startEvent=null,this.lastMoveEvent=null,this.lastMoveEventInfo=null,this.handlers={},this.updatePoint=()=>{if(!(this.lastMoveEvent&&this.lastMoveEventInfo))return;const f=a2(this.lastMoveEventInfo,this.history),d=this.startEvent!==null,h=N3(f.offset,{x:0,y:0})>=3;if(!d&&!h)return;const{point:m}=f,{timestamp:g}=l5();this.history.push({...m,timestamp:g});const{onStart:b,onMove:S}=this.handlers;d||(b&&b(this.lastMoveEvent,f),this.startEvent=this.lastMoveEvent),S&&S(this.lastMoveEvent,f)},this.handlePointerMove=(f,d)=>{if(this.lastMoveEvent=f,this.lastMoveEventInfo=i2(d,this.transformPagePoint),ME(f)&&f.buttons===0){this.handlePointerUp(f,d);return}li.update(this.updatePoint,!0)},this.handlePointerUp=(f,d)=>{this.end();const{onEnd:h,onSessionEnd:m}=this.handlers,g=a2(i2(d,this.transformPagePoint),this.history);this.startEvent&&h&&h(f,g),m&&m(f,g)},OE(t)&&t.touches.length>1)return;this.handlers=n,this.transformPagePoint=r;const o=L3(t),i=i2(o,this.transformPagePoint),{point:s}=i,{timestamp:u}=l5();this.history=[{...s,timestamp:u}];const{onSessionStart:c}=n;c&&c(t,a2(i,this.history)),this.removeListeners=um(nu(window,"pointermove",this.handlePointerMove),nu(window,"pointerup",this.handlePointerUp),nu(window,"pointercancel",this.handlePointerUp))}updateHandlers(t){this.handlers=t}end(){this.removeListeners&&this.removeListeners(),Wf.update(this.updatePoint)}}function i2(e,t){return t?{point:t(e.point)}:e}function cw(e,t){return{x:e.x-t.x,y:e.y-t.y}}function a2({point:e},t){return{point:e,delta:cw(e,mL(t)),offset:cw(e,$Z(t)),velocity:VZ(t,.1)}}function $Z(e){return e[0]}function mL(e){return e[e.length-1]}function VZ(e,t){if(e.length<2)return{x:0,y:0};let n=e.length-1,r=null;const o=mL(e);for(;n>=0&&(r=e[n],!(o.timestamp-r.timestamp>Q1(t)));)n--;if(!r)return{x:0,y:0};const i=(o.timestamp-r.timestamp)/1e3;if(i===0)return{x:0,y:0};const s={x:(o.x-r.x)/i,y:(o.y-r.y)/i};return s.x===1/0&&(s.x=0),s.y===1/0&&(s.y=0),s}function Vr(e){return e.max-e.min}function fw(e,t=0,n=.01){return N3(e,t)<n}function dw(e,t,n,r=.5){e.origin=r,e.originPoint=Yt(t.min,t.max,e.origin),e.scale=Vr(n)/Vr(t),(fw(e.scale,1,1e-4)||isNaN(e.scale))&&(e.scale=1),e.translate=Yt(n.min,n.max,e.origin)-e.originPoint,(fw(e.translate)||isNaN(e.translate))&&(e.translate=0)}function nf(e,t,n,r){dw(e.x,t.x,n.x,r?.originX),dw(e.y,t.y,n.y,r?.originY)}function pw(e,t,n){e.min=n.min+t.min,e.max=e.min+Vr(t)}function WZ(e,t,n){pw(e.x,t.x,n.x),pw(e.y,t.y,n.y)}function hw(e,t,n){e.min=t.min-n.min,e.max=e.min+Vr(t)}function rf(e,t,n){hw(e.x,t.x,n.x),hw(e.y,t.y,n.y)}function HZ(e,{min:t,max:n},r){return t!==void 0&&e<t?e=r?Yt(t,e,r.min):Math.max(e,t):n!==void 0&&e>n&&(e=r?Yt(n,e,r.max):Math.min(e,n)),e}function mw(e,t,n){return{min:t!==void 0?e.min+t:void 0,max:n!==void 0?e.max+n-(e.max-e.min):void 0}}function jZ(e,{top:t,left:n,bottom:r,right:o}){return{x:mw(e.x,n,o),y:mw(e.y,t,r)}}function gw(e,t){let n=t.min-e.min,r=t.max-e.max;return t.max-t.min<e.max-e.min&&([n,r]=[r,n]),{min:n,max:r}}function UZ(e,t){return{x:gw(e.x,t.x),y:gw(e.y,t.y)}}function GZ(e,t){let n=.5;const r=Vr(e),o=Vr(t);return o>r?n=Bf(t.min,t.max-r,e.min):r>o&&(n=Bf(e.min,e.max-o,t.min)),q1(0,1,n)}function ZZ(e,t){const n={};return t.min!==void 0&&(n.min=t.min-e.min),t.max!==void 0&&(n.max=t.max-e.min),n}const c5=.35;function KZ(e=c5){return e===!1?e=0:e===!0&&(e=c5),{x:vw(e,"left","right"),y:vw(e,"top","bottom")}}function vw(e,t,n){return{min:yw(e,t),max:yw(e,n)}}function yw(e,t){var n;return typeof e=="number"?e:(n=e[t])!==null&&n!==void 0?n:0}const bw=()=>({translate:0,scale:1,origin:0,originPoint:0}),of=()=>({x:bw(),y:bw()}),xw=()=>({min:0,max:0}),Tn=()=>({x:xw(),y:xw()});function Ko(e){return[e("x"),e("y")]}function gL({top:e,left:t,right:n,bottom:r}){return{x:{min:t,max:n},y:{min:e,max:r}}}function qZ({x:e,y:t}){return{top:t.min,right:e.max,bottom:t.max,left:e.min}}function YZ(e,t){if(!t)return e;const n=t({x:e.left,y:e.top}),r=t({x:e.right,y:e.bottom});return{top:n.y,left:n.x,bottom:r.y,right:r.x}}function s2(e){return e===void 0||e===1}function vL({scale:e,scaleX:t,scaleY:n}){return!s2(e)||!s2(t)||!s2(n)}function ya(e){return vL(e)||Sw(e.x)||Sw(e.y)||e.z||e.rotate||e.rotateX||e.rotateY}function Sw(e){return e&&e!=="0%"}function e0(e,t,n){const r=e-n,o=t*r;return n+o}function ww(e,t,n,r,o){return o!==void 0&&(e=e0(e,o,r)),e0(e,n,r)+t}function f5(e,t=0,n=1,r,o){e.min=ww(e.min,t,n,r,o),e.max=ww(e.max,t,n,r,o)}function yL(e,{x:t,y:n}){f5(e.x,t.translate,t.scale,t.originPoint),f5(e.y,n.translate,n.scale,n.originPoint)}function XZ(e,t,n,r=!1){var o,i;const s=n.length;if(!s)return;t.x=t.y=1;let u,c;for(let f=0;f<s;f++)u=n[f],c=u.projectionDelta,((i=(o=u.instance)===null||o===void 0?void 0:o.style)===null||i===void 0?void 0:i.display)!=="contents"&&(r&&u.options.layoutScroll&&u.scroll&&u!==u.root&&Zl(e,{x:-u.scroll.x,y:-u.scroll.y}),c&&(t.x*=c.x.scale,t.y*=c.y.scale,yL(e,c)),r&&ya(u.latestValues)&&Zl(e,u.latestValues))}function wa(e,t){e.min=e.min+t,e.max=e.max+t}function Cw(e,t,[n,r,o]){const i=t[o]!==void 0?t[o]:.5,s=Yt(e.min,e.max,i);f5(e,t[n],t[r],s,t.scale)}const QZ=["x","scaleX","originX"],JZ=["y","scaleY","originY"];function Zl(e,t){Cw(e.x,t,QZ),Cw(e.y,t,JZ)}function bL(e,t){return gL(YZ(e.getBoundingClientRect(),t))}function eK(e,t,n){const r=bL(e,n),{scroll:o}=t;return o&&(wa(r.x,o.x),wa(r.y,o.y)),r}const tK=new WeakMap;class nK{constructor(t){this.openGlobalLock=null,this.isDragging=!1,this.currentDirection=null,this.originPoint={x:0,y:0},this.constraints=!1,this.hasMutatedConstraints=!1,this.elastic=Tn(),this.visualElement=t}start(t,{snapToCursor:n=!1}={}){if(this.visualElement.isPresent===!1)return;const r=u=>{this.stopAnimation(),n&&this.snapToCursor(L3(u,"page").point)},o=(u,c)=>{var f;const{drag:d,dragPropagation:h,onDragStart:m}=this.getProps();d&&!h&&(this.openGlobalLock&&this.openGlobalLock(),this.openGlobalLock=zE(d),!this.openGlobalLock)||(this.isDragging=!0,this.currentDirection=null,this.resolveConstraints(),this.visualElement.projection&&(this.visualElement.projection.isAnimationBlocked=!0,this.visualElement.projection.target=void 0),Ko(g=>{var b,S;let E=this.getAxisMotionValue(g).get()||0;if(si.test(E)){const w=(S=(b=this.visualElement.projection)===null||b===void 0?void 0:b.layout)===null||S===void 0?void 0:S.actual[g];w&&(E=Vr(w)*(parseFloat(E)/100))}this.originPoint[g]=E}),m?.(u,c),(f=this.visualElement.animationState)===null||f===void 0||f.setActive(Lt.Drag,!0))},i=(u,c)=>{const{dragPropagation:f,dragDirectionLock:d,onDirectionLock:h,onDrag:m}=this.getProps();if(!f&&!this.openGlobalLock)return;const{offset:g}=c;if(d&&this.currentDirection===null){this.currentDirection=rK(g),this.currentDirection!==null&&h?.(this.currentDirection);return}this.updateAxis("x",c.point,g),this.updateAxis("y",c.point,g),this.visualElement.syncRender(),m?.(u,c)},s=(u,c)=>this.stop(u,c);this.panSession=new hL(t,{onSessionStart:r,onStart:o,onMove:i,onSessionEnd:s},{transformPagePoint:this.visualElement.getTransformPagePoint()})}stop(t,n){const r=this.isDragging;if(this.cancel(),!r)return;const{velocity:o}=n;this.startAnimation(o);const{onDragEnd:i}=this.getProps();i?.(t,n)}cancel(){var t,n;this.isDragging=!1,this.visualElement.projection&&(this.visualElement.projection.isAnimationBlocked=!1),(t=this.panSession)===null||t===void 0||t.end(),this.panSession=void 0;const{dragPropagation:r}=this.getProps();!r&&this.openGlobalLock&&(this.openGlobalLock(),this.openGlobalLock=null),(n=this.visualElement.animationState)===null||n===void 0||n.setActive(Lt.Drag,!1)}updateAxis(t,n,r){const{drag:o}=this.getProps();if(!r||!ch(t,o,this.currentDirection))return;const i=this.getAxisMotionValue(t);let s=this.originPoint[t]+r[t];this.constraints&&this.constraints[t]&&(s=HZ(s,this.constraints[t],this.elastic[t])),i.set(s)}resolveConstraints(){const{dragConstraints:t,dragElastic:n}=this.getProps(),{layout:r}=this.visualElement.projection||{},o=this.constraints;t&&Gl(t)?this.constraints||(this.constraints=this.resolveRefConstraints()):t&&r?this.constraints=jZ(r.actual,t):this.constraints=!1,this.elastic=KZ(n),o!==this.constraints&&r&&this.constraints&&!this.hasMutatedConstraints&&Ko(i=>{this.getAxisMotionValue(i)&&(this.constraints[i]=ZZ(r.actual[i],this.constraints[i]))})}resolveRefConstraints(){const{dragConstraints:t,onMeasureDragConstraints:n}=this.getProps();if(!t||!Gl(t))return!1;const r=t.current,{projection:o}=this.visualElement;if(!o||!o.layout)return!1;const i=eK(r,o.root,this.visualElement.getTransformPagePoint());let s=UZ(o.layout.actual,i);if(n){const u=n(qZ(s));this.hasMutatedConstraints=!!u,u&&(s=gL(u))}return s}startAnimation(t){const{drag:n,dragMomentum:r,dragElastic:o,dragTransition:i,dragSnapToOrigin:s,onDragTransitionEnd:u}=this.getProps(),c=this.constraints||{},f=Ko(d=>{var h;if(!ch(d,n,this.currentDirection))return;let m=(h=c?.[d])!==null&&h!==void 0?h:{};s&&(m={min:0,max:0});const g=o?200:1e6,b=o?40:1e7,S={type:"inertia",velocity:r?t[d]:0,bounceStiffness:g,bounceDamping:b,timeConstant:750,restDelta:1,restSpeed:10,...i,...m};return this.startAxisValueAnimation(d,S)});return Promise.all(f).then(u)}startAxisValueAnimation(t,n){const r=this.getAxisMotionValue(t);return $3(t,r,0,n)}stopAnimation(){Ko(t=>this.getAxisMotionValue(t).stop())}getAxisMotionValue(t){var n,r;const o="_drag"+t.toUpperCase(),i=this.visualElement.getProps()[o];return i||this.visualElement.getValue(t,(r=(n=this.visualElement.getProps().initial)===null||n===void 0?void 0:n[t])!==null&&r!==void 0?r:0)}snapToCursor(t){Ko(n=>{const{drag:r}=this.getProps();if(!ch(n,r,this.currentDirection))return;const{projection:o}=this.visualElement,i=this.getAxisMotionValue(n);if(o&&o.layout){const{min:s,max:u}=o.layout.actual[n];i.set(t[n]-Yt(s,u,.5))}})}scalePositionWithinConstraints(){var t;const{drag:n,dragConstraints:r}=this.getProps(),{projection:o}=this.visualElement;if(!Gl(r)||!o||!this.constraints)return;this.stopAnimation();const i={x:0,y:0};Ko(u=>{const c=this.getAxisMotionValue(u);if(c){const f=c.get();i[u]=GZ({min:f,max:f},this.constraints[u])}});const{transformTemplate:s}=this.visualElement.getProps();this.visualElement.getInstance().style.transform=s?s({},""):"none",(t=o.root)===null||t===void 0||t.updateScroll(),o.updateLayout(),this.resolveConstraints(),Ko(u=>{if(!ch(u,n,null))return;const c=this.getAxisMotionValue(u),{min:f,max:d}=this.constraints[u];c.set(Yt(f,d,i[u]))})}addListeners(){var t;tK.set(this.visualElement,this);const n=this.visualElement.getInstance(),r=nu(n,"pointerdown",f=>{const{drag:d,dragListener:h=!0}=this.getProps();d&&h&&this.start(f)}),o=()=>{const{dragConstraints:f}=this.getProps();Gl(f)&&(this.constraints=this.resolveRefConstraints())},{projection:i}=this.visualElement,s=i.addEventListener("measure",o);i&&!i.layout&&((t=i.root)===null||t===void 0||t.updateScroll(),i.updateLayout()),o();const u=sm(window,"resize",()=>this.scalePositionWithinConstraints()),c=i.addEventListener("didUpdate",({delta:f,hasLayoutChanged:d})=>{this.isDragging&&d&&(Ko(h=>{const m=this.getAxisMotionValue(h);!m||(this.originPoint[h]+=f[h].translate,m.set(m.get()+f[h].translate))}),this.visualElement.syncRender())});return()=>{u(),r(),s(),c?.()}}getProps(){const t=this.visualElement.getProps(),{drag:n=!1,dragDirectionLock:r=!1,dragPropagation:o=!1,dragConstraints:i=!1,dragElastic:s=c5,dragMomentum:u=!0}=t;return{...t,drag:n,dragDirectionLock:r,dragPropagation:o,dragConstraints:i,dragElastic:s,dragMomentum:u}}}function ch(e,t,n){return(t===!0||t===e)&&(n===null||n===e)}function rK(e,t=10){let n=null;return Math.abs(e.y)>t?n="y":Math.abs(e.x)>t&&(n="x"),n}function oK(e){const{dragControls:t,visualElement:n}=e,r=am(()=>new nK(n));C.exports.useEffect(()=>t&&t.subscribe(r),[r,t]),C.exports.useEffect(()=>r.addListeners(),[r])}function iK({onPan:e,onPanStart:t,onPanEnd:n,onPanSessionStart:r,visualElement:o}){const i=e||t||n||r,s=C.exports.useRef(null),{transformPagePoint:u}=C.exports.useContext(b3),c={onSessionStart:r,onStart:t,onMove:e,onEnd:(d,h)=>{s.current=null,n&&n(d,h)}};C.exports.useEffect(()=>{s.current!==null&&s.current.updateHandlers(c)});function f(d){s.current=new hL(d,c,{transformPagePoint:u})}Z1(o,"pointerdown",i&&f),P3(()=>s.current&&s.current.end())}const aK={pan:Ta(iK),drag:Ta(oK)},d5={current:null},xL={current:!1};function sK(){if(xL.current=!0,!!Hs)if(window.matchMedia){const e=window.matchMedia("(prefers-reduced-motion)"),t=()=>d5.current=e.matches;e.addListener(t),t()}else d5.current=!1}const fh=["LayoutMeasure","BeforeLayoutMeasure","LayoutUpdate","ViewportBoxUpdate","Update","Render","AnimationComplete","LayoutAnimationComplete","AnimationStart","LayoutAnimationStart","SetAxisTarget","Unmount"];function lK(){const e=fh.map(()=>new tf),t={},n={clearAllListeners:()=>e.forEach(r=>r.clear()),updatePropListeners:r=>{fh.forEach(o=>{var i;const s="on"+o,u=r[s];(i=t[o])===null||i===void 0||i.call(t),u&&(t[o]=n[s](u))})}};return e.forEach((r,o)=>{n["on"+fh[o]]=i=>r.add(i),n["notify"+fh[o]]=(...i)=>r.notify(...i)}),n}function uK(e,t,n){const{willChange:r}=t;for(const o in t){const i=t[o],s=n[o];if(pi(i))e.addValue(o,i),J1(r)&&r.add(o);else if(pi(s))e.addValue(o,yu(i)),J1(r)&&r.remove(o);else if(s!==i)if(e.hasValue(o)){const u=e.getValue(o);!u.hasAnimated&&u.set(i)}else{const u=e.getStaticValue(o);e.addValue(o,yu(u!==void 0?u:i))}}for(const o in n)t[o]===void 0&&e.removeValue(o);return t}const SL=Object.keys(Df),cK=SL.length,wL=({treeType:e="",build:t,getBaseTarget:n,makeTargetAnimatable:r,measureViewportBox:o,render:i,readValueFromInstance:s,removeValueFromRenderState:u,sortNodePosition:c,scrapeMotionValuesFromProps:f})=>({parent:d,props:h,presenceId:m,blockInitialAnimation:g,visualState:b,reducedMotionConfig:S},E={})=>{let w=!1;const{latestValues:x,renderState:_}=b;let L;const T=lK(),R=new Map,N=new Map;let F={};const K={...x};let W;function J(){!L||!w||(ve(),i(L,_,h.style,Y.projection))}function ve(){t(Y,_,x,E,h)}function xe(){T.notifyUpdate(x)}function he(Z,M){const j=M.onChange(ce=>{x[Z]=ce,h.onUpdate&&li.update(xe,!1,!0)}),se=M.onRenderRequest(Y.scheduleRender);N.set(Z,()=>{j(),se()})}const{willChange:fe,...me}=f(h);for(const Z in me){const M=me[Z];x[Z]!==void 0&&pi(M)&&(M.set(x[Z],!1),J1(fe)&&fe.add(Z))}const ne=im(h),H=uE(h),Y={treeType:e,current:null,depth:d?d.depth+1:0,parent:d,children:new Set,presenceId:m,shouldReduceMotion:null,variantChildren:H?new Set:void 0,isVisible:void 0,manuallyAnimateOnMount:Boolean(d?.isMounted()),blockInitialAnimation:g,isMounted:()=>Boolean(L),mount(Z){w=!0,L=Y.current=Z,Y.projection&&Y.projection.mount(Z),H&&d&&!ne&&(W=d?.addVariantChild(Y)),R.forEach((M,j)=>he(j,M)),xL.current||sK(),Y.shouldReduceMotion=S==="never"?!1:S==="always"?!0:d5.current,d?.children.add(Y),Y.setProps(h)},unmount(){var Z;(Z=Y.projection)===null||Z===void 0||Z.unmount(),Wf.update(xe),Wf.render(J),N.forEach(M=>M()),W?.(),d?.children.delete(Y),T.clearAllListeners(),L=void 0,w=!1},loadFeatures(Z,M,j,se,ce,ye){const be=[];for(let Le=0;Le<cK;Le++){const de=SL[Le],{isEnabled:_e,Component:De}=Df[de];_e(Z)&&De&&be.push(C.exports.createElement(De,{key:de,...Z,visualElement:Y}))}if(!Y.projection&&ce){Y.projection=new ce(se,Y.getLatestValues(),d&&d.projection);const{layoutId:Le,layout:de,drag:_e,dragConstraints:De,layoutScroll:st}=Z;Y.projection.setOptions({layoutId:Le,layout:de,alwaysMeasureLayout:Boolean(_e)||De&&Gl(De),visualElement:Y,scheduleRender:()=>Y.scheduleRender(),animationType:typeof de=="string"?de:"both",initialPromotionConfig:ye,layoutScroll:st})}return be},addVariantChild(Z){var M;const j=Y.getClosestVariantNode();if(j)return(M=j.variantChildren)===null||M===void 0||M.add(Z),()=>j.variantChildren.delete(Z)},sortNodePosition(Z){return!c||e!==Z.treeType?0:c(Y.getInstance(),Z.getInstance())},getClosestVariantNode:()=>H?Y:d?.getClosestVariantNode(),getLayoutId:()=>h.layoutId,getInstance:()=>L,getStaticValue:Z=>x[Z],setStaticValue:(Z,M)=>x[Z]=M,getLatestValues:()=>x,setVisibility(Z){Y.isVisible!==Z&&(Y.isVisible=Z,Y.scheduleRender())},makeTargetAnimatable(Z,M=!0){return r(Y,Z,h,M)},measureViewportBox(){return o(L,h)},addValue(Z,M){Y.hasValue(Z)&&Y.removeValue(Z),R.set(Z,M),x[Z]=M.get(),he(Z,M)},removeValue(Z){var M;R.delete(Z),(M=N.get(Z))===null||M===void 0||M(),N.delete(Z),delete x[Z],u(Z,_)},hasValue:Z=>R.has(Z),getValue(Z,M){let j=R.get(Z);return j===void 0&&M!==void 0&&(j=yu(M),Y.addValue(Z,j)),j},forEachValue:Z=>R.forEach(Z),readValue:Z=>x[Z]!==void 0?x[Z]:s(L,Z,E),setBaseTarget(Z,M){K[Z]=M},getBaseTarget(Z){if(n){const M=n(h,Z);if(M!==void 0&&!pi(M))return M}return K[Z]},...T,build(){return ve(),_},scheduleRender(){li.render(J,!1,!0)},syncRender:J,setProps(Z){(Z.transformTemplate||h.transformTemplate)&&Y.scheduleRender(),h=Z,T.updatePropListeners(Z),F=uK(Y,f(h),F)},getProps:()=>h,getVariant:Z=>{var M;return(M=h.variants)===null||M===void 0?void 0:M[Z]},getDefaultTransition:()=>h.transition,getTransformPagePoint:()=>h.transformPagePoint,getVariantContext(Z=!1){if(Z)return d?.getVariantContext();if(!ne){const j=d?.getVariantContext()||{};return h.initial!==void 0&&(j.initial=h.initial),j}const M={};for(let j=0;j<fK;j++){const se=CL[j],ce=h[se];(Nf(ce)||ce===!1)&&(M[se]=ce)}return M}};return Y},CL=["initial",...H3],fK=CL.length;function p5(e){return typeof e=="string"&&e.startsWith("var(--")}const _L=/var\((--[a-zA-Z0-9-_]+),? ?([a-zA-Z0-9 ()%#.,-]+)?\)/;function dK(e){const t=_L.exec(e);if(!t)return[,];const[,n,r]=t;return[n,r]}function h5(e,t,n=1){const[r,o]=dK(e);if(!r)return;const i=window.getComputedStyle(t).getPropertyValue(r);return i?i.trim():p5(o)?h5(o,t,n+1):o}function pK(e,{...t},n){const r=e.getInstance();if(!(r instanceof Element))return{target:t,transitionEnd:n};n&&(n={...n}),e.forEachValue(o=>{const i=o.get();if(!p5(i))return;const s=h5(i,r);s&&o.set(s)});for(const o in t){const i=t[o];if(!p5(i))continue;const s=h5(i,r);!s||(t[o]=s,n&&n[o]===void 0&&(n[o]=i))}return{target:t,transitionEnd:n}}const hK=new Set(["width","height","top","left","right","bottom","x","y"]),kL=e=>hK.has(e),mK=e=>Object.keys(e).some(kL),EL=(e,t)=>{e.set(t,!1),e.set(t)},_w=e=>e===js||e===Ne;var kw;(function(e){e.width="width",e.height="height",e.left="left",e.right="right",e.top="top",e.bottom="bottom"})(kw||(kw={}));const Ew=(e,t)=>parseFloat(e.split(", ")[t]),Lw=(e,t)=>(n,{transform:r})=>{if(r==="none"||!r)return 0;const o=r.match(/^matrix3d\((.+)\)$/);if(o)return Ew(o[1],t);{const i=r.match(/^matrix\((.+)\)$/);return i?Ew(i[1],e):0}},gK=new Set(["x","y","z"]),vK=U1.filter(e=>!gK.has(e));function yK(e){const t=[];return vK.forEach(n=>{const r=e.getValue(n);r!==void 0&&(t.push([n,r.get()]),r.set(n.startsWith("scale")?1:0))}),t.length&&e.syncRender(),t}const Pw={width:({x:e},{paddingLeft:t="0",paddingRight:n="0"})=>e.max-e.min-parseFloat(t)-parseFloat(n),height:({y:e},{paddingTop:t="0",paddingBottom:n="0"})=>e.max-e.min-parseFloat(t)-parseFloat(n),top:(e,{top:t})=>parseFloat(t),left:(e,{left:t})=>parseFloat(t),bottom:({y:e},{top:t})=>parseFloat(t)+(e.max-e.min),right:({x:e},{left:t})=>parseFloat(t)+(e.max-e.min),x:Lw(4,13),y:Lw(5,14)},bK=(e,t,n)=>{const r=t.measureViewportBox(),o=t.getInstance(),i=getComputedStyle(o),{display:s}=i,u={};s==="none"&&t.setStaticValue("display",e.display||"block"),n.forEach(f=>{u[f]=Pw[f](r,i)}),t.syncRender();const c=t.measureViewportBox();return n.forEach(f=>{const d=t.getValue(f);EL(d,u[f]),e[f]=Pw[f](c,i)}),e},xK=(e,t,n={},r={})=>{t={...t},r={...r};const o=Object.keys(t).filter(kL);let i=[],s=!1;const u=[];if(o.forEach(c=>{const f=e.getValue(c);if(!e.hasValue(c))return;let d=n[c],h=Ec(d);const m=t[c];let g;if(Ff(m)){const b=m.length,S=m[0]===null?1:0;d=m[S],h=Ec(d);for(let E=S;E<b;E++)g?K1(Ec(m[E])===g):g=Ec(m[E])}else g=Ec(m);if(h!==g)if(_w(h)&&_w(g)){const b=f.get();typeof b=="string"&&f.set(parseFloat(b)),typeof m=="string"?t[c]=parseFloat(m):Array.isArray(m)&&g===Ne&&(t[c]=m.map(parseFloat))}else h?.transform&&g?.transform&&(d===0||m===0)?d===0?f.set(g.transform(d)):t[c]=h.transform(m):(s||(i=yK(e),s=!0),u.push(c),r[c]=r[c]!==void 0?r[c]:t[c],EL(f,m))}),u.length){const c=u.indexOf("height")>=0?window.pageYOffset:null,f=bK(t,e,u);return i.length&&i.forEach(([d,h])=>{e.getValue(d).set(h)}),e.syncRender(),Hs&&c!==null&&window.scrollTo({top:c}),{target:f,transitionEnd:r}}else return{target:t,transitionEnd:r}};function SK(e,t,n,r){return mK(t)?xK(e,t,n,r):{target:t,transitionEnd:r}}const wK=(e,t,n,r)=>{const o=pK(e,t,r);return t=o.target,r=o.transitionEnd,SK(e,t,n,r)};function CK(e){return window.getComputedStyle(e)}const LL={treeType:"dom",readValueFromInstance(e,t){if(hd.has(t)){const n=z3(t);return n&&n.default||0}else{const n=CK(e),r=(dE(t)?n.getPropertyValue(t):n[t])||0;return typeof r=="string"?r.trim():r}},sortNodePosition(e,t){return e.compareDocumentPosition(t)&2?1:-1},getBaseTarget(e,t){var n;return(n=e.style)===null||n===void 0?void 0:n[t]},measureViewportBox(e,{transformPagePoint:t}){return bL(e,t)},resetTransform(e,t,n){const{transformTemplate:r}=n;t.style.transform=r?r({},""):"none",e.scheduleRender()},restoreTransform(e,t){e.style.transform=t.style.transform},removeValueFromRenderState(e,{vars:t,style:n}){delete t[e],delete n[e]},makeTargetAnimatable(e,{transition:t,transitionEnd:n,...r},{transformValues:o},i=!0){let s=PZ(r,t||{},e);if(o&&(n&&(n=o(n)),r&&(r=o(r)),s&&(s=o(s))),i){EZ(e,r,s);const u=wK(e,r,s,n);n=u.transitionEnd,r=u.target}return{transition:t,transitionEnd:n,...r}},scrapeMotionValuesFromProps:E3,build(e,t,n,r,o){e.isVisible!==void 0&&(t.style.visibility=e.isVisible?"visible":"hidden"),C3(t,n,r,o.transformTemplate)},render:kE},_K=wL(LL),kK=wL({...LL,getBaseTarget(e,t){return e[t]},readValueFromInstance(e,t){var n;return hd.has(t)?((n=z3(t))===null||n===void 0?void 0:n.default)||0:(t=EE.has(t)?t:_E(t),e.getAttribute(t))},scrapeMotionValuesFromProps:PE,build(e,t,n,r,o){k3(t,n,r,o.transformTemplate)},render:LE}),EK=(e,t)=>S3(e)?kK(t,{enableHardwareAcceleration:!1}):_K(t,{enableHardwareAcceleration:!0});function Aw(e,t){return t.max===t.min?0:e/(t.max-t.min)*100}const Lc={correct:(e,t)=>{if(!t.target)return e;if(typeof e=="string")if(Ne.test(e))e=parseFloat(e);else return e;const n=Aw(e,t.target.x),r=Aw(e,t.target.y);return`${n}% ${r}%`}},Tw="_$css",LK={correct:(e,{treeScale:t,projectionDelta:n})=>{const r=e,o=e.includes("var("),i=[];o&&(e=e.replace(_L,g=>(i.push(g),Tw)));const s=qi.parse(e);if(s.length>5)return r;const u=qi.createTransformer(e),c=typeof s[0]!="number"?1:0,f=n.x.scale*t.x,d=n.y.scale*t.y;s[0+c]/=f,s[1+c]/=d;const h=Yt(f,d,.5);typeof s[2+c]=="number"&&(s[2+c]/=h),typeof s[3+c]=="number"&&(s[3+c]/=h);let m=u(s);if(o){let g=0;m=m.replace(Tw,()=>{const b=i[g];return g++,b})}return m}};class PK extends Q.Component{componentDidMount(){const{visualElement:t,layoutGroup:n,switchLayoutGroup:r,layoutId:o}=this.props,{projection:i}=t;$j(TK),i&&(n.group&&n.group.add(i),r&&r.register&&o&&r.register(i),i.root.didUpdate(),i.addEventListener("animationComplete",()=>{this.safeToRemove()}),i.setOptions({...i.options,onExitComplete:()=>this.safeToRemove()})),Qc.hasEverUpdated=!0}getSnapshotBeforeUpdate(t){const{layoutDependency:n,visualElement:r,drag:o,isPresent:i}=this.props,s=r.projection;return s&&(s.isPresent=i,o||t.layoutDependency!==n||n===void 0?s.willUpdate():this.safeToRemove(),t.isPresent!==i&&(i?s.promote():s.relegate()||li.postRender(()=>{var u;!((u=s.getStack())===null||u===void 0)&&u.members.length||this.safeToRemove()}))),null}componentDidUpdate(){const{projection:t}=this.props.visualElement;t&&(t.root.didUpdate(),!t.currentAnimation&&t.isLead()&&this.safeToRemove())}componentWillUnmount(){const{visualElement:t,layoutGroup:n,switchLayoutGroup:r}=this.props,{projection:o}=t;o&&(o.scheduleCheckAfterUnmount(),n?.group&&n.group.remove(o),r?.deregister&&r.deregister(o))}safeToRemove(){const{safeToRemove:t}=this.props;t?.()}render(){return null}}function AK(e){const[t,n]=D3(),r=C.exports.useContext(x3);return y(PK,{...e,layoutGroup:r,switchLayoutGroup:C.exports.useContext(cE),isPresent:t,safeToRemove:n})}const TK={borderRadius:{...Lc,applyTo:["borderTopLeftRadius","borderTopRightRadius","borderBottomLeftRadius","borderBottomRightRadius"]},borderTopLeftRadius:Lc,borderTopRightRadius:Lc,borderBottomLeftRadius:Lc,borderBottomRightRadius:Lc,boxShadow:LK},IK={measureLayout:AK};function MK(e,t,n={}){const r=pi(e)?e:yu(e);return $3("",r,t,n),{stop:()=>r.stop(),isAnimating:()=>r.isAnimating()}}const PL=["TopLeft","TopRight","BottomLeft","BottomRight"],OK=PL.length,Iw=e=>typeof e=="string"?parseFloat(e):e,Mw=e=>typeof e=="number"||Ne.test(e);function RK(e,t,n,r,o,i){var s,u,c,f;o?(e.opacity=Yt(0,(s=n.opacity)!==null&&s!==void 0?s:1,NK(r)),e.opacityExit=Yt((u=t.opacity)!==null&&u!==void 0?u:1,0,DK(r))):i&&(e.opacity=Yt((c=t.opacity)!==null&&c!==void 0?c:1,(f=n.opacity)!==null&&f!==void 0?f:1,r));for(let d=0;d<OK;d++){const h=`border${PL[d]}Radius`;let m=Ow(t,h),g=Ow(n,h);if(m===void 0&&g===void 0)continue;m||(m=0),g||(g=0),m===0||g===0||Mw(m)===Mw(g)?(e[h]=Math.max(Yt(Iw(m),Iw(g),r),0),(si.test(g)||si.test(m))&&(e[h]+="%")):e[h]=g}(t.rotate||n.rotate)&&(e.rotate=Yt(t.rotate||0,n.rotate||0,r))}function Ow(e,t){var n;return(n=e[t])!==null&&n!==void 0?n:e.borderRadius}const NK=AL(0,.5,O3),DK=AL(.5,.95,I3);function AL(e,t,n){return r=>r<e?0:r>t?1:n(Bf(e,t,r))}function Rw(e,t){e.min=t.min,e.max=t.max}function ko(e,t){Rw(e.x,t.x),Rw(e.y,t.y)}function Nw(e,t,n,r,o){return e-=t,e=e0(e,1/n,r),o!==void 0&&(e=e0(e,1/o,r)),e}function zK(e,t=0,n=1,r=.5,o,i=e,s=e){if(si.test(t)&&(t=parseFloat(t),t=Yt(s.min,s.max,t/100)-s.min),typeof t!="number")return;let u=Yt(i.min,i.max,r);e===i&&(u-=t),e.min=Nw(e.min,t,n,u,o),e.max=Nw(e.max,t,n,u,o)}function Dw(e,t,[n,r,o],i,s){zK(e,t[n],t[r],t[o],t.scale,i,s)}const FK=["x","scaleX","originX"],BK=["y","scaleY","originY"];function zw(e,t,n,r){Dw(e.x,t,FK,n?.x,r?.x),Dw(e.y,t,BK,n?.y,r?.y)}function Fw(e){return e.translate===0&&e.scale===1}function TL(e){return Fw(e.x)&&Fw(e.y)}function IL(e,t){return e.x.min===t.x.min&&e.x.max===t.x.max&&e.y.min===t.y.min&&e.y.max===t.y.max}function Bw(e){return Vr(e.x)/Vr(e.y)}function $K(e,t,n=.01){return N3(e,t)<=n}class VK{constructor(){this.members=[]}add(t){V3(this.members,t),t.scheduleRender()}remove(t){if(W3(this.members,t),t===this.prevLead&&(this.prevLead=void 0),t===this.lead){const n=this.members[this.members.length-1];n&&this.promote(n)}}relegate(t){const n=this.members.findIndex(o=>t===o);if(n===0)return!1;let r;for(let o=n;o>=0;o--){const i=this.members[o];if(i.isPresent!==!1){r=i;break}}return r?(this.promote(r),!0):!1}promote(t,n){var r;const o=this.lead;if(t!==o&&(this.prevLead=o,this.lead=t,t.show(),o)){o.instance&&o.scheduleRender(),t.scheduleRender(),t.resumeFrom=o,n&&(t.resumeFrom.preserveOpacity=!0),o.snapshot&&(t.snapshot=o.snapshot,t.snapshot.latestValues=o.animationValues||o.latestValues,t.snapshot.isShared=!0),!((r=t.root)===null||r===void 0)&&r.isUpdating&&(t.isLayoutDirty=!0);const{crossfade:i}=t.options;i===!1&&o.hide()}}exitAnimationComplete(){this.members.forEach(t=>{var n,r,o,i,s;(r=(n=t.options).onExitComplete)===null||r===void 0||r.call(n),(s=(o=t.resumingFrom)===null||o===void 0?void 0:(i=o.options).onExitComplete)===null||s===void 0||s.call(i)})}scheduleRender(){this.members.forEach(t=>{t.instance&&t.scheduleRender(!1)})}removeLeadSnapshot(){this.lead&&this.lead.snapshot&&(this.lead.snapshot=void 0)}}const WK="translate3d(0px, 0px, 0) scale(1, 1) scale(1, 1)";function $w(e,t,n){const r=e.x.translate/t.x,o=e.y.translate/t.y;let i=`translate3d(${r}px, ${o}px, 0) `;if(i+=`scale(${1/t.x}, ${1/t.y}) `,n){const{rotate:c,rotateX:f,rotateY:d}=n;c&&(i+=`rotate(${c}deg) `),f&&(i+=`rotateX(${f}deg) `),d&&(i+=`rotateY(${d}deg) `)}const s=e.x.scale*t.x,u=e.y.scale*t.y;return i+=`scale(${s}, ${u})`,i===WK?"none":i}const HK=(e,t)=>e.depth-t.depth;class jK{constructor(){this.children=[],this.isDirty=!1}add(t){V3(this.children,t),this.isDirty=!0}remove(t){W3(this.children,t),this.isDirty=!0}forEach(t){this.isDirty&&this.children.sort(HK),this.isDirty=!1,this.children.forEach(t)}}const Vw=["","X","Y","Z"],Ww=1e3;function ML({attachResizeListener:e,defaultParent:t,measureScroll:n,checkIsScrollRoot:r,resetTransform:o}){return class{constructor(s,u={},c=t?.()){this.children=new Set,this.options={},this.isTreeAnimating=!1,this.isAnimationBlocked=!1,this.isLayoutDirty=!1,this.updateManuallyBlocked=!1,this.updateBlockedByResize=!1,this.isUpdating=!1,this.isSVG=!1,this.needsReset=!1,this.shouldResetTransform=!1,this.treeScale={x:1,y:1},this.eventHandlers=new Map,this.potentialNodes=new Map,this.checkUpdateFailed=()=>{this.isUpdating&&(this.isUpdating=!1,this.clearAllSnapshots())},this.updateProjection=()=>{this.nodes.forEach(YK),this.nodes.forEach(XK)},this.hasProjected=!1,this.isVisible=!0,this.animationProgress=0,this.sharedNodes=new Map,this.id=s,this.latestValues=u,this.root=c?c.root||c:this,this.path=c?[...c.path,c]:[],this.parent=c,this.depth=c?c.depth+1:0,s&&this.root.registerPotentialNode(s,this);for(let f=0;f<this.path.length;f++)this.path[f].shouldResetTransform=!0;this.root===this&&(this.nodes=new jK)}addEventListener(s,u){return this.eventHandlers.has(s)||this.eventHandlers.set(s,new tf),this.eventHandlers.get(s).add(u)}notifyListeners(s,...u){const c=this.eventHandlers.get(s);c?.notify(...u)}hasListeners(s){return this.eventHandlers.has(s)}registerPotentialNode(s,u){this.potentialNodes.set(s,u)}mount(s,u=!1){var c;if(this.instance)return;this.isSVG=s instanceof SVGElement&&s.tagName!=="svg",this.instance=s;const{layoutId:f,layout:d,visualElement:h}=this.options;if(h&&!h.getInstance()&&h.mount(s),this.root.nodes.add(this),(c=this.parent)===null||c===void 0||c.children.add(this),this.id&&this.root.potentialNodes.delete(this.id),u&&(d||f)&&(this.isLayoutDirty=!0),e){let m;const g=()=>this.root.updateBlockedByResize=!1;e(s,()=>{this.root.updateBlockedByResize=!0,clearTimeout(m),m=window.setTimeout(g,250),Qc.hasAnimatedSinceResize&&(Qc.hasAnimatedSinceResize=!1,this.nodes.forEach(qK))})}f&&this.root.registerSharedNode(f,this),this.options.animate!==!1&&h&&(f||d)&&this.addEventListener("didUpdate",({delta:m,hasLayoutChanged:g,hasRelativeTargetChanged:b,layout:S})=>{var E,w,x,_,L;if(this.isTreeAnimationBlocked()){this.target=void 0,this.relativeTarget=void 0;return}const T=(w=(E=this.options.transition)!==null&&E!==void 0?E:h.getDefaultTransition())!==null&&w!==void 0?w:nq,{onLayoutAnimationStart:R,onLayoutAnimationComplete:N}=h.getProps(),F=!this.targetLayout||!IL(this.targetLayout,S)||b,K=!g&&b;if(((x=this.resumeFrom)===null||x===void 0?void 0:x.instance)||K||g&&(F||!this.currentAnimation)){this.resumeFrom&&(this.resumingFrom=this.resumeFrom,this.resumingFrom.resumingFrom=void 0),this.setAnimationOrigin(m,K);const W={...B3(T,"layout"),onPlay:R,onComplete:N};h.shouldReduceMotion&&(W.delay=0,W.type=!1),this.startAnimation(W)}else!g&&this.animationProgress===0&&this.finishAnimation(),this.isLead()&&((L=(_=this.options).onExitComplete)===null||L===void 0||L.call(_));this.targetLayout=S})}unmount(){var s,u;this.options.layoutId&&this.willUpdate(),this.root.nodes.remove(this),(s=this.getStack())===null||s===void 0||s.remove(this),(u=this.parent)===null||u===void 0||u.children.delete(this),this.instance=void 0,Wf.preRender(this.updateProjection)}blockUpdate(){this.updateManuallyBlocked=!0}unblockUpdate(){this.updateManuallyBlocked=!1}isUpdateBlocked(){return this.updateManuallyBlocked||this.updateBlockedByResize}isTreeAnimationBlocked(){var s;return this.isAnimationBlocked||((s=this.parent)===null||s===void 0?void 0:s.isTreeAnimationBlocked())||!1}startUpdate(){var s;this.isUpdateBlocked()||(this.isUpdating=!0,(s=this.nodes)===null||s===void 0||s.forEach(QK))}willUpdate(s=!0){var u,c,f;if(this.root.isUpdateBlocked()){(c=(u=this.options).onExitComplete)===null||c===void 0||c.call(u);return}if(!this.root.isUpdating&&this.root.startUpdate(),this.isLayoutDirty)return;this.isLayoutDirty=!0;for(let g=0;g<this.path.length;g++){const b=this.path[g];b.shouldResetTransform=!0,b.updateScroll()}const{layoutId:d,layout:h}=this.options;if(d===void 0&&!h)return;const m=(f=this.options.visualElement)===null||f===void 0?void 0:f.getProps().transformTemplate;this.prevTransformTemplateValue=m?.(this.latestValues,""),this.updateSnapshot(),s&&this.notifyListeners("willUpdate")}didUpdate(){if(this.isUpdateBlocked()){this.unblockUpdate(),this.clearAllSnapshots(),this.nodes.forEach(Hw);return}!this.isUpdating||(this.isUpdating=!1,this.potentialNodes.size&&(this.potentialNodes.forEach(rq),this.potentialNodes.clear()),this.nodes.forEach(KK),this.nodes.forEach(UK),this.nodes.forEach(GK),this.clearAllSnapshots(),o2.update(),o2.preRender(),o2.render())}clearAllSnapshots(){this.nodes.forEach(ZK),this.sharedNodes.forEach(JK)}scheduleUpdateProjection(){li.preRender(this.updateProjection,!1,!0)}scheduleCheckAfterUnmount(){li.postRender(()=>{this.isLayoutDirty?this.root.didUpdate():this.root.checkUpdateFailed()})}updateSnapshot(){if(this.snapshot||!this.instance)return;const s=this.measure(),u=this.removeTransform(this.removeElementScroll(s));Zw(u),this.snapshot={measured:s,layout:u,latestValues:{}}}updateLayout(){var s;if(!this.instance||(this.updateScroll(),!(this.options.alwaysMeasureLayout&&this.isLead())&&!this.isLayoutDirty))return;if(this.resumeFrom&&!this.resumeFrom.instance)for(let f=0;f<this.path.length;f++)this.path[f].updateScroll();const u=this.measure();Zw(u);const c=this.layout;this.layout={measured:u,actual:this.removeElementScroll(u)},this.layoutCorrected=Tn(),this.isLayoutDirty=!1,this.projectionDelta=void 0,this.notifyListeners("measure",this.layout.actual),(s=this.options.visualElement)===null||s===void 0||s.notifyLayoutMeasure(this.layout.actual,c?.actual)}updateScroll(){this.options.layoutScroll&&this.instance&&(this.isScrollRoot=r(this.instance),this.scroll=n(this.instance))}resetTransform(){var s;if(!o)return;const u=this.isLayoutDirty||this.shouldResetTransform,c=this.projectionDelta&&!TL(this.projectionDelta),f=(s=this.options.visualElement)===null||s===void 0?void 0:s.getProps().transformTemplate,d=f?.(this.latestValues,""),h=d!==this.prevTransformTemplateValue;u&&(c||ya(this.latestValues)||h)&&(o(this.instance,d),this.shouldResetTransform=!1,this.scheduleRender())}measure(){const{visualElement:s}=this.options;if(!s)return Tn();const u=s.measureViewportBox(),{scroll:c}=this.root;return c&&(wa(u.x,c.x),wa(u.y,c.y)),u}removeElementScroll(s){const u=Tn();ko(u,s);for(let c=0;c<this.path.length;c++){const f=this.path[c],{scroll:d,options:h,isScrollRoot:m}=f;if(f!==this.root&&d&&h.layoutScroll){if(m){ko(u,s);const{scroll:g}=this.root;g&&(wa(u.x,-g.x),wa(u.y,-g.y))}wa(u.x,d.x),wa(u.y,d.y)}}return u}applyTransform(s,u=!1){const c=Tn();ko(c,s);for(let f=0;f<this.path.length;f++){const d=this.path[f];!u&&d.options.layoutScroll&&d.scroll&&d!==d.root&&Zl(c,{x:-d.scroll.x,y:-d.scroll.y}),ya(d.latestValues)&&Zl(c,d.latestValues)}return ya(this.latestValues)&&Zl(c,this.latestValues),c}removeTransform(s){var u;const c=Tn();ko(c,s);for(let f=0;f<this.path.length;f++){const d=this.path[f];if(!d.instance||!ya(d.latestValues))continue;vL(d.latestValues)&&d.updateSnapshot();const h=Tn(),m=d.measure();ko(h,m),zw(c,d.latestValues,(u=d.snapshot)===null||u===void 0?void 0:u.layout,h)}return ya(this.latestValues)&&zw(c,this.latestValues),c}setTargetDelta(s){this.targetDelta=s,this.root.scheduleUpdateProjection()}setOptions(s){this.options={...this.options,...s,crossfade:s.crossfade!==void 0?s.crossfade:!0}}clearMeasurements(){this.scroll=void 0,this.layout=void 0,this.snapshot=void 0,this.prevTransformTemplateValue=void 0,this.targetDelta=void 0,this.target=void 0,this.isLayoutDirty=!1}resolveTargetDelta(){var s;const{layout:u,layoutId:c}=this.options;!this.layout||!(u||c)||(!this.targetDelta&&!this.relativeTarget&&(this.relativeParent=this.getClosestProjectingParent(),this.relativeParent&&this.relativeParent.layout&&(this.relativeTarget=Tn(),this.relativeTargetOrigin=Tn(),rf(this.relativeTargetOrigin,this.layout.actual,this.relativeParent.layout.actual),ko(this.relativeTarget,this.relativeTargetOrigin))),!(!this.relativeTarget&&!this.targetDelta)&&(this.target||(this.target=Tn(),this.targetWithTransforms=Tn()),this.relativeTarget&&this.relativeTargetOrigin&&((s=this.relativeParent)===null||s===void 0?void 0:s.target)?WZ(this.target,this.relativeTarget,this.relativeParent.target):this.targetDelta?(Boolean(this.resumingFrom)?this.target=this.applyTransform(this.layout.actual):ko(this.target,this.layout.actual),yL(this.target,this.targetDelta)):ko(this.target,this.layout.actual),this.attemptToResolveRelativeTarget&&(this.attemptToResolveRelativeTarget=!1,this.relativeParent=this.getClosestProjectingParent(),this.relativeParent&&Boolean(this.relativeParent.resumingFrom)===Boolean(this.resumingFrom)&&!this.relativeParent.options.layoutScroll&&this.relativeParent.target&&(this.relativeTarget=Tn(),this.relativeTargetOrigin=Tn(),rf(this.relativeTargetOrigin,this.target,this.relativeParent.target),ko(this.relativeTarget,this.relativeTargetOrigin)))))}getClosestProjectingParent(){if(!(!this.parent||ya(this.parent.latestValues)))return(this.parent.relativeTarget||this.parent.targetDelta)&&this.parent.layout?this.parent:this.parent.getClosestProjectingParent()}calcProjection(){var s;const{layout:u,layoutId:c}=this.options;if(this.isTreeAnimating=Boolean(((s=this.parent)===null||s===void 0?void 0:s.isTreeAnimating)||this.currentAnimation||this.pendingAnimation),this.isTreeAnimating||(this.targetDelta=this.relativeTarget=void 0),!this.layout||!(u||c))return;const f=this.getLead();ko(this.layoutCorrected,this.layout.actual),XZ(this.layoutCorrected,this.treeScale,this.path,Boolean(this.resumingFrom)||this!==f);const{target:d}=f;if(!d)return;this.projectionDelta||(this.projectionDelta=of(),this.projectionDeltaWithTransform=of());const h=this.treeScale.x,m=this.treeScale.y,g=this.projectionTransform;nf(this.projectionDelta,this.layoutCorrected,d,this.latestValues),this.projectionTransform=$w(this.projectionDelta,this.treeScale),(this.projectionTransform!==g||this.treeScale.x!==h||this.treeScale.y!==m)&&(this.hasProjected=!0,this.scheduleRender(),this.notifyListeners("projectionUpdate",d))}hide(){this.isVisible=!1}show(){this.isVisible=!0}scheduleRender(s=!0){var u,c,f;(c=(u=this.options).scheduleRender)===null||c===void 0||c.call(u),s&&((f=this.getStack())===null||f===void 0||f.scheduleRender()),this.resumingFrom&&!this.resumingFrom.instance&&(this.resumingFrom=void 0)}setAnimationOrigin(s,u=!1){var c;const f=this.snapshot,d=f?.latestValues||{},h={...this.latestValues},m=of();this.relativeTarget=this.relativeTargetOrigin=void 0,this.attemptToResolveRelativeTarget=!u;const g=Tn(),b=f?.isShared,S=(((c=this.getStack())===null||c===void 0?void 0:c.members.length)||0)<=1,E=Boolean(b&&!S&&this.options.crossfade===!0&&!this.path.some(tq));this.animationProgress=0,this.mixTargetDelta=w=>{var x;const _=w/1e3;jw(m.x,s.x,_),jw(m.y,s.y,_),this.setTargetDelta(m),this.relativeTarget&&this.relativeTargetOrigin&&this.layout&&((x=this.relativeParent)===null||x===void 0?void 0:x.layout)&&(rf(g,this.layout.actual,this.relativeParent.layout.actual),eq(this.relativeTarget,this.relativeTargetOrigin,g,_)),b&&(this.animationValues=h,RK(h,d,this.latestValues,_,E,S)),this.root.scheduleUpdateProjection(),this.scheduleRender(),this.animationProgress=_},this.mixTargetDelta(0)}startAnimation(s){var u,c;this.notifyListeners("animationStart"),(u=this.currentAnimation)===null||u===void 0||u.stop(),this.resumingFrom&&((c=this.resumingFrom.currentAnimation)===null||c===void 0||c.stop()),this.pendingAnimation&&(Wf.update(this.pendingAnimation),this.pendingAnimation=void 0),this.pendingAnimation=li.update(()=>{Qc.hasAnimatedSinceResize=!0,this.currentAnimation=MK(0,Ww,{...s,onUpdate:f=>{var d;this.mixTargetDelta(f),(d=s.onUpdate)===null||d===void 0||d.call(s,f)},onComplete:()=>{var f;(f=s.onComplete)===null||f===void 0||f.call(s),this.completeAnimation()}}),this.resumingFrom&&(this.resumingFrom.currentAnimation=this.currentAnimation),this.pendingAnimation=void 0})}completeAnimation(){var s;this.resumingFrom&&(this.resumingFrom.currentAnimation=void 0,this.resumingFrom.preserveOpacity=void 0),(s=this.getStack())===null||s===void 0||s.exitAnimationComplete(),this.resumingFrom=this.currentAnimation=this.animationValues=void 0,this.notifyListeners("animationComplete")}finishAnimation(){var s;this.currentAnimation&&((s=this.mixTargetDelta)===null||s===void 0||s.call(this,Ww),this.currentAnimation.stop()),this.completeAnimation()}applyTransformsToTarget(){const s=this.getLead();let{targetWithTransforms:u,target:c,layout:f,latestValues:d}=s;if(!(!u||!c||!f)){if(this!==s&&this.layout&&f&&OL(this.options.animationType,this.layout.actual,f.actual)){c=this.target||Tn();const h=Vr(this.layout.actual.x);c.x.min=s.target.x.min,c.x.max=c.x.min+h;const m=Vr(this.layout.actual.y);c.y.min=s.target.y.min,c.y.max=c.y.min+m}ko(u,c),Zl(u,d),nf(this.projectionDeltaWithTransform,this.layoutCorrected,u,d)}}registerSharedNode(s,u){var c,f,d;this.sharedNodes.has(s)||this.sharedNodes.set(s,new VK),this.sharedNodes.get(s).add(u),u.promote({transition:(c=u.options.initialPromotionConfig)===null||c===void 0?void 0:c.transition,preserveFollowOpacity:(d=(f=u.options.initialPromotionConfig)===null||f===void 0?void 0:f.shouldPreserveFollowOpacity)===null||d===void 0?void 0:d.call(f,u)})}isLead(){const s=this.getStack();return s?s.lead===this:!0}getLead(){var s;const{layoutId:u}=this.options;return u?((s=this.getStack())===null||s===void 0?void 0:s.lead)||this:this}getPrevLead(){var s;const{layoutId:u}=this.options;return u?(s=this.getStack())===null||s===void 0?void 0:s.prevLead:void 0}getStack(){const{layoutId:s}=this.options;if(s)return this.root.sharedNodes.get(s)}promote({needsReset:s,transition:u,preserveFollowOpacity:c}={}){const f=this.getStack();f&&f.promote(this,c),s&&(this.projectionDelta=void 0,this.needsReset=!0),u&&this.setOptions({transition:u})}relegate(){const s=this.getStack();return s?s.relegate(this):!1}resetRotation(){const{visualElement:s}=this.options;if(!s)return;let u=!1;const c={};for(let f=0;f<Vw.length;f++){const d=Vw[f],h="rotate"+d;!s.getStaticValue(h)||(u=!0,c[h]=s.getStaticValue(h),s.setStaticValue(h,0))}if(!!u){s?.syncRender();for(const f in c)s.setStaticValue(f,c[f]);s.scheduleRender()}}getProjectionStyles(s={}){var u,c,f;const d={};if(!this.instance||this.isSVG)return d;if(this.isVisible)d.visibility="";else return{visibility:"hidden"};const h=(u=this.options.visualElement)===null||u===void 0?void 0:u.getProps().transformTemplate;if(this.needsReset)return this.needsReset=!1,d.opacity="",d.pointerEvents=Yh(s.pointerEvents)||"",d.transform=h?h(this.latestValues,""):"none",d;const m=this.getLead();if(!this.projectionDelta||!this.layout||!m.target){const E={};return this.options.layoutId&&(E.opacity=this.latestValues.opacity!==void 0?this.latestValues.opacity:1,E.pointerEvents=Yh(s.pointerEvents)||""),this.hasProjected&&!ya(this.latestValues)&&(E.transform=h?h({},""):"none",this.hasProjected=!1),E}const g=m.animationValues||m.latestValues;this.applyTransformsToTarget(),d.transform=$w(this.projectionDeltaWithTransform,this.treeScale,g),h&&(d.transform=h(g,d.transform));const{x:b,y:S}=this.projectionDelta;d.transformOrigin=`${b.origin*100}% ${S.origin*100}% 0`,m.animationValues?d.opacity=m===this?(f=(c=g.opacity)!==null&&c!==void 0?c:this.latestValues.opacity)!==null&&f!==void 0?f:1:this.preserveOpacity?this.latestValues.opacity:g.opacityExit:d.opacity=m===this?g.opacity!==void 0?g.opacity:"":g.opacityExit!==void 0?g.opacityExit:0;for(const E in j1){if(g[E]===void 0)continue;const{correct:w,applyTo:x}=j1[E],_=w(g[E],m);if(x){const L=x.length;for(let T=0;T<L;T++)d[x[T]]=_}else d[E]=_}return this.options.layoutId&&(d.pointerEvents=m===this?Yh(s.pointerEvents)||"":"none"),d}clearSnapshot(){this.resumeFrom=this.snapshot=void 0}resetTree(){this.root.nodes.forEach(s=>{var u;return(u=s.currentAnimation)===null||u===void 0?void 0:u.stop()}),this.root.nodes.forEach(Hw),this.root.sharedNodes.clear()}}}function UK(e){e.updateLayout()}function GK(e){var t,n,r;const o=((t=e.resumeFrom)===null||t===void 0?void 0:t.snapshot)||e.snapshot;if(e.isLead()&&e.layout&&o&&e.hasListeners("didUpdate")){const{actual:i,measured:s}=e.layout,{animationType:u}=e.options;u==="size"?Ko(m=>{const g=o.isShared?o.measured[m]:o.layout[m],b=Vr(g);g.min=i[m].min,g.max=g.min+b}):OL(u,o.layout,i)&&Ko(m=>{const g=o.isShared?o.measured[m]:o.layout[m],b=Vr(i[m]);g.max=g.min+b});const c=of();nf(c,i,o.layout);const f=of();o.isShared?nf(f,e.applyTransform(s,!0),o.measured):nf(f,i,o.layout);const d=!TL(c);let h=!1;if(!e.resumeFrom&&(e.relativeParent=e.getClosestProjectingParent(),e.relativeParent&&!e.relativeParent.resumeFrom)){const{snapshot:m,layout:g}=e.relativeParent;if(m&&g){const b=Tn();rf(b,o.layout,m.layout);const S=Tn();rf(S,i,g.actual),IL(b,S)||(h=!0)}}e.notifyListeners("didUpdate",{layout:i,snapshot:o,delta:f,layoutDelta:c,hasLayoutChanged:d,hasRelativeTargetChanged:h})}else e.isLead()&&((r=(n=e.options).onExitComplete)===null||r===void 0||r.call(n));e.options.transition=void 0}function ZK(e){e.clearSnapshot()}function Hw(e){e.clearMeasurements()}function KK(e){const{visualElement:t}=e.options;t?.getProps().onBeforeLayoutMeasure&&t.notifyBeforeLayoutMeasure(),e.resetTransform()}function qK(e){e.finishAnimation(),e.targetDelta=e.relativeTarget=e.target=void 0}function YK(e){e.resolveTargetDelta()}function XK(e){e.calcProjection()}function QK(e){e.resetRotation()}function JK(e){e.removeLeadSnapshot()}function jw(e,t,n){e.translate=Yt(t.translate,0,n),e.scale=Yt(t.scale,1,n),e.origin=t.origin,e.originPoint=t.originPoint}function Uw(e,t,n,r){e.min=Yt(t.min,n.min,r),e.max=Yt(t.max,n.max,r)}function eq(e,t,n,r){Uw(e.x,t.x,n.x,r),Uw(e.y,t.y,n.y,r)}function tq(e){return e.animationValues&&e.animationValues.opacityExit!==void 0}const nq={duration:.45,ease:[.4,0,.1,1]};function rq(e,t){let n=e.root;for(let i=e.path.length-1;i>=0;i--)if(Boolean(e.path[i].instance)){n=e.path[i];break}const o=(n&&n!==e.root?n.instance:document).querySelector(`[data-projection-id="${t}"]`);o&&e.mount(o,!0)}function Gw(e){e.min=Math.round(e.min),e.max=Math.round(e.max)}function Zw(e){Gw(e.x),Gw(e.y)}function OL(e,t,n){return e==="position"||e==="preserve-aspect"&&!$K(Bw(t),Bw(n))}const oq=ML({attachResizeListener:(e,t)=>sm(e,"resize",t),measureScroll:()=>({x:document.documentElement.scrollLeft||document.body.scrollLeft,y:document.documentElement.scrollTop||document.body.scrollTop}),checkIsScrollRoot:()=>!0}),l2={current:void 0},iq=ML({measureScroll:e=>({x:e.scrollLeft,y:e.scrollTop}),defaultParent:()=>{if(!l2.current){const e=new oq(0,{});e.mount(window),e.setOptions({layoutScroll:!0}),l2.current=e}return l2.current},resetTransform:(e,t)=>{e.style.transform=t!==void 0?t:"none"},checkIsScrollRoot:e=>Boolean(window.getComputedStyle(e).position==="fixed")}),aq={...BZ,...qG,...aK,...IK},ho=Fj((e,t)=>CU(e,t,aq,EK,iq));function RL(){const e=C.exports.useRef(!1);return H1(()=>(e.current=!0,()=>{e.current=!1}),[]),e}function sq(){const e=RL(),[t,n]=C.exports.useState(0),r=C.exports.useCallback(()=>{e.current&&n(t+1)},[t]);return[C.exports.useCallback(()=>li.postRender(r),[r]),t]}class lq extends C.exports.Component{getSnapshotBeforeUpdate(t){const n=this.props.childRef.current;if(n&&t.isPresent&&!this.props.isPresent){const r=this.props.sizeRef.current;r.height=n.offsetHeight||0,r.width=n.offsetWidth||0,r.top=n.offsetTop,r.left=n.offsetLeft}return null}componentDidUpdate(){}render(){return this.props.children}}function uq({children:e,isPresent:t}){const n=C.exports.useId(),r=C.exports.useRef(null),o=C.exports.useRef({width:0,height:0,top:0,left:0});return C.exports.useInsertionEffect(()=>{const{width:i,height:s,top:u,left:c}=o.current;if(t||!r.current||!i||!s)return;r.current.dataset.motionPopId=n;const f=document.createElement("style");return document.head.appendChild(f),f.sheet&&f.sheet.insertRule(` + [data-motion-pop-id="${n}"] { + position: absolute !important; + width: ${i}px !important; + height: ${s}px !important; + top: ${u}px !important; + left: ${c}px !important; + } + `),()=>{document.head.removeChild(f)}},[t]),y(lq,{isPresent:t,childRef:r,sizeRef:o,children:C.exports.cloneElement(e,{ref:r})})}const u2=({children:e,initial:t,isPresent:n,onExitComplete:r,custom:o,presenceAffectsLayout:i,mode:s})=>{const u=am(cq),c=C.exports.useId(),f=C.exports.useMemo(()=>({id:c,initial:t,isPresent:n,custom:o,onExitComplete:d=>{u.set(d,!0);for(const h of u.values())if(!h)return;r&&r()},register:d=>(u.set(d,!1),()=>u.delete(d))}),i?void 0:[n]);return C.exports.useMemo(()=>{u.forEach((d,h)=>u.set(h,!1))},[n]),C.exports.useEffect(()=>{!n&&!u.size&&r&&r()},[n]),s==="popLayout"&&(e=y(uq,{isPresent:n,children:e})),y(Ru.Provider,{value:f,children:e})};function cq(){return new Map}const Il=e=>e.key||"";function fq(e,t){e.forEach(n=>{const r=Il(n);t.set(r,n)})}function dq(e){const t=[];return C.exports.Children.forEach(e,n=>{C.exports.isValidElement(n)&&t.push(n)}),t}const ea=({children:e,custom:t,initial:n=!0,onExitComplete:r,exitBeforeEnter:o,presenceAffectsLayout:i=!0,mode:s="sync"})=>{o&&(s="wait",aL(!1,"Replace exitBeforeEnter with mode='wait'"));let[u]=sq();const c=C.exports.useContext(x3).forceRender;c&&(u=c);const f=RL(),d=dq(e);let h=d;const m=new Set,g=C.exports.useRef(h),b=C.exports.useRef(new Map).current,S=C.exports.useRef(!0);if(H1(()=>{S.current=!1,fq(d,b),g.current=h}),P3(()=>{S.current=!0,b.clear(),m.clear()}),S.current)return y(wn,{children:h.map(_=>y(u2,{isPresent:!0,initial:n?void 0:!1,presenceAffectsLayout:i,mode:s,children:_},Il(_)))});h=[...h];const E=g.current.map(Il),w=d.map(Il),x=E.length;for(let _=0;_<x;_++){const L=E[_];w.indexOf(L)===-1&&m.add(L)}return s==="wait"&&m.size&&(h=[]),m.forEach(_=>{if(w.indexOf(_)!==-1)return;const L=b.get(_);if(!L)return;const T=E.indexOf(_),R=()=>{b.delete(_),m.delete(_);const N=g.current.findIndex(F=>F.key===_);if(g.current.splice(N,1),!m.size){if(g.current=d,f.current===!1)return;u(),r&&r()}};h.splice(T,0,y(u2,{isPresent:!1,onExitComplete:R,custom:t,presenceAffectsLayout:i,mode:s,children:L},Il(L)))}),h=h.map(_=>{const L=_.key;return m.has(L)?_:y(u2,{isPresent:!0,presenceAffectsLayout:i,mode:s,children:_},Il(_))}),iL!=="production"&&s==="wait"&&h.length>1&&console.warn(`You're attempting to animate multiple children within AnimatePresence, but its mode is set to "wait". This will lead to odd visual behaviour.`),y(wn,{children:m.size?h:h.map(_=>C.exports.cloneElement(_))})};var bd=(...e)=>e.filter(Boolean).join(" ");function pq(){return!1}var hq=e=>{const{condition:t,message:n}=e;t&&pq()&&console.warn(n)},Es={ease:[.25,.1,.25,1],easeIn:[.4,0,1,1],easeOut:[0,0,.2,1],easeInOut:[.4,0,.2,1]},Pc={scale:{enter:{scale:1},exit:{scale:.95}},fade:{enter:{opacity:1},exit:{opacity:0}},pushLeft:{enter:{x:"100%"},exit:{x:"-30%"}},pushRight:{enter:{x:"-100%"},exit:{x:"30%"}},pushUp:{enter:{y:"100%"},exit:{y:"-30%"}},pushDown:{enter:{y:"-100%"},exit:{y:"30%"}},slideLeft:{position:{left:0,top:0,bottom:0,width:"100%"},enter:{x:0,y:0},exit:{x:"-100%",y:0}},slideRight:{position:{right:0,top:0,bottom:0,width:"100%"},enter:{x:0,y:0},exit:{x:"100%",y:0}},slideUp:{position:{top:0,left:0,right:0,maxWidth:"100vw"},enter:{x:0,y:0},exit:{x:0,y:"-100%"}},slideDown:{position:{bottom:0,left:0,right:0,maxWidth:"100vw"},enter:{x:0,y:0},exit:{x:0,y:"100%"}}};function m5(e){switch(e?.direction??"right"){case"right":return Pc.slideRight;case"left":return Pc.slideLeft;case"bottom":return Pc.slideDown;case"top":return Pc.slideUp;default:return Pc.slideRight}}var Ts={enter:{duration:.2,ease:Es.easeOut},exit:{duration:.1,ease:Es.easeIn}},No={enter:(e,t)=>({...e,delay:typeof t=="number"?t:t?.enter}),exit:(e,t)=>({...e,delay:typeof t=="number"?t:t?.exit})},mq=e=>e!=null&&parseInt(e.toString(),10)>0,Kw={exit:{height:{duration:.2,ease:Es.ease},opacity:{duration:.3,ease:Es.ease}},enter:{height:{duration:.3,ease:Es.ease},opacity:{duration:.4,ease:Es.ease}}},gq={exit:({animateOpacity:e,startingHeight:t,transition:n,transitionEnd:r,delay:o})=>({...e&&{opacity:mq(t)?1:0},height:t,transitionEnd:r?.exit,transition:n?.exit??No.exit(Kw.exit,o)}),enter:({animateOpacity:e,endingHeight:t,transition:n,transitionEnd:r,delay:o})=>({...e&&{opacity:1},height:t,transitionEnd:r?.enter,transition:n?.enter??No.enter(Kw.enter,o)})},NL=C.exports.forwardRef((e,t)=>{const{in:n,unmountOnExit:r,animateOpacity:o=!0,startingHeight:i=0,endingHeight:s="auto",style:u,className:c,transition:f,transitionEnd:d,...h}=e,[m,g]=C.exports.useState(!1);C.exports.useEffect(()=>{const x=setTimeout(()=>{g(!0)});return()=>clearTimeout(x)},[]),hq({condition:Boolean(i>0&&r),message:"startingHeight and unmountOnExit are mutually exclusive. You can't use them together"});const b=parseFloat(i.toString())>0,S={startingHeight:i,endingHeight:s,animateOpacity:o,transition:m?f:{enter:{duration:0}},transitionEnd:{enter:d?.enter,exit:r?d?.exit:{...d?.exit,display:b?"block":"none"}}},E=r?n:!0,w=n||r?"enter":"exit";return y(ea,{initial:!1,custom:S,children:E&&Q.createElement(ho.div,{ref:t,...h,className:bd("chakra-collapse",c),style:{overflow:"hidden",display:"block",...u},custom:S,variants:gq,initial:r?"exit":!1,animate:w,exit:"exit"})})});NL.displayName="Collapse";var vq={enter:({transition:e,transitionEnd:t,delay:n}={})=>({opacity:1,transition:e?.enter??No.enter(Ts.enter,n),transitionEnd:t?.enter}),exit:({transition:e,transitionEnd:t,delay:n}={})=>({opacity:0,transition:e?.exit??No.exit(Ts.exit,n),transitionEnd:t?.exit})},DL={initial:"exit",animate:"enter",exit:"exit",variants:vq},yq=C.exports.forwardRef(function(t,n){const{unmountOnExit:r,in:o,className:i,transition:s,transitionEnd:u,delay:c,...f}=t,d=o||r?"enter":"exit",h=r?o&&r:!0,m={transition:s,transitionEnd:u,delay:c};return y(ea,{custom:m,children:h&&Q.createElement(ho.div,{ref:n,className:bd("chakra-fade",i),custom:m,...DL,animate:d,...f})})});yq.displayName="Fade";var bq={exit:({reverse:e,initialScale:t,transition:n,transitionEnd:r,delay:o})=>({opacity:0,...e?{scale:t,transitionEnd:r?.exit}:{transitionEnd:{scale:t,...r?.exit}},transition:n?.exit??No.exit(Ts.exit,o)}),enter:({transitionEnd:e,transition:t,delay:n})=>({opacity:1,scale:1,transition:t?.enter??No.enter(Ts.enter,n),transitionEnd:e?.enter})},zL={initial:"exit",animate:"enter",exit:"exit",variants:bq},xq=C.exports.forwardRef(function(t,n){const{unmountOnExit:r,in:o,reverse:i=!0,initialScale:s=.95,className:u,transition:c,transitionEnd:f,delay:d,...h}=t,m=r?o&&r:!0,g=o||r?"enter":"exit",b={initialScale:s,reverse:i,transition:c,transitionEnd:f,delay:d};return y(ea,{custom:b,children:m&&Q.createElement(ho.div,{ref:n,className:bd("chakra-offset-slide",u),...zL,animate:g,custom:b,...h})})});xq.displayName="ScaleFade";var qw={exit:{duration:.15,ease:Es.easeInOut},enter:{type:"spring",damping:25,stiffness:180}},Sq={exit:({direction:e,transition:t,transitionEnd:n,delay:r})=>{const{exit:o}=m5({direction:e});return{...o,transition:t?.exit??No.exit(qw.exit,r),transitionEnd:n?.exit}},enter:({direction:e,transitionEnd:t,transition:n,delay:r})=>{const{enter:o}=m5({direction:e});return{...o,transition:n?.enter??No.enter(qw.enter,r),transitionEnd:t?.enter}}},FL=C.exports.forwardRef(function(t,n){const{direction:r="right",style:o,unmountOnExit:i,in:s,className:u,transition:c,transitionEnd:f,delay:d,...h}=t,m=m5({direction:r}),g=Object.assign({position:"fixed"},m.position,o),b=i?s&&i:!0,S=s||i?"enter":"exit",E={transitionEnd:f,transition:c,direction:r,delay:d};return y(ea,{custom:E,children:b&&Q.createElement(ho.div,{...h,ref:n,initial:"exit",className:bd("chakra-slide",u),animate:S,exit:"exit",custom:E,variants:Sq,style:g})})});FL.displayName="Slide";var wq={initial:({offsetX:e,offsetY:t,transition:n,transitionEnd:r,delay:o})=>({opacity:0,x:e,y:t,transition:n?.exit??No.exit(Ts.exit,o),transitionEnd:r?.exit}),enter:({transition:e,transitionEnd:t,delay:n})=>({opacity:1,x:0,y:0,transition:e?.enter??No.enter(Ts.enter,n),transitionEnd:t?.enter}),exit:({offsetY:e,offsetX:t,transition:n,transitionEnd:r,reverse:o,delay:i})=>{const s={x:t,y:e};return{opacity:0,transition:n?.exit??No.exit(Ts.exit,i),...o?{...s,transitionEnd:r?.exit}:{transitionEnd:{...s,...r?.exit}}}}},g5={initial:"initial",animate:"enter",exit:"exit",variants:wq},Cq=C.exports.forwardRef(function(t,n){const{unmountOnExit:r,in:o,reverse:i=!0,className:s,offsetX:u=0,offsetY:c=8,transition:f,transitionEnd:d,delay:h,...m}=t,g=r?o&&r:!0,b=o||r?"enter":"exit",S={offsetX:u,offsetY:c,reverse:i,transition:f,transitionEnd:d,delay:h};return y(ea,{custom:S,children:g&&Q.createElement(ho.div,{ref:n,className:bd("chakra-offset-slide",s),custom:S,...g5,animate:b,...m})})});Cq.displayName="SlideFade";var xd=(...e)=>e.filter(Boolean).join(" ");function _q(){return!1}var hm=e=>{const{condition:t,message:n}=e;t&&_q()&&console.warn(n)};function c2(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var[kq,mm]=At({name:"AccordionStylesContext",hookName:"useAccordionStyles",providerName:"<Accordion />"}),[Eq,j3]=At({name:"AccordionItemContext",hookName:"useAccordionItemContext",providerName:"<AccordionItem />"}),[Lq,l0e,Pq,Aq]=aE(),BL=ue(function(t,n){const{getButtonProps:r}=j3(),o=r(t,n),i=mm(),s={display:"flex",alignItems:"center",width:"100%",outline:0,...i.button};return Q.createElement(oe.button,{...o,className:xd("chakra-accordion__button",t.className),__css:s})});BL.displayName="AccordionButton";function Tq(e){const{onChange:t,defaultIndex:n,index:r,allowMultiple:o,allowToggle:i,...s}=e;Oq(e),Rq(e);const u=Pq(),[c,f]=C.exports.useState(-1);C.exports.useEffect(()=>()=>{f(-1)},[]);const[d,h]=sE({value:r,defaultValue(){return o?n??[]:n??-1},onChange:t});return{index:d,setIndex:h,htmlProps:s,getAccordionItemProps:g=>{let b=!1;return g!==null&&(b=Array.isArray(d)?d.includes(g):d===g),{isOpen:b,onChange:E=>{if(g!==null)if(o&&Array.isArray(d)){const w=E?d.concat(g):d.filter(x=>x!==g);h(w)}else E?h(g):i&&h(-1)}}},focusedIndex:c,setFocusedIndex:f,descendants:u}}var[Iq,U3]=At({name:"AccordionContext",hookName:"useAccordionContext",providerName:"Accordion"});function Mq(e){const{isDisabled:t,isFocusable:n,id:r,...o}=e,{getAccordionItemProps:i,setFocusedIndex:s}=U3(),u=C.exports.useRef(null),c=C.exports.useId(),f=r??c,d=`accordion-button-${f}`,h=`accordion-panel-${f}`;Nq(e);const{register:m,index:g,descendants:b}=Aq({disabled:t&&!n}),{isOpen:S,onChange:E}=i(g===-1?null:g);Dq({isOpen:S,isDisabled:t});const w=()=>{E?.(!0)},x=()=>{E?.(!1)},_=C.exports.useCallback(()=>{E?.(!S),s(g)},[g,s,S,E]),L=C.exports.useCallback(F=>{const W={ArrowDown:()=>{const J=b.nextEnabled(g);J?.node.focus()},ArrowUp:()=>{const J=b.prevEnabled(g);J?.node.focus()},Home:()=>{const J=b.firstEnabled();J?.node.focus()},End:()=>{const J=b.lastEnabled();J?.node.focus()}}[F.key];W&&(F.preventDefault(),W(F))},[b,g]),T=C.exports.useCallback(()=>{s(g)},[s,g]),R=C.exports.useCallback(function(K={},W=null){return{...K,type:"button",ref:qt(m,u,W),id:d,disabled:!!t,"aria-expanded":!!S,"aria-controls":h,onClick:c2(K.onClick,_),onFocus:c2(K.onFocus,T),onKeyDown:c2(K.onKeyDown,L)}},[d,t,S,_,T,L,h,m]),N=C.exports.useCallback(function(K={},W=null){return{...K,ref:W,role:"region",id:h,"aria-labelledby":d,hidden:!S}},[d,S,h]);return{isOpen:S,isDisabled:t,isFocusable:n,onOpen:w,onClose:x,getButtonProps:R,getPanelProps:N,htmlProps:o}}function Oq(e){const t=e.index||e.defaultIndex,n=t==null&&!Array.isArray(t)&&e.allowMultiple;hm({condition:!!n,message:`If 'allowMultiple' is passed, then 'index' or 'defaultIndex' must be an array. You passed: ${typeof t},`})}function Rq(e){hm({condition:!!(e.allowMultiple&&e.allowToggle),message:"If 'allowMultiple' is passed, 'allowToggle' will be ignored. Either remove 'allowToggle' or 'allowMultiple' depending on whether you want multiple accordions visible or not"})}function Nq(e){hm({condition:!!(e.isFocusable&&!e.isDisabled),message:`Using only 'isFocusable', this prop is reserved for situations where you pass 'isDisabled' but you still want the element to receive focus (A11y). Either remove it or pass 'isDisabled' as well. + `})}function Dq(e){hm({condition:e.isOpen&&!!e.isDisabled,message:"Cannot open a disabled accordion item"})}function $L(e){const{isOpen:t,isDisabled:n}=j3(),{reduceMotion:r}=U3(),o=xd("chakra-accordion__icon",e.className),i=mm(),s={opacity:n?.4:1,transform:t?"rotate(-180deg)":void 0,transition:r?void 0:"transform 0.2s",transformOrigin:"center",...i.icon};return y(Gr,{viewBox:"0 0 24 24","aria-hidden":!0,className:o,__css:s,...e,children:y("path",{fill:"currentColor",d:"M16.59 8.59L12 13.17 7.41 8.59 6 10l6 6 6-6z"})})}$L.displayName="AccordionIcon";var VL=ue(function(t,n){const{children:r,className:o}=t,{htmlProps:i,...s}=Mq(t),c={...mm().container,overflowAnchor:"none"},f=C.exports.useMemo(()=>s,[s]);return Q.createElement(Eq,{value:f},Q.createElement(oe.div,{ref:n,...i,className:xd("chakra-accordion__item",o),__css:c},typeof r=="function"?r({isExpanded:!!s.isOpen,isDisabled:!!s.isDisabled}):r))});VL.displayName="AccordionItem";var WL=ue(function(t,n){const{reduceMotion:r}=U3(),{getPanelProps:o,isOpen:i}=j3(),s=o(t,n),u=xd("chakra-accordion__panel",t.className),c=mm();r||delete s.hidden;const f=Q.createElement(oe.div,{...s,__css:c.panel,className:u});return r?f:y(NL,{in:i,children:f})});WL.displayName="AccordionPanel";var HL=ue(function({children:t,reduceMotion:n,...r},o){const i=ur("Accordion",r),s=yt(r),{htmlProps:u,descendants:c,...f}=Tq(s),d=C.exports.useMemo(()=>({...f,reduceMotion:!!n}),[f,n]);return Q.createElement(Lq,{value:c},Q.createElement(Iq,{value:d},Q.createElement(kq,{value:i},Q.createElement(oe.div,{ref:o,...u,className:xd("chakra-accordion",r.className),__css:i.root},t))))});HL.displayName="Accordion";var zq=(...e)=>e.filter(Boolean).join(" "),Fq=fd({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}}),gm=ue((e,t)=>{const n=lr("Spinner",e),{label:r="Loading...",thickness:o="2px",speed:i="0.45s",emptyColor:s="transparent",className:u,...c}=yt(e),f=zq("chakra-spinner",u),d={display:"inline-block",borderColor:"currentColor",borderStyle:"solid",borderRadius:"99999px",borderWidth:o,borderBottomColor:s,borderLeftColor:s,animation:`${Fq} ${i} linear infinite`,...n};return Q.createElement(oe.div,{ref:t,__css:d,className:f,...c},r&&Q.createElement(oe.span,{srOnly:!0},r))});gm.displayName="Spinner";var vm=(...e)=>e.filter(Boolean).join(" ");function Bq(e){return y(Gr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M12,0A12,12,0,1,0,24,12,12.014,12.014,0,0,0,12,0Zm6.927,8.2-6.845,9.289a1.011,1.011,0,0,1-1.43.188L5.764,13.769a1,1,0,1,1,1.25-1.562l4.076,3.261,6.227-8.451A1,1,0,1,1,18.927,8.2Z"})})}function $q(e){return y(Gr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M12,0A12,12,0,1,0,24,12,12.013,12.013,0,0,0,12,0Zm.25,5a1.5,1.5,0,1,1-1.5,1.5A1.5,1.5,0,0,1,12.25,5ZM14.5,18.5h-4a1,1,0,0,1,0-2h.75a.25.25,0,0,0,.25-.25v-4.5a.25.25,0,0,0-.25-.25H10.5a1,1,0,0,1,0-2h1a2,2,0,0,1,2,2v4.75a.25.25,0,0,0,.25.25h.75a1,1,0,1,1,0,2Z"})})}function Yw(e){return y(Gr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M11.983,0a12.206,12.206,0,0,0-8.51,3.653A11.8,11.8,0,0,0,0,12.207,11.779,11.779,0,0,0,11.8,24h.214A12.111,12.111,0,0,0,24,11.791h0A11.766,11.766,0,0,0,11.983,0ZM10.5,16.542a1.476,1.476,0,0,1,1.449-1.53h.027a1.527,1.527,0,0,1,1.523,1.47,1.475,1.475,0,0,1-1.449,1.53h-.027A1.529,1.529,0,0,1,10.5,16.542ZM11,12.5v-6a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Z"})})}var[Vq,Wq]=At({name:"AlertContext",hookName:"useAlertContext",providerName:"<Alert />"}),[Hq,G3]=At({name:"AlertStylesContext",hookName:"useAlertStyles",providerName:"<Alert />"}),jL={info:{icon:$q,colorScheme:"blue"},warning:{icon:Yw,colorScheme:"orange"},success:{icon:Bq,colorScheme:"green"},error:{icon:Yw,colorScheme:"red"},loading:{icon:gm,colorScheme:"blue"}};function jq(e){return jL[e].colorScheme}function Uq(e){return jL[e].icon}var UL=ue(function(t,n){const{status:r="info",addRole:o=!0,...i}=yt(t),s=t.colorScheme??jq(r),u=ur("Alert",{...t,colorScheme:s}),c={width:"100%",display:"flex",alignItems:"center",position:"relative",overflow:"hidden",...u.container};return Q.createElement(Vq,{value:{status:r}},Q.createElement(Hq,{value:u},Q.createElement(oe.div,{role:o?"alert":void 0,ref:n,...i,className:vm("chakra-alert",t.className),__css:c})))});UL.displayName="Alert";var GL=ue(function(t,n){const r=G3(),o={display:"inline",...r.description};return Q.createElement(oe.div,{ref:n,...t,className:vm("chakra-alert__desc",t.className),__css:o})});GL.displayName="AlertDescription";function ZL(e){const{status:t}=Wq(),n=Uq(t),r=G3(),o=t==="loading"?r.spinner:r.icon;return Q.createElement(oe.span,{display:"inherit",...e,className:vm("chakra-alert__icon",e.className),__css:o},e.children||y(n,{h:"100%",w:"100%"}))}ZL.displayName="AlertIcon";var KL=ue(function(t,n){const r=G3();return Q.createElement(oe.div,{ref:n,...t,className:vm("chakra-alert__title",t.className),__css:r.title})});KL.displayName="AlertTitle";function Gq(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function Zq(e){const{loading:t,src:n,srcSet:r,onLoad:o,onError:i,crossOrigin:s,sizes:u,ignoreFallback:c}=e,[f,d]=C.exports.useState("pending");C.exports.useEffect(()=>{d(n?"loading":"pending")},[n]);const h=C.exports.useRef(),m=C.exports.useCallback(()=>{if(!n)return;g();const b=new Image;b.src=n,s&&(b.crossOrigin=s),r&&(b.srcset=r),u&&(b.sizes=u),t&&(b.loading=t),b.onload=S=>{g(),d("loaded"),o?.(S)},b.onerror=S=>{g(),d("failed"),i?.(S)},h.current=b},[n,s,r,u,o,i,t]),g=()=>{h.current&&(h.current.onload=null,h.current.onerror=null,h.current=null)};return ii(()=>{if(!c)return f==="loading"&&m(),()=>{g()}},[f,m,c]),c?"loaded":f}var Kq=(e,t)=>e!=="loaded"&&t==="beforeLoadOrError"||e==="failed"&&t==="onError",t0=ue(function(t,n){const{htmlWidth:r,htmlHeight:o,alt:i,...s}=t;return y("img",{width:r,height:o,ref:n,alt:i,...s})});t0.displayName="NativeImage";var Hf=ue(function(t,n){const{fallbackSrc:r,fallback:o,src:i,srcSet:s,align:u,fit:c,loading:f,ignoreFallback:d,crossOrigin:h,fallbackStrategy:m="beforeLoadOrError",referrerPolicy:g,...b}=t,S=r!==void 0||o!==void 0,E=f!=null||d||!S,w=Zq({...t,ignoreFallback:E}),x=Kq(w,m),_={ref:n,objectFit:c,objectPosition:u,...E?b:Gq(b,["onError","onLoad"])};return x?o||Q.createElement(oe.img,{as:t0,className:"chakra-image__placeholder",src:r,..._}):Q.createElement(oe.img,{as:t0,src:i,srcSet:s,crossOrigin:h,loading:f,referrerPolicy:g,className:"chakra-image",..._})});Hf.displayName="Image";ue((e,t)=>Q.createElement(oe.img,{ref:t,as:t0,className:"chakra-image",...e}));var qq=Object.create,qL=Object.defineProperty,Yq=Object.getOwnPropertyDescriptor,YL=Object.getOwnPropertyNames,Xq=Object.getPrototypeOf,Qq=Object.prototype.hasOwnProperty,XL=(e,t)=>function(){return t||(0,e[YL(e)[0]])((t={exports:{}}).exports,t),t.exports},Jq=(e,t,n,r)=>{if(t&&typeof t=="object"||typeof t=="function")for(let o of YL(t))!Qq.call(e,o)&&o!==n&&qL(e,o,{get:()=>t[o],enumerable:!(r=Yq(t,o))||r.enumerable});return e},eY=(e,t,n)=>(n=e!=null?qq(Xq(e)):{},Jq(t||!e||!e.__esModule?qL(n,"default",{value:e,enumerable:!0}):n,e)),tY=XL({"../../node_modules/.pnpm/react@18.2.0/node_modules/react/cjs/react.production.min.js"(e){var t=Symbol.for("react.element"),n=Symbol.for("react.portal"),r=Symbol.for("react.fragment"),o=Symbol.for("react.strict_mode"),i=Symbol.for("react.profiler"),s=Symbol.for("react.provider"),u=Symbol.for("react.context"),c=Symbol.for("react.forward_ref"),f=Symbol.for("react.suspense"),d=Symbol.for("react.memo"),h=Symbol.for("react.lazy"),m=Symbol.iterator;function g(M){return M===null||typeof M!="object"?null:(M=m&&M[m]||M["@@iterator"],typeof M=="function"?M:null)}var b={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},S=Object.assign,E={};function w(M,j,se){this.props=M,this.context=j,this.refs=E,this.updater=se||b}w.prototype.isReactComponent={},w.prototype.setState=function(M,j){if(typeof M!="object"&&typeof M!="function"&&M!=null)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,M,j,"setState")},w.prototype.forceUpdate=function(M){this.updater.enqueueForceUpdate(this,M,"forceUpdate")};function x(){}x.prototype=w.prototype;function _(M,j,se){this.props=M,this.context=j,this.refs=E,this.updater=se||b}var L=_.prototype=new x;L.constructor=_,S(L,w.prototype),L.isPureReactComponent=!0;var T=Array.isArray,R=Object.prototype.hasOwnProperty,N={current:null},F={key:!0,ref:!0,__self:!0,__source:!0};function K(M,j,se){var ce,ye={},be=null,Le=null;if(j!=null)for(ce in j.ref!==void 0&&(Le=j.ref),j.key!==void 0&&(be=""+j.key),j)R.call(j,ce)&&!F.hasOwnProperty(ce)&&(ye[ce]=j[ce]);var de=arguments.length-2;if(de===1)ye.children=se;else if(1<de){for(var _e=Array(de),De=0;De<de;De++)_e[De]=arguments[De+2];ye.children=_e}if(M&&M.defaultProps)for(ce in de=M.defaultProps,de)ye[ce]===void 0&&(ye[ce]=de[ce]);return{$$typeof:t,type:M,key:be,ref:Le,props:ye,_owner:N.current}}function W(M,j){return{$$typeof:t,type:M.type,key:j,ref:M.ref,props:M.props,_owner:M._owner}}function J(M){return typeof M=="object"&&M!==null&&M.$$typeof===t}function ve(M){var j={"=":"=0",":":"=2"};return"$"+M.replace(/[=:]/g,function(se){return j[se]})}var xe=/\/+/g;function he(M,j){return typeof M=="object"&&M!==null&&M.key!=null?ve(""+M.key):j.toString(36)}function fe(M,j,se,ce,ye){var be=typeof M;(be==="undefined"||be==="boolean")&&(M=null);var Le=!1;if(M===null)Le=!0;else switch(be){case"string":case"number":Le=!0;break;case"object":switch(M.$$typeof){case t:case n:Le=!0}}if(Le)return Le=M,ye=ye(Le),M=ce===""?"."+he(Le,0):ce,T(ye)?(se="",M!=null&&(se=M.replace(xe,"$&/")+"/"),fe(ye,j,se,"",function(De){return De})):ye!=null&&(J(ye)&&(ye=W(ye,se+(!ye.key||Le&&Le.key===ye.key?"":(""+ye.key).replace(xe,"$&/")+"/")+M)),j.push(ye)),1;if(Le=0,ce=ce===""?".":ce+":",T(M))for(var de=0;de<M.length;de++){be=M[de];var _e=ce+he(be,de);Le+=fe(be,j,se,_e,ye)}else if(_e=g(M),typeof _e=="function")for(M=_e.call(M),de=0;!(be=M.next()).done;)be=be.value,_e=ce+he(be,de++),Le+=fe(be,j,se,_e,ye);else if(be==="object")throw j=String(M),Error("Objects are not valid as a React child (found: "+(j==="[object Object]"?"object with keys {"+Object.keys(M).join(", ")+"}":j)+"). If you meant to render a collection of children, use an array instead.");return Le}function me(M,j,se){if(M==null)return M;var ce=[],ye=0;return fe(M,ce,"","",function(be){return j.call(se,be,ye++)}),ce}function ne(M){if(M._status===-1){var j=M._result;j=j(),j.then(function(se){(M._status===0||M._status===-1)&&(M._status=1,M._result=se)},function(se){(M._status===0||M._status===-1)&&(M._status=2,M._result=se)}),M._status===-1&&(M._status=0,M._result=j)}if(M._status===1)return M._result.default;throw M._result}var H={current:null},Y={transition:null},Z={ReactCurrentDispatcher:H,ReactCurrentBatchConfig:Y,ReactCurrentOwner:N};e.Children={map:me,forEach:function(M,j,se){me(M,function(){j.apply(this,arguments)},se)},count:function(M){var j=0;return me(M,function(){j++}),j},toArray:function(M){return me(M,function(j){return j})||[]},only:function(M){if(!J(M))throw Error("React.Children.only expected to receive a single React element child.");return M}},e.Component=w,e.Fragment=r,e.Profiler=i,e.PureComponent=_,e.StrictMode=o,e.Suspense=f,e.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=Z,e.cloneElement=function(M,j,se){if(M==null)throw Error("React.cloneElement(...): The argument must be a React element, but you passed "+M+".");var ce=S({},M.props),ye=M.key,be=M.ref,Le=M._owner;if(j!=null){if(j.ref!==void 0&&(be=j.ref,Le=N.current),j.key!==void 0&&(ye=""+j.key),M.type&&M.type.defaultProps)var de=M.type.defaultProps;for(_e in j)R.call(j,_e)&&!F.hasOwnProperty(_e)&&(ce[_e]=j[_e]===void 0&&de!==void 0?de[_e]:j[_e])}var _e=arguments.length-2;if(_e===1)ce.children=se;else if(1<_e){de=Array(_e);for(var De=0;De<_e;De++)de[De]=arguments[De+2];ce.children=de}return{$$typeof:t,type:M.type,key:ye,ref:be,props:ce,_owner:Le}},e.createContext=function(M){return M={$$typeof:u,_currentValue:M,_currentValue2:M,_threadCount:0,Provider:null,Consumer:null,_defaultValue:null,_globalName:null},M.Provider={$$typeof:s,_context:M},M.Consumer=M},e.createElement=K,e.createFactory=function(M){var j=K.bind(null,M);return j.type=M,j},e.createRef=function(){return{current:null}},e.forwardRef=function(M){return{$$typeof:c,render:M}},e.isValidElement=J,e.lazy=function(M){return{$$typeof:h,_payload:{_status:-1,_result:M},_init:ne}},e.memo=function(M,j){return{$$typeof:d,type:M,compare:j===void 0?null:j}},e.startTransition=function(M){var j=Y.transition;Y.transition={};try{M()}finally{Y.transition=j}},e.unstable_act=function(){throw Error("act(...) is not supported in production builds of React.")},e.useCallback=function(M,j){return H.current.useCallback(M,j)},e.useContext=function(M){return H.current.useContext(M)},e.useDebugValue=function(){},e.useDeferredValue=function(M){return H.current.useDeferredValue(M)},e.useEffect=function(M,j){return H.current.useEffect(M,j)},e.useId=function(){return H.current.useId()},e.useImperativeHandle=function(M,j,se){return H.current.useImperativeHandle(M,j,se)},e.useInsertionEffect=function(M,j){return H.current.useInsertionEffect(M,j)},e.useLayoutEffect=function(M,j){return H.current.useLayoutEffect(M,j)},e.useMemo=function(M,j){return H.current.useMemo(M,j)},e.useReducer=function(M,j,se){return H.current.useReducer(M,j,se)},e.useRef=function(M){return H.current.useRef(M)},e.useState=function(M){return H.current.useState(M)},e.useSyncExternalStore=function(M,j,se){return H.current.useSyncExternalStore(M,j,se)},e.useTransition=function(){return H.current.useTransition()},e.version="18.2.0"}}),nY=XL({"../../node_modules/.pnpm/react@18.2.0/node_modules/react/index.js"(e,t){t.exports=tY()}}),Xw=eY(nY());function ym(e){return Xw.Children.toArray(e).filter(t=>(0,Xw.isValidElement)(t))}/** + * @license React + * react.development.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + *//** + * @license React + * react.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var bm=(...e)=>e.filter(Boolean).join(" "),Qw=e=>e?"":void 0,[rY,oY]=At({strict:!1,name:"ButtonGroupContext"});function v5(e){const{children:t,className:n,...r}=e,o=C.exports.isValidElement(t)?C.exports.cloneElement(t,{"aria-hidden":!0,focusable:!1}):t,i=bm("chakra-button__icon",n);return Q.createElement(oe.span,{display:"inline-flex",alignSelf:"center",flexShrink:0,...r,className:i},o)}v5.displayName="ButtonIcon";function y5(e){const{label:t,placement:n,spacing:r="0.5rem",children:o=y(gm,{color:"currentColor",width:"1em",height:"1em"}),className:i,__css:s,...u}=e,c=bm("chakra-button__spinner",i),f=n==="start"?"marginEnd":"marginStart",d=C.exports.useMemo(()=>({display:"flex",alignItems:"center",position:t?"relative":"absolute",[f]:t?r:0,fontSize:"1em",lineHeight:"normal",...s}),[s,t,f,r]);return Q.createElement(oe.div,{className:c,...u,__css:d},o)}y5.displayName="ButtonSpinner";function iY(e){const[t,n]=C.exports.useState(!e);return{ref:C.exports.useCallback(i=>{!i||n(i.tagName==="BUTTON")},[]),type:t?"button":void 0}}var zo=ue((e,t)=>{const n=oY(),r=lr("Button",{...n,...e}),{isDisabled:o=n?.isDisabled,isLoading:i,isActive:s,children:u,leftIcon:c,rightIcon:f,loadingText:d,iconSpacing:h="0.5rem",type:m,spinner:g,spinnerPlacement:b="start",className:S,as:E,...w}=yt(e),x=C.exports.useMemo(()=>{const R={...r?._focus,zIndex:1};return{display:"inline-flex",appearance:"none",alignItems:"center",justifyContent:"center",userSelect:"none",position:"relative",whiteSpace:"nowrap",verticalAlign:"middle",outline:"none",...r,...!!n&&{_focus:R}}},[r,n]),{ref:_,type:L}=iY(E),T={rightIcon:f,leftIcon:c,iconSpacing:h,children:u};return Q.createElement(oe.button,{disabled:o||i,ref:bj(t,_),as:E,type:m??L,"data-active":Qw(s),"data-loading":Qw(i),__css:x,className:bm("chakra-button",S),...w},i&&b==="start"&&y(y5,{className:"chakra-button__spinner--start",label:d,placement:"start",spacing:h,children:g}),i?d||Q.createElement(oe.span,{opacity:0},y(Jw,{...T})):y(Jw,{...T}),i&&b==="end"&&y(y5,{className:"chakra-button__spinner--end",label:d,placement:"end",spacing:h,children:g}))});zo.displayName="Button";function Jw(e){const{leftIcon:t,rightIcon:n,children:r,iconSpacing:o}=e;return q(wn,{children:[t&&y(v5,{marginEnd:o,children:t}),r,n&&y(v5,{marginStart:o,children:n})]})}var aY=ue(function(t,n){const{size:r,colorScheme:o,variant:i,className:s,spacing:u="0.5rem",isAttached:c,isDisabled:f,...d}=t,h=bm("chakra-button__group",s),m=C.exports.useMemo(()=>({size:r,colorScheme:o,variant:i,isDisabled:f}),[r,o,i,f]);let g={display:"inline-flex"};return c?g={...g,"> *:first-of-type:not(:last-of-type)":{borderEndRadius:0},"> *:not(:first-of-type):not(:last-of-type)":{borderRadius:0},"> *:not(:first-of-type):last-of-type":{borderStartRadius:0}}:g={...g,"& > *:not(style) ~ *:not(style)":{marginStart:u}},Q.createElement(rY,{value:m},Q.createElement(oe.div,{ref:n,role:"group",__css:g,className:h,"data-attached":c?"":void 0,...d}))});aY.displayName="ButtonGroup";var Gn=ue((e,t)=>{const{icon:n,children:r,isRound:o,"aria-label":i,...s}=e,u=n||r,c=C.exports.isValidElement(u)?C.exports.cloneElement(u,{"aria-hidden":!0,focusable:!1}):null;return y(zo,{padding:"0",borderRadius:o?"full":void 0,ref:t,"aria-label":i,...s,children:c})});Gn.displayName="IconButton";var zu=(...e)=>e.filter(Boolean).join(" "),dh=e=>e?"":void 0,f2=e=>e?!0:void 0;function e8(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var[sY,QL]=At({name:"FormControlStylesContext",errorMessage:`useFormControlStyles returned is 'undefined'. Seems you forgot to wrap the components in "<FormControl />" `}),[lY,Fu]=At({strict:!1,name:"FormControlContext"});function uY(e){const{id:t,isRequired:n,isInvalid:r,isDisabled:o,isReadOnly:i,...s}=e,u=C.exports.useId(),c=t||`field-${u}`,f=`${c}-label`,d=`${c}-feedback`,h=`${c}-helptext`,[m,g]=C.exports.useState(!1),[b,S]=C.exports.useState(!1),[E,w]=C.exports.useState(!1),x=C.exports.useCallback((N={},F=null)=>({id:h,...N,ref:qt(F,K=>{!K||S(!0)})}),[h]),_=C.exports.useCallback((N={},F=null)=>({...N,ref:F,"data-focus":dh(E),"data-disabled":dh(o),"data-invalid":dh(r),"data-readonly":dh(i),id:N.id??f,htmlFor:N.htmlFor??c}),[c,o,E,r,i,f]),L=C.exports.useCallback((N={},F=null)=>({id:d,...N,ref:qt(F,K=>{!K||g(!0)}),"aria-live":"polite"}),[d]),T=C.exports.useCallback((N={},F=null)=>({...N,...s,ref:F,role:"group"}),[s]),R=C.exports.useCallback((N={},F=null)=>({...N,ref:F,role:"presentation","aria-hidden":!0,children:N.children||"*"}),[]);return{isRequired:!!n,isInvalid:!!r,isReadOnly:!!i,isDisabled:!!o,isFocused:!!E,onFocus:()=>w(!0),onBlur:()=>w(!1),hasFeedbackText:m,setHasFeedbackText:g,hasHelpText:b,setHasHelpText:S,id:c,labelId:f,feedbackId:d,helpTextId:h,htmlProps:s,getHelpTextProps:x,getErrorMessageProps:L,getRootProps:T,getLabelProps:_,getRequiredIndicatorProps:R}}var es=ue(function(t,n){const r=ur("Form",t),o=yt(t),{getRootProps:i,htmlProps:s,...u}=uY(o),c=zu("chakra-form-control",t.className);return Q.createElement(lY,{value:u},Q.createElement(sY,{value:r},Q.createElement(oe.div,{...i({},n),className:c,__css:r.container})))});es.displayName="FormControl";var cY=ue(function(t,n){const r=Fu(),o=QL(),i=zu("chakra-form__helper-text",t.className);return Q.createElement(oe.div,{...r?.getHelpTextProps(t,n),__css:o.helperText,className:i})});cY.displayName="FormHelperText";function Z3(e){const{isDisabled:t,isInvalid:n,isReadOnly:r,isRequired:o,...i}=K3(e);return{...i,disabled:t,readOnly:r,required:o,"aria-invalid":f2(n),"aria-required":f2(o),"aria-readonly":f2(r)}}function K3(e){const t=Fu(),{id:n,disabled:r,readOnly:o,required:i,isRequired:s,isInvalid:u,isReadOnly:c,isDisabled:f,onFocus:d,onBlur:h,...m}=e,g=e["aria-describedby"]?[e["aria-describedby"]]:[];return t?.hasFeedbackText&&t?.isInvalid&&g.push(t.feedbackId),t?.hasHelpText&&g.push(t.helpTextId),{...m,"aria-describedby":g.join(" ")||void 0,id:n??t?.id,isDisabled:r??f??t?.isDisabled,isReadOnly:o??c??t?.isReadOnly,isRequired:i??s??t?.isRequired,isInvalid:u??t?.isInvalid,onFocus:e8(t?.onFocus,d),onBlur:e8(t?.onBlur,h)}}var[fY,dY]=At({name:"FormErrorStylesContext",errorMessage:`useFormErrorStyles returned is 'undefined'. Seems you forgot to wrap the components in "<FormError />" `}),pY=ue((e,t)=>{const n=ur("FormError",e),r=yt(e),o=Fu();return o?.isInvalid?Q.createElement(fY,{value:n},Q.createElement(oe.div,{...o?.getErrorMessageProps(r,t),className:zu("chakra-form__error-message",e.className),__css:{display:"flex",alignItems:"center",...n.text}})):null});pY.displayName="FormErrorMessage";var hY=ue((e,t)=>{const n=dY(),r=Fu();if(!r?.isInvalid)return null;const o=zu("chakra-form__error-icon",e.className);return y(Gr,{ref:t,"aria-hidden":!0,...e,__css:n.icon,className:o,children:y("path",{fill:"currentColor",d:"M11.983,0a12.206,12.206,0,0,0-8.51,3.653A11.8,11.8,0,0,0,0,12.207,11.779,11.779,0,0,0,11.8,24h.214A12.111,12.111,0,0,0,24,11.791h0A11.766,11.766,0,0,0,11.983,0ZM10.5,16.542a1.476,1.476,0,0,1,1.449-1.53h.027a1.527,1.527,0,0,1,1.523,1.47,1.475,1.475,0,0,1-1.449,1.53h-.027A1.529,1.529,0,0,1,10.5,16.542ZM11,12.5v-6a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Z"})})});hY.displayName="FormErrorIcon";var Us=ue(function(t,n){const r=lr("FormLabel",t),o=yt(t),{className:i,children:s,requiredIndicator:u=y(JL,{}),optionalIndicator:c=null,...f}=o,d=Fu(),h=d?.getLabelProps(f,n)??{ref:n,...f};return Q.createElement(oe.label,{...h,className:zu("chakra-form__label",o.className),__css:{display:"block",textAlign:"start",...r}},s,d?.isRequired?u:c)});Us.displayName="FormLabel";var JL=ue(function(t,n){const r=Fu(),o=QL();if(!r?.isRequired)return null;const i=zu("chakra-form__required-indicator",t.className);return Q.createElement(oe.span,{...r?.getRequiredIndicatorProps(t,n),__css:o.requiredIndicator,className:i})});JL.displayName="RequiredIndicator";function n0(e,t){const n=C.exports.useRef(!1),r=C.exports.useRef(!1);C.exports.useEffect(()=>{if(n.current&&r.current)return e();r.current=!0},t),C.exports.useEffect(()=>(n.current=!0,()=>{n.current=!1}),[])}var q3={border:"0px",clip:"rect(0px, 0px, 0px, 0px)",height:"1px",width:"1px",margin:"-1px",padding:"0px",overflow:"hidden",whiteSpace:"nowrap",position:"absolute"},mY=oe("span",{baseStyle:q3});mY.displayName="VisuallyHidden";var gY=oe("input",{baseStyle:q3});gY.displayName="VisuallyHiddenInput";var t8=!1,xm=null,bu=!1,b5=new Set,vY=typeof window<"u"&&window.navigator!=null?/^Mac/.test(window.navigator.platform):!1;function yY(e){return!(e.metaKey||!vY&&e.altKey||e.ctrlKey)}function Y3(e,t){b5.forEach(n=>n(e,t))}function n8(e){bu=!0,yY(e)&&(xm="keyboard",Y3("keyboard",e))}function Sl(e){xm="pointer",(e.type==="mousedown"||e.type==="pointerdown")&&(bu=!0,Y3("pointer",e))}function bY(e){e.target===window||e.target===document||(bu||(xm="keyboard",Y3("keyboard",e)),bu=!1)}function xY(){bu=!1}function r8(){return xm!=="pointer"}function SY(){if(typeof window>"u"||t8)return;const{focus:e}=HTMLElement.prototype;HTMLElement.prototype.focus=function(...n){bu=!0,e.apply(this,n)},document.addEventListener("keydown",n8,!0),document.addEventListener("keyup",n8,!0),window.addEventListener("focus",bY,!0),window.addEventListener("blur",xY,!1),typeof PointerEvent<"u"?(document.addEventListener("pointerdown",Sl,!0),document.addEventListener("pointermove",Sl,!0),document.addEventListener("pointerup",Sl,!0)):(document.addEventListener("mousedown",Sl,!0),document.addEventListener("mousemove",Sl,!0),document.addEventListener("mouseup",Sl,!0)),t8=!0}function wY(e){SY(),e(r8());const t=()=>e(r8());return b5.add(t),()=>{b5.delete(t)}}var[u0e,CY]=At({name:"CheckboxGroupContext",strict:!1}),_Y=(...e)=>e.filter(Boolean).join(" "),Jn=e=>e?"":void 0;function to(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}function kY(...e){return function(n){e.forEach(r=>{r?.(n)})}}function EY(e){const t=ho;return"custom"in t&&typeof t.custom=="function"?t.custom(e):t(e)}var eP=EY(oe.svg);function LY(e){return y(eP,{width:"1.2em",viewBox:"0 0 12 10",variants:{unchecked:{opacity:0,strokeDashoffset:16},checked:{opacity:1,strokeDashoffset:0,transition:{duration:.2}}},style:{fill:"none",strokeWidth:2,stroke:"currentColor",strokeDasharray:16},...e,children:y("polyline",{points:"1.5 6 4.5 9 10.5 1"})})}function PY(e){return y(eP,{width:"1.2em",viewBox:"0 0 24 24",variants:{unchecked:{scaleX:.65,opacity:0},checked:{scaleX:1,opacity:1,transition:{scaleX:{duration:0},opacity:{duration:.02}}}},style:{stroke:"currentColor",strokeWidth:4},...e,children:y("line",{x1:"21",x2:"3",y1:"12",y2:"12"})})}function AY({open:e,children:t}){return y(ea,{initial:!1,children:e&&Q.createElement(ho.div,{variants:{unchecked:{scale:.5},checked:{scale:1}},initial:"unchecked",animate:"checked",exit:"unchecked",style:{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}},t)})}function TY(e){const{isIndeterminate:t,isChecked:n,...r}=e;return y(AY,{open:n||t,children:y(t?PY:LY,{...r})})}function IY(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function tP(e={}){const t=K3(e),{isDisabled:n,isReadOnly:r,isRequired:o,isInvalid:i,id:s,onBlur:u,onFocus:c,"aria-describedby":f}=t,{defaultChecked:d,isChecked:h,isFocusable:m,onChange:g,isIndeterminate:b,name:S,value:E,tabIndex:w=void 0,"aria-label":x,"aria-labelledby":_,"aria-invalid":L,...T}=e,R=IY(T,["isDisabled","isReadOnly","isRequired","isInvalid","id","onBlur","onFocus","aria-describedby"]),N=Un(g),F=Un(u),K=Un(c),[W,J]=C.exports.useState(!1),[ve,xe]=C.exports.useState(!1),[he,fe]=C.exports.useState(!1),[me,ne]=C.exports.useState(!1);C.exports.useEffect(()=>wY(J),[]);const H=C.exports.useRef(null),[Y,Z]=C.exports.useState(!0),[M,j]=C.exports.useState(!!d),se=h!==void 0,ce=se?h:M,ye=C.exports.useCallback(Se=>{if(r||n){Se.preventDefault();return}se||j(ce?Se.target.checked:b?!0:Se.target.checked),N?.(Se)},[r,n,ce,se,b,N]);ii(()=>{H.current&&(H.current.indeterminate=Boolean(b))},[b]),n0(()=>{n&&xe(!1)},[n,xe]),ii(()=>{const Se=H.current;!Se?.form||(Se.form.onreset=()=>{j(!!d)})},[]);const be=n&&!m,Le=C.exports.useCallback(Se=>{Se.key===" "&&ne(!0)},[ne]),de=C.exports.useCallback(Se=>{Se.key===" "&&ne(!1)},[ne]);ii(()=>{if(!H.current)return;H.current.checked!==ce&&j(H.current.checked)},[H.current]);const _e=C.exports.useCallback((Se={},Ie=null)=>{const tt=ze=>{ve&&ze.preventDefault(),ne(!0)};return{...Se,ref:Ie,"data-active":Jn(me),"data-hover":Jn(he),"data-checked":Jn(ce),"data-focus":Jn(ve),"data-focus-visible":Jn(ve&&W),"data-indeterminate":Jn(b),"data-disabled":Jn(n),"data-invalid":Jn(i),"data-readonly":Jn(r),"aria-hidden":!0,onMouseDown:to(Se.onMouseDown,tt),onMouseUp:to(Se.onMouseUp,()=>ne(!1)),onMouseEnter:to(Se.onMouseEnter,()=>fe(!0)),onMouseLeave:to(Se.onMouseLeave,()=>fe(!1))}},[me,ce,n,ve,W,he,b,i,r]),De=C.exports.useCallback((Se={},Ie=null)=>({...R,...Se,ref:qt(Ie,tt=>{!tt||Z(tt.tagName==="LABEL")}),onClick:to(Se.onClick,()=>{var tt;Y||((tt=H.current)==null||tt.click(),requestAnimationFrame(()=>{var ze;(ze=H.current)==null||ze.focus()}))}),"data-disabled":Jn(n),"data-checked":Jn(ce),"data-invalid":Jn(i)}),[R,n,ce,i,Y]),st=C.exports.useCallback((Se={},Ie=null)=>({...Se,ref:qt(H,Ie),type:"checkbox",name:S,value:E,id:s,tabIndex:w,onChange:to(Se.onChange,ye),onBlur:to(Se.onBlur,F,()=>xe(!1)),onFocus:to(Se.onFocus,K,()=>xe(!0)),onKeyDown:to(Se.onKeyDown,Le),onKeyUp:to(Se.onKeyUp,de),required:o,checked:ce,disabled:be,readOnly:r,"aria-label":x,"aria-labelledby":_,"aria-invalid":L?Boolean(L):i,"aria-describedby":f,"aria-disabled":n,style:q3}),[S,E,s,ye,F,K,Le,de,o,ce,be,r,x,_,L,i,f,n,w]),Tt=C.exports.useCallback((Se={},Ie=null)=>({...Se,ref:Ie,onMouseDown:to(Se.onMouseDown,o8),onTouchStart:to(Se.onTouchStart,o8),"data-disabled":Jn(n),"data-checked":Jn(ce),"data-invalid":Jn(i)}),[ce,n,i]);return{state:{isInvalid:i,isFocused:ve,isChecked:ce,isActive:me,isHovered:he,isIndeterminate:b,isDisabled:n,isReadOnly:r,isRequired:o},getRootProps:De,getCheckboxProps:_e,getInputProps:st,getLabelProps:Tt,htmlProps:R}}function o8(e){e.preventDefault(),e.stopPropagation()}var MY=oe("span",{baseStyle:{display:"inline-flex",alignItems:"center",justifyContent:"center",verticalAlign:"top",userSelect:"none",flexShrink:0}}),OY=oe("label",{baseStyle:{cursor:"pointer",display:"inline-flex",alignItems:"center",verticalAlign:"top",position:"relative"}}),RY=ue(function(t,n){const r=CY(),o={...r,...t},i=ur("Checkbox",o),s=yt(t),{spacing:u="0.5rem",className:c,children:f,iconColor:d,iconSize:h,icon:m=y(TY,{}),isChecked:g,isDisabled:b=r?.isDisabled,onChange:S,inputProps:E,...w}=s;let x=g;r?.value&&s.value&&(x=r.value.includes(s.value));let _=S;r?.onChange&&s.value&&(_=kY(r.onChange,S));const{state:L,getInputProps:T,getCheckboxProps:R,getLabelProps:N,getRootProps:F}=tP({...w,isDisabled:b,isChecked:x,onChange:_}),K=C.exports.useMemo(()=>({opacity:L.isChecked||L.isIndeterminate?1:0,transform:L.isChecked||L.isIndeterminate?"scale(1)":"scale(0.95)",fontSize:h,color:d,...i.icon}),[d,h,L.isChecked,L.isIndeterminate,i.icon]),W=C.exports.cloneElement(m,{__css:K,isIndeterminate:L.isIndeterminate,isChecked:L.isChecked});return q(OY,{__css:i.container,className:_Y("chakra-checkbox",c),...F(),children:[y("input",{className:"chakra-checkbox__input",...T(E,n)}),y(MY,{__css:i.control,className:"chakra-checkbox__control",...R(),children:W}),f&&Q.createElement(oe.span,{className:"chakra-checkbox__label",...N(),__css:{marginStart:u,...i.label}},f)]})});RY.displayName="Checkbox";function NY(e){return y(Gr,{focusable:"false","aria-hidden":!0,...e,children:y("path",{fill:"currentColor",d:"M.439,21.44a1.5,1.5,0,0,0,2.122,2.121L11.823,14.3a.25.25,0,0,1,.354,0l9.262,9.263a1.5,1.5,0,1,0,2.122-2.121L14.3,12.177a.25.25,0,0,1,0-.354l9.263-9.262A1.5,1.5,0,0,0,21.439.44L12.177,9.7a.25.25,0,0,1-.354,0L2.561.44A1.5,1.5,0,0,0,.439,2.561L9.7,11.823a.25.25,0,0,1,0,.354Z"})})}var Sm=ue(function(t,n){const r=lr("CloseButton",t),{children:o,isDisabled:i,__css:s,...u}=yt(t),c={outline:0,display:"flex",alignItems:"center",justifyContent:"center",flexShrink:0};return Q.createElement(oe.button,{type:"button","aria-label":"Close",ref:n,disabled:i,__css:{...c,...r,...s},...u},o||y(NY,{width:"1em",height:"1em"}))});Sm.displayName="CloseButton";function DY(e){const t=parseFloat(e);return typeof t!="number"||Number.isNaN(t)?0:t}function nP(e,t){let n=DY(e);const r=10**(t??10);return n=Math.round(n*r)/r,t?n.toFixed(t):n.toString()}function i8(e){if(!Number.isFinite(e))return 0;let t=1,n=0;for(;Math.round(e*t)/t!==e;)t*=10,n+=1;return n}function zY(e,t,n){return e==null?e:(n<t&&console.warn("clamp: max cannot be less than min"),Math.min(Math.max(e,t),n))}function FY(e={}){const{onChange:t,precision:n,defaultValue:r,value:o,step:i=1,min:s=Number.MIN_SAFE_INTEGER,max:u=Number.MAX_SAFE_INTEGER,keepWithinRange:c=!0}=e,f=Un(t),[d,h]=C.exports.useState(()=>r==null?"":d2(r,i,n)??""),m=typeof o<"u",g=m?o:d,b=rP(ba(g),i),S=n??b,E=C.exports.useCallback(W=>{W!==g&&(m||h(W.toString()),f?.(W.toString(),ba(W)))},[f,m,g]),w=C.exports.useCallback(W=>{let J=W;return c&&(J=zY(J,s,u)),nP(J,S)},[S,c,u,s]),x=C.exports.useCallback((W=i)=>{let J;g===""?J=ba(W):J=ba(g)+W,J=w(J),E(J)},[w,i,E,g]),_=C.exports.useCallback((W=i)=>{let J;g===""?J=ba(-W):J=ba(g)-W,J=w(J),E(J)},[w,i,E,g]),L=C.exports.useCallback(()=>{let W;r==null?W="":W=d2(r,i,n)??s,E(W)},[r,n,i,E,s]),T=C.exports.useCallback(W=>{const J=d2(W,i,S)??s;E(J)},[S,i,E,s]),R=ba(g);return{isOutOfRange:R>u||R<s,isAtMax:R===u,isAtMin:R===s,precision:S,value:g,valueAsNumber:R,update:E,reset:L,increment:x,decrement:_,clamp:w,cast:T,setValue:h}}function ba(e){return parseFloat(e.toString().replace(/[^\w.-]+/g,""))}function rP(e,t){return Math.max(i8(t),i8(e))}function d2(e,t,n){const r=ba(e);if(Number.isNaN(r))return;const o=rP(r,t);return nP(r,n??o)}var oP=` + :root { + --chakra-vh: 100vh; + } + + @supports (height: -webkit-fill-available) { + :root { + --chakra-vh: -webkit-fill-available; + } + } + + @supports (height: -moz-fill-available) { + :root { + --chakra-vh: -moz-fill-available; + } + } + + @supports (height: 100lvh) { + :root { + --chakra-vh: 100lvh; + } + } +`,BY=()=>y(em,{styles:oP}),$Y=()=>y(em,{styles:` + html { + line-height: 1.5; + -webkit-text-size-adjust: 100%; + font-family: system-ui, sans-serif; + -webkit-font-smoothing: antialiased; + text-rendering: optimizeLegibility; + -moz-osx-font-smoothing: grayscale; + touch-action: manipulation; + } + + body { + position: relative; + min-height: 100%; + font-feature-settings: 'kern'; + } + + *, + *::before, + *::after { + border-width: 0; + border-style: solid; + box-sizing: border-box; + } + + main { + display: block; + } + + hr { + border-top-width: 1px; + box-sizing: content-box; + height: 0; + overflow: visible; + } + + pre, + code, + kbd, + samp { + font-family: SFMono-Regular, Menlo, Monaco, Consolas, monospace; + font-size: 1em; + } + + a { + background-color: transparent; + color: inherit; + text-decoration: inherit; + } + + abbr[title] { + border-bottom: none; + text-decoration: underline; + -webkit-text-decoration: underline dotted; + text-decoration: underline dotted; + } + + b, + strong { + font-weight: bold; + } + + small { + font-size: 80%; + } + + sub, + sup { + font-size: 75%; + line-height: 0; + position: relative; + vertical-align: baseline; + } + + sub { + bottom: -0.25em; + } + + sup { + top: -0.5em; + } + + img { + border-style: none; + } + + button, + input, + optgroup, + select, + textarea { + font-family: inherit; + font-size: 100%; + line-height: 1.15; + margin: 0; + } + + button, + input { + overflow: visible; + } + + button, + select { + text-transform: none; + } + + button::-moz-focus-inner, + [type="button"]::-moz-focus-inner, + [type="reset"]::-moz-focus-inner, + [type="submit"]::-moz-focus-inner { + border-style: none; + padding: 0; + } + + fieldset { + padding: 0.35em 0.75em 0.625em; + } + + legend { + box-sizing: border-box; + color: inherit; + display: table; + max-width: 100%; + padding: 0; + white-space: normal; + } + + progress { + vertical-align: baseline; + } + + textarea { + overflow: auto; + } + + [type="checkbox"], + [type="radio"] { + box-sizing: border-box; + padding: 0; + } + + [type="number"]::-webkit-inner-spin-button, + [type="number"]::-webkit-outer-spin-button { + -webkit-appearance: none !important; + } + + input[type="number"] { + -moz-appearance: textfield; + } + + [type="search"] { + -webkit-appearance: textfield; + outline-offset: -2px; + } + + [type="search"]::-webkit-search-decoration { + -webkit-appearance: none !important; + } + + ::-webkit-file-upload-button { + -webkit-appearance: button; + font: inherit; + } + + details { + display: block; + } + + summary { + display: list-item; + } + + template { + display: none; + } + + [hidden] { + display: none !important; + } + + body, + blockquote, + dl, + dd, + h1, + h2, + h3, + h4, + h5, + h6, + hr, + figure, + p, + pre { + margin: 0; + } + + button { + background: transparent; + padding: 0; + } + + fieldset { + margin: 0; + padding: 0; + } + + ol, + ul { + margin: 0; + padding: 0; + } + + textarea { + resize: vertical; + } + + button, + [role="button"] { + cursor: pointer; + } + + button::-moz-focus-inner { + border: 0 !important; + } + + table { + border-collapse: collapse; + } + + h1, + h2, + h3, + h4, + h5, + h6 { + font-size: inherit; + font-weight: inherit; + } + + button, + input, + optgroup, + select, + textarea { + padding: 0; + line-height: inherit; + color: inherit; + } + + img, + svg, + video, + canvas, + audio, + iframe, + embed, + object { + display: block; + } + + img, + video { + max-width: 100%; + height: auto; + } + + [data-js-focus-visible] :focus:not([data-focus-visible-added]):not([data-focus-visible-disabled]) { + outline: none; + box-shadow: none; + } + + select::-ms-expand { + display: none; + } + + ${oP} + `});function x5(e,t,n,r){const o=Un(n);return C.exports.useEffect(()=>{const i=typeof e=="function"?e():e??document;if(!(!n||!i))return i.addEventListener(t,o,r),()=>{i.removeEventListener(t,o,r)}},[t,e,r,o,n]),()=>{const i=typeof e=="function"?e():e??document;i?.removeEventListener(t,o,r)}}var VY=pd?C.exports.useLayoutEffect:C.exports.useEffect;function S5(e,t=[]){const n=C.exports.useRef(e);return VY(()=>{n.current=e}),C.exports.useCallback((...r)=>{var o;return(o=n.current)==null?void 0:o.call(n,...r)},t)}function X3(e,t,n,r){const o=S5(t);return C.exports.useEffect(()=>{const i=$1(n)??document;if(!!t)return i.addEventListener(e,o,r),()=>{i.removeEventListener(e,o,r)}},[e,n,r,o,t]),()=>{($1(n)??document).removeEventListener(e,o,r)}}function WY(e){const{isOpen:t,ref:n}=e,[r,o]=C.exports.useState(t),[i,s]=C.exports.useState(!1);return C.exports.useEffect(()=>{i||(o(t),s(!0))},[t,i,r]),X3("animationend",()=>{o(t)},()=>n.current),{present:!(t?!1:!r),onComplete(){var c;const f=dH(n.current),d=new f.CustomEvent("animationend",{bubbles:!0});(c=n.current)==null||c.dispatchEvent(d)}}}function HY(e,t){const n=e!==void 0;return[n,n&&typeof e<"u"?e:t]}function jY(e,t){const n=C.exports.useId();return C.exports.useMemo(()=>e||[t,n].filter(Boolean).join("-"),[e,t,n])}function r0(e={}){const{onClose:t,onOpen:n,isOpen:r,id:o}=e,i=S5(n),s=S5(t),[u,c]=C.exports.useState(e.defaultIsOpen||!1),[f,d]=HY(r,u),h=jY(o,"disclosure"),m=C.exports.useCallback(()=>{f||c(!1),s?.()},[f,s]),g=C.exports.useCallback(()=>{f||c(!0),i?.()},[f,i]),b=C.exports.useCallback(()=>{(d?m:g)()},[d,g,m]);return{isOpen:!!d,onOpen:g,onClose:m,onToggle:b,isControlled:f,getButtonProps:(S={})=>({...S,"aria-expanded":d,"aria-controls":h,onClick:kH(S.onClick,b)}),getDisclosureProps:(S={})=>({...S,hidden:!d,id:h})}}var iP=(e,t)=>{const n=C.exports.useRef(!1),r=C.exports.useRef(!1);C.exports.useEffect(()=>{if(n.current&&r.current)return e();r.current=!0},t),C.exports.useEffect(()=>(n.current=!0,()=>{n.current=!1}),[])};function UY(e){const t=e.current;if(!t)return!1;const n=mH(t);return!n||y3(t,n)?!1:!!xH(n)}function GY(e,t){const{shouldFocus:n,visible:r,focusRef:o}=t,i=n&&!r;iP(()=>{if(!i||UY(e))return;const s=o?.current||e.current;s&&V1(s,{nextTick:!0})},[i,e,o])}function ZY(e,t,n,r){return X3(jH(t),FH(n,t==="pointerdown"),e,r)}function KY(e){const{ref:t,elements:n,enabled:r}=e,o=GH("Safari");ZY(()=>dd(t.current),"pointerdown",s=>{if(!o||!r)return;const u=s.target,f=(n??[t]).some(d=>{const h=qk(d)?d.current:d;return y3(h,u)});!eE(u)&&f&&(s.preventDefault(),V1(u))})}var qY={preventScroll:!0,shouldFocus:!1};function YY(e,t=qY){const{focusRef:n,preventScroll:r,shouldFocus:o,visible:i}=t,s=qk(e)?e.current:e,u=o&&i,c=C.exports.useCallback(()=>{if(!(!s||!u)&&!y3(s,document.activeElement))if(n?.current)V1(n.current,{preventScroll:r,nextTick:!0});else{const f=_H(s);f.length>0&&V1(f[0],{preventScroll:r,nextTick:!0})}},[u,r,s,n]);iP(()=>{c()},[c]),X3("transitionend",c,s)}function Q3(e){const t=Object.assign({},e);for(let n in t)t[n]===void 0&&delete t[n];return t}var J3=ue(function(t,n){const{htmlSize:r,...o}=t,i=ur("Input",o),s=yt(o),u=Z3(s),c=Xt("chakra-input",t.className);return Q.createElement(oe.input,{size:r,...u,__css:i.field,ref:n,className:c})});J3.displayName="Input";J3.id="Input";var[XY,aP]=At({name:"InputGroupStylesContext",errorMessage:`useInputGroupStyles returned is 'undefined'. Seems you forgot to wrap the components in "<InputGroup />" `}),QY=ue(function(t,n){const r=ur("Input",t),{children:o,className:i,...s}=yt(t),u=Xt("chakra-input__group",i),c={},f=ym(o),d=r.field;f.forEach(m=>{!r||(d&&m.type.id==="InputLeftElement"&&(c.paddingStart=d.height??d.h),d&&m.type.id==="InputRightElement"&&(c.paddingEnd=d.height??d.h),m.type.id==="InputRightAddon"&&(c.borderEndRadius=0),m.type.id==="InputLeftAddon"&&(c.borderStartRadius=0))});const h=f.map(m=>{var g,b;const S=Q3({size:((g=m.props)==null?void 0:g.size)||t.size,variant:((b=m.props)==null?void 0:b.variant)||t.variant});return m.type.id!=="Input"?C.exports.cloneElement(m,S):C.exports.cloneElement(m,Object.assign(S,c,m.props))});return Q.createElement(oe.div,{className:u,ref:n,__css:{width:"100%",display:"flex",position:"relative"},...s},y(XY,{value:r,children:h}))});QY.displayName="InputGroup";var JY={left:{marginEnd:"-1px",borderEndRadius:0,borderEndColor:"transparent"},right:{marginStart:"-1px",borderStartRadius:0,borderStartColor:"transparent"}},eX=oe("div",{baseStyle:{flex:"0 0 auto",width:"auto",display:"flex",alignItems:"center",whiteSpace:"nowrap"}}),eb=ue(function(t,n){const{placement:r="left",...o}=t,i=JY[r]??{},s=aP();return y(eX,{ref:n,...o,__css:{...s.addon,...i}})});eb.displayName="InputAddon";var sP=ue(function(t,n){return y(eb,{ref:n,placement:"left",...t,className:Xt("chakra-input__left-addon",t.className)})});sP.displayName="InputLeftAddon";sP.id="InputLeftAddon";var lP=ue(function(t,n){return y(eb,{ref:n,placement:"right",...t,className:Xt("chakra-input__right-addon",t.className)})});lP.displayName="InputRightAddon";lP.id="InputRightAddon";var tX=oe("div",{baseStyle:{display:"flex",alignItems:"center",justifyContent:"center",position:"absolute",top:"0",zIndex:2}}),wm=ue(function(t,n){const{placement:r="left",...o}=t,i=aP(),s=i.field,c={[r==="left"?"insetStart":"insetEnd"]:"0",width:s?.height??s?.h,height:s?.height??s?.h,fontSize:s?.fontSize,...i.element};return y(tX,{ref:n,__css:c,...o})});wm.id="InputElement";wm.displayName="InputElement";var uP=ue(function(t,n){const{className:r,...o}=t,i=Xt("chakra-input__left-element",r);return y(wm,{ref:n,placement:"left",className:i,...o})});uP.id="InputLeftElement";uP.displayName="InputLeftElement";var cP=ue(function(t,n){const{className:r,...o}=t,i=Xt("chakra-input__right-element",r);return y(wm,{ref:n,placement:"right",className:i,...o})});cP.id="InputRightElement";cP.displayName="InputRightElement";function nX(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}Object.freeze(["base","sm","md","lg","xl","2xl"]);function Ua(e,t){return Array.isArray(e)?e.map(n=>n===null?null:t(n)):nX(e)?Object.keys(e).reduce((n,r)=>(n[r]=t(e[r]),n),{}):e!=null?t(e):null}var rX=ue(function(e,t){const{ratio:n=4/3,children:r,className:o,...i}=e,s=C.exports.Children.only(r),u=Xt("chakra-aspect-ratio",o);return Q.createElement(oe.div,{ref:t,position:"relative",className:u,_before:{height:0,content:'""',display:"block",paddingBottom:Ua(n,c=>`${1/c*100}%`)},__css:{"& > *:not(style)":{overflow:"hidden",position:"absolute",top:"0",right:"0",bottom:"0",left:"0",display:"flex",justifyContent:"center",alignItems:"center",width:"100%",height:"100%"},"& > img, & > video":{objectFit:"cover"}},...i},s)});rX.displayName="AspectRatio";var oX=ue(function(t,n){const r=lr("Badge",t),{className:o,...i}=yt(t);return Q.createElement(oe.span,{ref:n,className:Xt("chakra-badge",t.className),...i,__css:{display:"inline-block",whiteSpace:"nowrap",verticalAlign:"middle",...r}})});oX.displayName="Badge";var hi=oe("div");hi.displayName="Box";var fP=ue(function(t,n){const{size:r,centerContent:o=!0,...i}=t;return y(hi,{ref:n,boxSize:r,__css:{...o?{display:"flex",alignItems:"center",justifyContent:"center"}:{},flexShrink:0,flexGrow:0},...i})});fP.displayName="Square";var iX=ue(function(t,n){const{size:r,...o}=t;return y(fP,{size:r,ref:n,borderRadius:"9999px",...o})});iX.displayName="Circle";var dP=oe("div",{baseStyle:{display:"flex",alignItems:"center",justifyContent:"center"}});dP.displayName="Center";var aX={horizontal:{insetStart:"50%",transform:"translateX(-50%)"},vertical:{top:"50%",transform:"translateY(-50%)"},both:{insetStart:"50%",top:"50%",transform:"translate(-50%, -50%)"}};ue(function(t,n){const{axis:r="both",...o}=t;return Q.createElement(oe.div,{ref:n,__css:aX[r],...o,position:"absolute"})});var sX=ue(function(t,n){const r=lr("Code",t),{className:o,...i}=yt(t);return Q.createElement(oe.code,{ref:n,className:Xt("chakra-code",t.className),...i,__css:{display:"inline-block",...r}})});sX.displayName="Code";var lX=ue(function(t,n){const{className:r,centerContent:o,...i}=yt(t),s=lr("Container",t);return Q.createElement(oe.div,{ref:n,className:Xt("chakra-container",r),...i,__css:{...s,...o&&{display:"flex",flexDirection:"column",alignItems:"center"}}})});lX.displayName="Container";var uX=ue(function(t,n){const{borderLeftWidth:r,borderBottomWidth:o,borderTopWidth:i,borderRightWidth:s,borderWidth:u,borderStyle:c,borderColor:f,...d}=lr("Divider",t),{className:h,orientation:m="horizontal",__css:g,...b}=yt(t),S={vertical:{borderLeftWidth:r||s||u||"1px",height:"100%"},horizontal:{borderBottomWidth:o||i||u||"1px",width:"100%"}};return Q.createElement(oe.hr,{ref:n,"aria-orientation":m,...b,__css:{...d,border:"0",borderColor:f,borderStyle:c,...S[m],...g},className:Xt("chakra-divider",h)})});uX.displayName="Divider";var dt=ue(function(t,n){const{direction:r,align:o,justify:i,wrap:s,basis:u,grow:c,shrink:f,...d}=t,h={display:"flex",flexDirection:r,alignItems:o,justifyContent:i,flexWrap:s,flexBasis:u,flexGrow:c,flexShrink:f};return Q.createElement(oe.div,{ref:n,__css:h,...d})});dt.displayName="Flex";var pP=ue(function(t,n){const{templateAreas:r,gap:o,rowGap:i,columnGap:s,column:u,row:c,autoFlow:f,autoRows:d,templateRows:h,autoColumns:m,templateColumns:g,...b}=t,S={display:"grid",gridTemplateAreas:r,gridGap:o,gridRowGap:i,gridColumnGap:s,gridAutoColumns:m,gridColumn:u,gridRow:c,gridAutoFlow:f,gridAutoRows:d,gridTemplateRows:h,gridTemplateColumns:g};return Q.createElement(oe.div,{ref:n,__css:S,...b})});pP.displayName="Grid";function a8(e){return Ua(e,t=>t==="auto"?"auto":`span ${t}/span ${t}`)}var cX=ue(function(t,n){const{area:r,colSpan:o,colStart:i,colEnd:s,rowEnd:u,rowSpan:c,rowStart:f,...d}=t,h=Q3({gridArea:r,gridColumn:a8(o),gridRow:a8(c),gridColumnStart:i,gridColumnEnd:s,gridRowStart:f,gridRowEnd:u});return Q.createElement(oe.div,{ref:n,__css:h,...d})});cX.displayName="GridItem";var tb=ue(function(t,n){const r=lr("Heading",t),{className:o,...i}=yt(t);return Q.createElement(oe.h2,{ref:n,className:Xt("chakra-heading",t.className),...i,__css:r})});tb.displayName="Heading";ue(function(t,n){const r=lr("Mark",t),o=yt(t);return y(hi,{ref:n,...o,as:"mark",__css:{bg:"transparent",whiteSpace:"nowrap",...r}})});var fX=ue(function(t,n){const r=lr("Kbd",t),{className:o,...i}=yt(t);return Q.createElement(oe.kbd,{ref:n,className:Xt("chakra-kbd",o),...i,__css:{fontFamily:"mono",...r}})});fX.displayName="Kbd";var jf=ue(function(t,n){const r=lr("Link",t),{className:o,isExternal:i,...s}=yt(t);return Q.createElement(oe.a,{target:i?"_blank":void 0,rel:i?"noopener":void 0,ref:n,className:Xt("chakra-link",o),...s,__css:r})});jf.displayName="Link";ue(function(t,n){const{isExternal:r,target:o,rel:i,className:s,...u}=t;return Q.createElement(oe.a,{...u,ref:n,className:Xt("chakra-linkbox__overlay",s),rel:r?"noopener noreferrer":i,target:r?"_blank":o,__css:{position:"static","&::before":{content:"''",cursor:"inherit",display:"block",position:"absolute",top:0,left:0,zIndex:0,width:"100%",height:"100%"}}})});ue(function(t,n){const{className:r,...o}=t;return Q.createElement(oe.div,{ref:n,position:"relative",...o,className:Xt("chakra-linkbox",r),__css:{"a[href]:not(.chakra-linkbox__overlay), abbr[title]":{position:"relative",zIndex:1}}})});var[dX,hP]=At({name:"ListStylesContext",errorMessage:`useListStyles returned is 'undefined'. Seems you forgot to wrap the components in "<List />" `}),nb=ue(function(t,n){const r=ur("List",t),{children:o,styleType:i="none",stylePosition:s,spacing:u,...c}=yt(t),f=ym(o),h=u?{["& > *:not(style) ~ *:not(style)"]:{mt:u}}:{};return Q.createElement(dX,{value:r},Q.createElement(oe.ul,{ref:n,listStyleType:i,listStylePosition:s,role:"list",__css:{...r.container,...h},...c},f))});nb.displayName="List";var pX=ue((e,t)=>{const{as:n,...r}=e;return y(nb,{ref:t,as:"ol",styleType:"decimal",marginStart:"1em",...r})});pX.displayName="OrderedList";var hX=ue(function(t,n){const{as:r,...o}=t;return y(nb,{ref:n,as:"ul",styleType:"initial",marginStart:"1em",...o})});hX.displayName="UnorderedList";var mX=ue(function(t,n){const r=hP();return Q.createElement(oe.li,{ref:n,...t,__css:r.item})});mX.displayName="ListItem";var gX=ue(function(t,n){const r=hP();return y(Gr,{ref:n,role:"presentation",...t,__css:r.icon})});gX.displayName="ListIcon";var vX=ue(function(t,n){const{columns:r,spacingX:o,spacingY:i,spacing:s,minChildWidth:u,...c}=t,f=nm(),d=u?bX(u,f):xX(r);return y(pP,{ref:n,gap:s,columnGap:o,rowGap:i,templateColumns:d,...c})});vX.displayName="SimpleGrid";function yX(e){return typeof e=="number"?`${e}px`:e}function bX(e,t){return Ua(e,n=>{const r=lj("sizes",n,yX(n))(t);return n===null?null:`repeat(auto-fit, minmax(${r}, 1fr))`})}function xX(e){return Ua(e,t=>t===null?null:`repeat(${t}, minmax(0, 1fr))`)}var SX=oe("div",{baseStyle:{flex:1,justifySelf:"stretch",alignSelf:"stretch"}});SX.displayName="Spacer";var w5="& > *:not(style) ~ *:not(style)";function wX(e){const{spacing:t,direction:n}=e,r={column:{marginTop:t,marginEnd:0,marginBottom:0,marginStart:0},row:{marginTop:0,marginEnd:0,marginBottom:0,marginStart:t},"column-reverse":{marginTop:0,marginEnd:0,marginBottom:t,marginStart:0},"row-reverse":{marginTop:0,marginEnd:t,marginBottom:0,marginStart:0}};return{flexDirection:n,[w5]:Ua(n,o=>r[o])}}function CX(e){const{spacing:t,direction:n}=e,r={column:{my:t,mx:0,borderLeftWidth:0,borderBottomWidth:"1px"},"column-reverse":{my:t,mx:0,borderLeftWidth:0,borderBottomWidth:"1px"},row:{mx:t,my:0,borderLeftWidth:"1px",borderBottomWidth:0},"row-reverse":{mx:t,my:0,borderLeftWidth:"1px",borderBottomWidth:0}};return{"&":Ua(n,o=>r[o])}}var mP=e=>Q.createElement(oe.div,{className:"chakra-stack__item",...e,__css:{display:"inline-block",flex:"0 0 auto",minWidth:0,...e.__css}});mP.displayName="StackItem";var rb=ue((e,t)=>{const{isInline:n,direction:r,align:o,justify:i,spacing:s="0.5rem",wrap:u,children:c,divider:f,className:d,shouldWrapChildren:h,...m}=e,g=n?"row":r??"column",b=C.exports.useMemo(()=>wX({direction:g,spacing:s}),[g,s]),S=C.exports.useMemo(()=>CX({spacing:s,direction:g}),[s,g]),E=!!f,w=!h&&!E,x=ym(c),_=w?x:x.map((T,R)=>{const N=typeof T.key<"u"?T.key:R,F=R+1===x.length,W=h?y(mP,{children:T},N):T;if(!E)return W;const J=C.exports.cloneElement(f,{__css:S}),ve=F?null:J;return q(C.exports.Fragment,{children:[W,ve]},N)}),L=Xt("chakra-stack",d);return Q.createElement(oe.div,{ref:t,display:"flex",alignItems:o,justifyContent:i,flexDirection:b.flexDirection,flexWrap:u,className:L,__css:E?{}:{[w5]:b[w5]},...m},_)});rb.displayName="Stack";var _X=ue((e,t)=>y(rb,{align:"center",...e,direction:"row",ref:t}));_X.displayName="HStack";var kX=ue((e,t)=>y(rb,{align:"center",...e,direction:"column",ref:t}));kX.displayName="VStack";var Nr=ue(function(t,n){const r=lr("Text",t),{className:o,align:i,decoration:s,casing:u,...c}=yt(t),f=Q3({textAlign:t.align,textDecoration:t.decoration,textTransform:t.casing});return Q.createElement(oe.p,{ref:n,className:Xt("chakra-text",t.className),...f,...c,__css:r})});Nr.displayName="Text";function s8(e){return typeof e=="number"?`${e}px`:e}var EX=ue(function(t,n){const{spacing:r="0.5rem",spacingX:o,spacingY:i,children:s,justify:u,direction:c,align:f,className:d,shouldWrapChildren:h,...m}=t,g=C.exports.useMemo(()=>{const{spacingX:S=r,spacingY:E=r}={spacingX:o,spacingY:i};return{"--chakra-wrap-x-spacing":w=>Ua(S,x=>s8(By("space",x)(w))),"--chakra-wrap-y-spacing":w=>Ua(E,x=>s8(By("space",x)(w))),"--wrap-x-spacing":"calc(var(--chakra-wrap-x-spacing) / 2)","--wrap-y-spacing":"calc(var(--chakra-wrap-y-spacing) / 2)",display:"flex",flexWrap:"wrap",justifyContent:u,alignItems:f,flexDirection:c,listStyleType:"none",padding:"0",margin:"calc(var(--wrap-y-spacing) * -1) calc(var(--wrap-x-spacing) * -1)","& > *:not(style)":{margin:"var(--wrap-y-spacing) var(--wrap-x-spacing)"}}},[r,o,i,u,f,c]),b=h?C.exports.Children.map(s,(S,E)=>y(gP,{children:S},E)):s;return Q.createElement(oe.div,{ref:n,className:Xt("chakra-wrap",d),overflow:"hidden",...m},Q.createElement(oe.ul,{className:"chakra-wrap__list",__css:g},b))});EX.displayName="Wrap";var gP=ue(function(t,n){const{className:r,...o}=t;return Q.createElement(oe.li,{ref:n,__css:{display:"flex",alignItems:"flex-start"},className:Xt("chakra-wrap__listitem",r),...o})});gP.displayName="WrapItem";var LX={body:{classList:{add(){},remove(){}}},addEventListener(){},removeEventListener(){},activeElement:{blur(){},nodeName:""},querySelector(){return null},querySelectorAll(){return[]},getElementById(){return null},createEvent(){return{initEvent(){}}},createElement(){return{children:[],childNodes:[],style:{},setAttribute(){},getElementsByTagName(){return[]}}}},vP=LX,wl=()=>{},PX={document:vP,navigator:{userAgent:""},CustomEvent:function(){return this},addEventListener:wl,removeEventListener:wl,getComputedStyle(){return{getPropertyValue(){return""}}},matchMedia(){return{matches:!1,addListener:wl,removeListener:wl}},requestAnimationFrame(e){return typeof setTimeout>"u"?(e(),null):setTimeout(e,0)},cancelAnimationFrame(e){typeof setTimeout>"u"||clearTimeout(e)},setTimeout:()=>0,clearTimeout:wl,setInterval:()=>0,clearInterval:wl},AX=PX,TX={window:AX,document:vP},yP=typeof window<"u"?{window,document}:TX,bP=C.exports.createContext(yP);bP.displayName="EnvironmentContext";function xP(e){const{children:t,environment:n}=e,[r,o]=C.exports.useState(null),[i,s]=C.exports.useState(!1);C.exports.useEffect(()=>s(!0),[]);const u=C.exports.useMemo(()=>{if(n)return n;const c=r?.ownerDocument,f=r?.ownerDocument.defaultView;return c?{document:c,window:f}:yP},[r,n]);return q(bP.Provider,{value:u,children:[t,!n&&i&&y("span",{id:"__chakra_env",hidden:!0,ref:c=>{C.exports.startTransition(()=>{c&&o(c)})}})]})}xP.displayName="EnvironmentProvider";var IX=e=>e?"":void 0;function MX(){const e=C.exports.useRef(new Map),t=e.current,n=C.exports.useCallback((o,i,s,u)=>{e.current.set(s,{type:i,el:o,options:u}),o.addEventListener(i,s,u)},[]),r=C.exports.useCallback((o,i,s,u)=>{o.removeEventListener(i,s,u),e.current.delete(s)},[]);return C.exports.useEffect(()=>()=>{t.forEach((o,i)=>{r(o.el,o.type,i,o.options)})},[r,t]),{add:n,remove:r}}function p2(e){const t=e.target,{tagName:n,isContentEditable:r}=t;return n!=="INPUT"&&n!=="TEXTAREA"&&r!==!0}function OX(e={}){const{ref:t,isDisabled:n,isFocusable:r,clickOnEnter:o=!0,clickOnSpace:i=!0,onMouseDown:s,onMouseUp:u,onClick:c,onKeyDown:f,onKeyUp:d,tabIndex:h,onMouseOver:m,onMouseLeave:g,...b}=e,[S,E]=C.exports.useState(!0),[w,x]=C.exports.useState(!1),_=MX(),L=ne=>{!ne||ne.tagName!=="BUTTON"&&E(!1)},T=S?h:h||0,R=n&&!r,N=C.exports.useCallback(ne=>{if(n){ne.stopPropagation(),ne.preventDefault();return}ne.currentTarget.focus(),c?.(ne)},[n,c]),F=C.exports.useCallback(ne=>{w&&p2(ne)&&(ne.preventDefault(),ne.stopPropagation(),x(!1),_.remove(document,"keyup",F,!1))},[w,_]),K=C.exports.useCallback(ne=>{if(f?.(ne),n||ne.defaultPrevented||ne.metaKey||!p2(ne.nativeEvent)||S)return;const H=o&&ne.key==="Enter";i&&ne.key===" "&&(ne.preventDefault(),x(!0)),H&&(ne.preventDefault(),ne.currentTarget.click()),_.add(document,"keyup",F,!1)},[n,S,f,o,i,_,F]),W=C.exports.useCallback(ne=>{if(d?.(ne),n||ne.defaultPrevented||ne.metaKey||!p2(ne.nativeEvent)||S)return;i&&ne.key===" "&&(ne.preventDefault(),x(!1),ne.currentTarget.click())},[i,S,n,d]),J=C.exports.useCallback(ne=>{ne.button===0&&(x(!1),_.remove(document,"mouseup",J,!1))},[_]),ve=C.exports.useCallback(ne=>{if(ne.button!==0)return;if(n){ne.stopPropagation(),ne.preventDefault();return}S||x(!0),ne.currentTarget.focus({preventScroll:!0}),_.add(document,"mouseup",J,!1),s?.(ne)},[n,S,s,_,J]),xe=C.exports.useCallback(ne=>{ne.button===0&&(S||x(!1),u?.(ne))},[u,S]),he=C.exports.useCallback(ne=>{if(n){ne.preventDefault();return}m?.(ne)},[n,m]),fe=C.exports.useCallback(ne=>{w&&(ne.preventDefault(),x(!1)),g?.(ne)},[w,g]),me=qt(t,L);return S?{...b,ref:me,type:"button","aria-disabled":R?void 0:n,disabled:R,onClick:N,onMouseDown:s,onMouseUp:u,onKeyUp:d,onKeyDown:f,onMouseOver:m,onMouseLeave:g}:{...b,ref:me,role:"button","data-active":IX(w),"aria-disabled":n?"true":void 0,tabIndex:R?void 0:T,onClick:N,onMouseDown:ve,onMouseUp:xe,onKeyUp:W,onKeyDown:K,onMouseOver:he,onMouseLeave:fe}}function RX(e){return e!=null&&typeof e=="object"&&"nodeType"in e&&e.nodeType===Node.ELEMENT_NODE}function NX(e){if(!RX(e))return!1;const t=e.ownerDocument.defaultView??window;return e instanceof t.HTMLElement}var DX=e=>e.hasAttribute("tabindex");function zX(e){return Boolean(e.getAttribute("disabled"))===!0||Boolean(e.getAttribute("aria-disabled"))===!0}function SP(e){return e.parentElement&&SP(e.parentElement)?!0:e.hidden}function FX(e){const t=e.getAttribute("contenteditable");return t!=="false"&&t!=null}function BX(e){if(!NX(e)||SP(e)||zX(e))return!1;const{localName:t}=e;if(["input","select","textarea","button"].indexOf(t)>=0)return!0;const r={a:()=>e.hasAttribute("href"),audio:()=>e.hasAttribute("controls"),video:()=>e.hasAttribute("controls")};return t in r?r[t]():FX(e)?!0:DX(e)}var $X=["input:not([disabled])","select:not([disabled])","textarea:not([disabled])","embed","iframe","object","a[href]","area[href]","button:not([disabled])","[tabindex]","audio[controls]","video[controls]","*[tabindex]:not([aria-disabled])","*[contenteditable]"],VX=$X.join(),WX=e=>e.offsetWidth>0&&e.offsetHeight>0;function HX(e){const t=Array.from(e.querySelectorAll(VX));return t.unshift(e),t.filter(n=>BX(n)&&WX(n))}var Sr="top",fo="bottom",po="right",wr="left",ob="auto",Sd=[Sr,fo,po,wr],xu="start",Uf="end",jX="clippingParents",wP="viewport",Ac="popper",UX="reference",l8=Sd.reduce(function(e,t){return e.concat([t+"-"+xu,t+"-"+Uf])},[]),CP=[].concat(Sd,[ob]).reduce(function(e,t){return e.concat([t,t+"-"+xu,t+"-"+Uf])},[]),GX="beforeRead",ZX="read",KX="afterRead",qX="beforeMain",YX="main",XX="afterMain",QX="beforeWrite",JX="write",eQ="afterWrite",tQ=[GX,ZX,KX,qX,YX,XX,QX,JX,eQ];function mi(e){return e?(e.nodeName||"").toLowerCase():null}function mo(e){if(e==null)return window;if(e.toString()!=="[object Window]"){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function Bs(e){var t=mo(e).Element;return e instanceof t||e instanceof Element}function so(e){var t=mo(e).HTMLElement;return e instanceof t||e instanceof HTMLElement}function ib(e){if(typeof ShadowRoot>"u")return!1;var t=mo(e).ShadowRoot;return e instanceof t||e instanceof ShadowRoot}function nQ(e){var t=e.state;Object.keys(t.elements).forEach(function(n){var r=t.styles[n]||{},o=t.attributes[n]||{},i=t.elements[n];!so(i)||!mi(i)||(Object.assign(i.style,r),Object.keys(o).forEach(function(s){var u=o[s];u===!1?i.removeAttribute(s):i.setAttribute(s,u===!0?"":u)}))})}function rQ(e){var t=e.state,n={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,n.popper),t.styles=n,t.elements.arrow&&Object.assign(t.elements.arrow.style,n.arrow),function(){Object.keys(t.elements).forEach(function(r){var o=t.elements[r],i=t.attributes[r]||{},s=Object.keys(t.styles.hasOwnProperty(r)?t.styles[r]:n[r]),u=s.reduce(function(c,f){return c[f]="",c},{});!so(o)||!mi(o)||(Object.assign(o.style,u),Object.keys(i).forEach(function(c){o.removeAttribute(c)}))})}}const oQ={name:"applyStyles",enabled:!0,phase:"write",fn:nQ,effect:rQ,requires:["computeStyles"]};function ui(e){return e.split("-")[0]}var Is=Math.max,o0=Math.min,Su=Math.round;function C5(){var e=navigator.userAgentData;return e!=null&&e.brands?e.brands.map(function(t){return t.brand+"/"+t.version}).join(" "):navigator.userAgent}function _P(){return!/^((?!chrome|android).)*safari/i.test(C5())}function wu(e,t,n){t===void 0&&(t=!1),n===void 0&&(n=!1);var r=e.getBoundingClientRect(),o=1,i=1;t&&so(e)&&(o=e.offsetWidth>0&&Su(r.width)/e.offsetWidth||1,i=e.offsetHeight>0&&Su(r.height)/e.offsetHeight||1);var s=Bs(e)?mo(e):window,u=s.visualViewport,c=!_P()&&n,f=(r.left+(c&&u?u.offsetLeft:0))/o,d=(r.top+(c&&u?u.offsetTop:0))/i,h=r.width/o,m=r.height/i;return{width:h,height:m,top:d,right:f+h,bottom:d+m,left:f,x:f,y:d}}function ab(e){var t=wu(e),n=e.offsetWidth,r=e.offsetHeight;return Math.abs(t.width-n)<=1&&(n=t.width),Math.abs(t.height-r)<=1&&(r=t.height),{x:e.offsetLeft,y:e.offsetTop,width:n,height:r}}function kP(e,t){var n=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(n&&ib(n)){var r=t;do{if(r&&e.isSameNode(r))return!0;r=r.parentNode||r.host}while(r)}return!1}function Yi(e){return mo(e).getComputedStyle(e)}function iQ(e){return["table","td","th"].indexOf(mi(e))>=0}function ts(e){return((Bs(e)?e.ownerDocument:e.document)||window.document).documentElement}function Cm(e){return mi(e)==="html"?e:e.assignedSlot||e.parentNode||(ib(e)?e.host:null)||ts(e)}function u8(e){return!so(e)||Yi(e).position==="fixed"?null:e.offsetParent}function aQ(e){var t=/firefox/i.test(C5()),n=/Trident/i.test(C5());if(n&&so(e)){var r=Yi(e);if(r.position==="fixed")return null}var o=Cm(e);for(ib(o)&&(o=o.host);so(o)&&["html","body"].indexOf(mi(o))<0;){var i=Yi(o);if(i.transform!=="none"||i.perspective!=="none"||i.contain==="paint"||["transform","perspective"].indexOf(i.willChange)!==-1||t&&i.willChange==="filter"||t&&i.filter&&i.filter!=="none")return o;o=o.parentNode}return null}function wd(e){for(var t=mo(e),n=u8(e);n&&iQ(n)&&Yi(n).position==="static";)n=u8(n);return n&&(mi(n)==="html"||mi(n)==="body"&&Yi(n).position==="static")?t:n||aQ(e)||t}function sb(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function af(e,t,n){return Is(e,o0(t,n))}function sQ(e,t,n){var r=af(e,t,n);return r>n?n:r}function EP(){return{top:0,right:0,bottom:0,left:0}}function LP(e){return Object.assign({},EP(),e)}function PP(e,t){return t.reduce(function(n,r){return n[r]=e,n},{})}var lQ=function(t,n){return t=typeof t=="function"?t(Object.assign({},n.rects,{placement:n.placement})):t,LP(typeof t!="number"?t:PP(t,Sd))};function uQ(e){var t,n=e.state,r=e.name,o=e.options,i=n.elements.arrow,s=n.modifiersData.popperOffsets,u=ui(n.placement),c=sb(u),f=[wr,po].indexOf(u)>=0,d=f?"height":"width";if(!(!i||!s)){var h=lQ(o.padding,n),m=ab(i),g=c==="y"?Sr:wr,b=c==="y"?fo:po,S=n.rects.reference[d]+n.rects.reference[c]-s[c]-n.rects.popper[d],E=s[c]-n.rects.reference[c],w=wd(i),x=w?c==="y"?w.clientHeight||0:w.clientWidth||0:0,_=S/2-E/2,L=h[g],T=x-m[d]-h[b],R=x/2-m[d]/2+_,N=af(L,R,T),F=c;n.modifiersData[r]=(t={},t[F]=N,t.centerOffset=N-R,t)}}function cQ(e){var t=e.state,n=e.options,r=n.element,o=r===void 0?"[data-popper-arrow]":r;o!=null&&(typeof o=="string"&&(o=t.elements.popper.querySelector(o),!o)||!kP(t.elements.popper,o)||(t.elements.arrow=o))}const fQ={name:"arrow",enabled:!0,phase:"main",fn:uQ,effect:cQ,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function Cu(e){return e.split("-")[1]}var dQ={top:"auto",right:"auto",bottom:"auto",left:"auto"};function pQ(e){var t=e.x,n=e.y,r=window,o=r.devicePixelRatio||1;return{x:Su(t*o)/o||0,y:Su(n*o)/o||0}}function c8(e){var t,n=e.popper,r=e.popperRect,o=e.placement,i=e.variation,s=e.offsets,u=e.position,c=e.gpuAcceleration,f=e.adaptive,d=e.roundOffsets,h=e.isFixed,m=s.x,g=m===void 0?0:m,b=s.y,S=b===void 0?0:b,E=typeof d=="function"?d({x:g,y:S}):{x:g,y:S};g=E.x,S=E.y;var w=s.hasOwnProperty("x"),x=s.hasOwnProperty("y"),_=wr,L=Sr,T=window;if(f){var R=wd(n),N="clientHeight",F="clientWidth";if(R===mo(n)&&(R=ts(n),Yi(R).position!=="static"&&u==="absolute"&&(N="scrollHeight",F="scrollWidth")),R=R,o===Sr||(o===wr||o===po)&&i===Uf){L=fo;var K=h&&R===T&&T.visualViewport?T.visualViewport.height:R[N];S-=K-r.height,S*=c?1:-1}if(o===wr||(o===Sr||o===fo)&&i===Uf){_=po;var W=h&&R===T&&T.visualViewport?T.visualViewport.width:R[F];g-=W-r.width,g*=c?1:-1}}var J=Object.assign({position:u},f&&dQ),ve=d===!0?pQ({x:g,y:S}):{x:g,y:S};if(g=ve.x,S=ve.y,c){var xe;return Object.assign({},J,(xe={},xe[L]=x?"0":"",xe[_]=w?"0":"",xe.transform=(T.devicePixelRatio||1)<=1?"translate("+g+"px, "+S+"px)":"translate3d("+g+"px, "+S+"px, 0)",xe))}return Object.assign({},J,(t={},t[L]=x?S+"px":"",t[_]=w?g+"px":"",t.transform="",t))}function hQ(e){var t=e.state,n=e.options,r=n.gpuAcceleration,o=r===void 0?!0:r,i=n.adaptive,s=i===void 0?!0:i,u=n.roundOffsets,c=u===void 0?!0:u,f={placement:ui(t.placement),variation:Cu(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:o,isFixed:t.options.strategy==="fixed"};t.modifiersData.popperOffsets!=null&&(t.styles.popper=Object.assign({},t.styles.popper,c8(Object.assign({},f,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:s,roundOffsets:c})))),t.modifiersData.arrow!=null&&(t.styles.arrow=Object.assign({},t.styles.arrow,c8(Object.assign({},f,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:c})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})}const mQ={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:hQ,data:{}};var ph={passive:!0};function gQ(e){var t=e.state,n=e.instance,r=e.options,o=r.scroll,i=o===void 0?!0:o,s=r.resize,u=s===void 0?!0:s,c=mo(t.elements.popper),f=[].concat(t.scrollParents.reference,t.scrollParents.popper);return i&&f.forEach(function(d){d.addEventListener("scroll",n.update,ph)}),u&&c.addEventListener("resize",n.update,ph),function(){i&&f.forEach(function(d){d.removeEventListener("scroll",n.update,ph)}),u&&c.removeEventListener("resize",n.update,ph)}}const vQ={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:gQ,data:{}};var yQ={left:"right",right:"left",bottom:"top",top:"bottom"};function Jh(e){return e.replace(/left|right|bottom|top/g,function(t){return yQ[t]})}var bQ={start:"end",end:"start"};function f8(e){return e.replace(/start|end/g,function(t){return bQ[t]})}function lb(e){var t=mo(e),n=t.pageXOffset,r=t.pageYOffset;return{scrollLeft:n,scrollTop:r}}function ub(e){return wu(ts(e)).left+lb(e).scrollLeft}function xQ(e,t){var n=mo(e),r=ts(e),o=n.visualViewport,i=r.clientWidth,s=r.clientHeight,u=0,c=0;if(o){i=o.width,s=o.height;var f=_P();(f||!f&&t==="fixed")&&(u=o.offsetLeft,c=o.offsetTop)}return{width:i,height:s,x:u+ub(e),y:c}}function SQ(e){var t,n=ts(e),r=lb(e),o=(t=e.ownerDocument)==null?void 0:t.body,i=Is(n.scrollWidth,n.clientWidth,o?o.scrollWidth:0,o?o.clientWidth:0),s=Is(n.scrollHeight,n.clientHeight,o?o.scrollHeight:0,o?o.clientHeight:0),u=-r.scrollLeft+ub(e),c=-r.scrollTop;return Yi(o||n).direction==="rtl"&&(u+=Is(n.clientWidth,o?o.clientWidth:0)-i),{width:i,height:s,x:u,y:c}}function cb(e){var t=Yi(e),n=t.overflow,r=t.overflowX,o=t.overflowY;return/auto|scroll|overlay|hidden/.test(n+o+r)}function AP(e){return["html","body","#document"].indexOf(mi(e))>=0?e.ownerDocument.body:so(e)&&cb(e)?e:AP(Cm(e))}function sf(e,t){var n;t===void 0&&(t=[]);var r=AP(e),o=r===((n=e.ownerDocument)==null?void 0:n.body),i=mo(r),s=o?[i].concat(i.visualViewport||[],cb(r)?r:[]):r,u=t.concat(s);return o?u:u.concat(sf(Cm(s)))}function _5(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function wQ(e,t){var n=wu(e,!1,t==="fixed");return n.top=n.top+e.clientTop,n.left=n.left+e.clientLeft,n.bottom=n.top+e.clientHeight,n.right=n.left+e.clientWidth,n.width=e.clientWidth,n.height=e.clientHeight,n.x=n.left,n.y=n.top,n}function d8(e,t,n){return t===wP?_5(xQ(e,n)):Bs(t)?wQ(t,n):_5(SQ(ts(e)))}function CQ(e){var t=sf(Cm(e)),n=["absolute","fixed"].indexOf(Yi(e).position)>=0,r=n&&so(e)?wd(e):e;return Bs(r)?t.filter(function(o){return Bs(o)&&kP(o,r)&&mi(o)!=="body"}):[]}function _Q(e,t,n,r){var o=t==="clippingParents"?CQ(e):[].concat(t),i=[].concat(o,[n]),s=i[0],u=i.reduce(function(c,f){var d=d8(e,f,r);return c.top=Is(d.top,c.top),c.right=o0(d.right,c.right),c.bottom=o0(d.bottom,c.bottom),c.left=Is(d.left,c.left),c},d8(e,s,r));return u.width=u.right-u.left,u.height=u.bottom-u.top,u.x=u.left,u.y=u.top,u}function TP(e){var t=e.reference,n=e.element,r=e.placement,o=r?ui(r):null,i=r?Cu(r):null,s=t.x+t.width/2-n.width/2,u=t.y+t.height/2-n.height/2,c;switch(o){case Sr:c={x:s,y:t.y-n.height};break;case fo:c={x:s,y:t.y+t.height};break;case po:c={x:t.x+t.width,y:u};break;case wr:c={x:t.x-n.width,y:u};break;default:c={x:t.x,y:t.y}}var f=o?sb(o):null;if(f!=null){var d=f==="y"?"height":"width";switch(i){case xu:c[f]=c[f]-(t[d]/2-n[d]/2);break;case Uf:c[f]=c[f]+(t[d]/2-n[d]/2);break}}return c}function Gf(e,t){t===void 0&&(t={});var n=t,r=n.placement,o=r===void 0?e.placement:r,i=n.strategy,s=i===void 0?e.strategy:i,u=n.boundary,c=u===void 0?jX:u,f=n.rootBoundary,d=f===void 0?wP:f,h=n.elementContext,m=h===void 0?Ac:h,g=n.altBoundary,b=g===void 0?!1:g,S=n.padding,E=S===void 0?0:S,w=LP(typeof E!="number"?E:PP(E,Sd)),x=m===Ac?UX:Ac,_=e.rects.popper,L=e.elements[b?x:m],T=_Q(Bs(L)?L:L.contextElement||ts(e.elements.popper),c,d,s),R=wu(e.elements.reference),N=TP({reference:R,element:_,strategy:"absolute",placement:o}),F=_5(Object.assign({},_,N)),K=m===Ac?F:R,W={top:T.top-K.top+w.top,bottom:K.bottom-T.bottom+w.bottom,left:T.left-K.left+w.left,right:K.right-T.right+w.right},J=e.modifiersData.offset;if(m===Ac&&J){var ve=J[o];Object.keys(W).forEach(function(xe){var he=[po,fo].indexOf(xe)>=0?1:-1,fe=[Sr,fo].indexOf(xe)>=0?"y":"x";W[xe]+=ve[fe]*he})}return W}function kQ(e,t){t===void 0&&(t={});var n=t,r=n.placement,o=n.boundary,i=n.rootBoundary,s=n.padding,u=n.flipVariations,c=n.allowedAutoPlacements,f=c===void 0?CP:c,d=Cu(r),h=d?u?l8:l8.filter(function(b){return Cu(b)===d}):Sd,m=h.filter(function(b){return f.indexOf(b)>=0});m.length===0&&(m=h);var g=m.reduce(function(b,S){return b[S]=Gf(e,{placement:S,boundary:o,rootBoundary:i,padding:s})[ui(S)],b},{});return Object.keys(g).sort(function(b,S){return g[b]-g[S]})}function EQ(e){if(ui(e)===ob)return[];var t=Jh(e);return[f8(e),t,f8(t)]}function LQ(e){var t=e.state,n=e.options,r=e.name;if(!t.modifiersData[r]._skip){for(var o=n.mainAxis,i=o===void 0?!0:o,s=n.altAxis,u=s===void 0?!0:s,c=n.fallbackPlacements,f=n.padding,d=n.boundary,h=n.rootBoundary,m=n.altBoundary,g=n.flipVariations,b=g===void 0?!0:g,S=n.allowedAutoPlacements,E=t.options.placement,w=ui(E),x=w===E,_=c||(x||!b?[Jh(E)]:EQ(E)),L=[E].concat(_).reduce(function(ce,ye){return ce.concat(ui(ye)===ob?kQ(t,{placement:ye,boundary:d,rootBoundary:h,padding:f,flipVariations:b,allowedAutoPlacements:S}):ye)},[]),T=t.rects.reference,R=t.rects.popper,N=new Map,F=!0,K=L[0],W=0;W<L.length;W++){var J=L[W],ve=ui(J),xe=Cu(J)===xu,he=[Sr,fo].indexOf(ve)>=0,fe=he?"width":"height",me=Gf(t,{placement:J,boundary:d,rootBoundary:h,altBoundary:m,padding:f}),ne=he?xe?po:wr:xe?fo:Sr;T[fe]>R[fe]&&(ne=Jh(ne));var H=Jh(ne),Y=[];if(i&&Y.push(me[ve]<=0),u&&Y.push(me[ne]<=0,me[H]<=0),Y.every(function(ce){return ce})){K=J,F=!1;break}N.set(J,Y)}if(F)for(var Z=b?3:1,M=function(ye){var be=L.find(function(Le){var de=N.get(Le);if(de)return de.slice(0,ye).every(function(_e){return _e})});if(be)return K=be,"break"},j=Z;j>0;j--){var se=M(j);if(se==="break")break}t.placement!==K&&(t.modifiersData[r]._skip=!0,t.placement=K,t.reset=!0)}}const PQ={name:"flip",enabled:!0,phase:"main",fn:LQ,requiresIfExists:["offset"],data:{_skip:!1}};function p8(e,t,n){return n===void 0&&(n={x:0,y:0}),{top:e.top-t.height-n.y,right:e.right-t.width+n.x,bottom:e.bottom-t.height+n.y,left:e.left-t.width-n.x}}function h8(e){return[Sr,po,fo,wr].some(function(t){return e[t]>=0})}function AQ(e){var t=e.state,n=e.name,r=t.rects.reference,o=t.rects.popper,i=t.modifiersData.preventOverflow,s=Gf(t,{elementContext:"reference"}),u=Gf(t,{altBoundary:!0}),c=p8(s,r),f=p8(u,o,i),d=h8(c),h=h8(f);t.modifiersData[n]={referenceClippingOffsets:c,popperEscapeOffsets:f,isReferenceHidden:d,hasPopperEscaped:h},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":d,"data-popper-escaped":h})}const TQ={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:AQ};function IQ(e,t,n){var r=ui(e),o=[wr,Sr].indexOf(r)>=0?-1:1,i=typeof n=="function"?n(Object.assign({},t,{placement:e})):n,s=i[0],u=i[1];return s=s||0,u=(u||0)*o,[wr,po].indexOf(r)>=0?{x:u,y:s}:{x:s,y:u}}function MQ(e){var t=e.state,n=e.options,r=e.name,o=n.offset,i=o===void 0?[0,0]:o,s=CP.reduce(function(d,h){return d[h]=IQ(h,t.rects,i),d},{}),u=s[t.placement],c=u.x,f=u.y;t.modifiersData.popperOffsets!=null&&(t.modifiersData.popperOffsets.x+=c,t.modifiersData.popperOffsets.y+=f),t.modifiersData[r]=s}const OQ={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:MQ};function RQ(e){var t=e.state,n=e.name;t.modifiersData[n]=TP({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})}const NQ={name:"popperOffsets",enabled:!0,phase:"read",fn:RQ,data:{}};function DQ(e){return e==="x"?"y":"x"}function zQ(e){var t=e.state,n=e.options,r=e.name,o=n.mainAxis,i=o===void 0?!0:o,s=n.altAxis,u=s===void 0?!1:s,c=n.boundary,f=n.rootBoundary,d=n.altBoundary,h=n.padding,m=n.tether,g=m===void 0?!0:m,b=n.tetherOffset,S=b===void 0?0:b,E=Gf(t,{boundary:c,rootBoundary:f,padding:h,altBoundary:d}),w=ui(t.placement),x=Cu(t.placement),_=!x,L=sb(w),T=DQ(L),R=t.modifiersData.popperOffsets,N=t.rects.reference,F=t.rects.popper,K=typeof S=="function"?S(Object.assign({},t.rects,{placement:t.placement})):S,W=typeof K=="number"?{mainAxis:K,altAxis:K}:Object.assign({mainAxis:0,altAxis:0},K),J=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,ve={x:0,y:0};if(!!R){if(i){var xe,he=L==="y"?Sr:wr,fe=L==="y"?fo:po,me=L==="y"?"height":"width",ne=R[L],H=ne+E[he],Y=ne-E[fe],Z=g?-F[me]/2:0,M=x===xu?N[me]:F[me],j=x===xu?-F[me]:-N[me],se=t.elements.arrow,ce=g&&se?ab(se):{width:0,height:0},ye=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:EP(),be=ye[he],Le=ye[fe],de=af(0,N[me],ce[me]),_e=_?N[me]/2-Z-de-be-W.mainAxis:M-de-be-W.mainAxis,De=_?-N[me]/2+Z+de+Le+W.mainAxis:j+de+Le+W.mainAxis,st=t.elements.arrow&&wd(t.elements.arrow),Tt=st?L==="y"?st.clientTop||0:st.clientLeft||0:0,gn=(xe=J?.[L])!=null?xe:0,Se=ne+_e-gn-Tt,Ie=ne+De-gn,tt=af(g?o0(H,Se):H,ne,g?Is(Y,Ie):Y);R[L]=tt,ve[L]=tt-ne}if(u){var ze,$t=L==="x"?Sr:wr,vn=L==="x"?fo:po,lt=R[T],Ct=T==="y"?"height":"width",Qt=lt+E[$t],Gt=lt-E[vn],pe=[Sr,wr].indexOf(w)!==-1,Ee=(ze=J?.[T])!=null?ze:0,pt=pe?Qt:lt-N[Ct]-F[Ct]-Ee+W.altAxis,ut=pe?lt+N[Ct]+F[Ct]-Ee-W.altAxis:Gt,ie=g&&pe?sQ(pt,lt,ut):af(g?pt:Qt,lt,g?ut:Gt);R[T]=ie,ve[T]=ie-lt}t.modifiersData[r]=ve}}const FQ={name:"preventOverflow",enabled:!0,phase:"main",fn:zQ,requiresIfExists:["offset"]};function BQ(e){return{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}}function $Q(e){return e===mo(e)||!so(e)?lb(e):BQ(e)}function VQ(e){var t=e.getBoundingClientRect(),n=Su(t.width)/e.offsetWidth||1,r=Su(t.height)/e.offsetHeight||1;return n!==1||r!==1}function WQ(e,t,n){n===void 0&&(n=!1);var r=so(t),o=so(t)&&VQ(t),i=ts(t),s=wu(e,o,n),u={scrollLeft:0,scrollTop:0},c={x:0,y:0};return(r||!r&&!n)&&((mi(t)!=="body"||cb(i))&&(u=$Q(t)),so(t)?(c=wu(t,!0),c.x+=t.clientLeft,c.y+=t.clientTop):i&&(c.x=ub(i))),{x:s.left+u.scrollLeft-c.x,y:s.top+u.scrollTop-c.y,width:s.width,height:s.height}}function HQ(e){var t=new Map,n=new Set,r=[];e.forEach(function(i){t.set(i.name,i)});function o(i){n.add(i.name);var s=[].concat(i.requires||[],i.requiresIfExists||[]);s.forEach(function(u){if(!n.has(u)){var c=t.get(u);c&&o(c)}}),r.push(i)}return e.forEach(function(i){n.has(i.name)||o(i)}),r}function jQ(e){var t=HQ(e);return tQ.reduce(function(n,r){return n.concat(t.filter(function(o){return o.phase===r}))},[])}function UQ(e){var t;return function(){return t||(t=new Promise(function(n){Promise.resolve().then(function(){t=void 0,n(e())})})),t}}function GQ(e){var t=e.reduce(function(n,r){var o=n[r.name];return n[r.name]=o?Object.assign({},o,r,{options:Object.assign({},o.options,r.options),data:Object.assign({},o.data,r.data)}):r,n},{});return Object.keys(t).map(function(n){return t[n]})}var m8={placement:"bottom",modifiers:[],strategy:"absolute"};function g8(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return!t.some(function(r){return!(r&&typeof r.getBoundingClientRect=="function")})}function ZQ(e){e===void 0&&(e={});var t=e,n=t.defaultModifiers,r=n===void 0?[]:n,o=t.defaultOptions,i=o===void 0?m8:o;return function(u,c,f){f===void 0&&(f=i);var d={placement:"bottom",orderedModifiers:[],options:Object.assign({},m8,i),modifiersData:{},elements:{reference:u,popper:c},attributes:{},styles:{}},h=[],m=!1,g={state:d,setOptions:function(w){var x=typeof w=="function"?w(d.options):w;S(),d.options=Object.assign({},i,d.options,x),d.scrollParents={reference:Bs(u)?sf(u):u.contextElement?sf(u.contextElement):[],popper:sf(c)};var _=jQ(GQ([].concat(r,d.options.modifiers)));return d.orderedModifiers=_.filter(function(L){return L.enabled}),b(),g.update()},forceUpdate:function(){if(!m){var w=d.elements,x=w.reference,_=w.popper;if(!!g8(x,_)){d.rects={reference:WQ(x,wd(_),d.options.strategy==="fixed"),popper:ab(_)},d.reset=!1,d.placement=d.options.placement,d.orderedModifiers.forEach(function(W){return d.modifiersData[W.name]=Object.assign({},W.data)});for(var L=0;L<d.orderedModifiers.length;L++){if(d.reset===!0){d.reset=!1,L=-1;continue}var T=d.orderedModifiers[L],R=T.fn,N=T.options,F=N===void 0?{}:N,K=T.name;typeof R=="function"&&(d=R({state:d,options:F,name:K,instance:g})||d)}}}},update:UQ(function(){return new Promise(function(E){g.forceUpdate(),E(d)})}),destroy:function(){S(),m=!0}};if(!g8(u,c))return g;g.setOptions(f).then(function(E){!m&&f.onFirstUpdate&&f.onFirstUpdate(E)});function b(){d.orderedModifiers.forEach(function(E){var w=E.name,x=E.options,_=x===void 0?{}:x,L=E.effect;if(typeof L=="function"){var T=L({state:d,name:w,instance:g,options:_}),R=function(){};h.push(T||R)}})}function S(){h.forEach(function(E){return E()}),h=[]}return g}}var KQ=[vQ,NQ,mQ,oQ,OQ,PQ,FQ,fQ,TQ],qQ=ZQ({defaultModifiers:KQ}),Cl=(e,t)=>({var:e,varRef:t?`var(${e}, ${t})`:`var(${e})`}),ln={arrowShadowColor:Cl("--popper-arrow-shadow-color"),arrowSize:Cl("--popper-arrow-size","8px"),arrowSizeHalf:Cl("--popper-arrow-size-half"),arrowBg:Cl("--popper-arrow-bg"),transformOrigin:Cl("--popper-transform-origin"),arrowOffset:Cl("--popper-arrow-offset")};function YQ(e){if(e.includes("top"))return"1px 1px 1px 0 var(--popper-arrow-shadow-color)";if(e.includes("bottom"))return"-1px -1px 1px 0 var(--popper-arrow-shadow-color)";if(e.includes("right"))return"-1px 1px 1px 0 var(--popper-arrow-shadow-color)";if(e.includes("left"))return"1px -1px 1px 0 var(--popper-arrow-shadow-color)"}var XQ={top:"bottom center","top-start":"bottom left","top-end":"bottom right",bottom:"top center","bottom-start":"top left","bottom-end":"top right",left:"right center","left-start":"right top","left-end":"right bottom",right:"left center","right-start":"left top","right-end":"left bottom"},QQ=e=>XQ[e],v8={scroll:!0,resize:!0};function JQ(e){let t;return typeof e=="object"?t={enabled:!0,options:{...v8,...e}}:t={enabled:e,options:v8},t}var eJ={name:"matchWidth",enabled:!0,phase:"beforeWrite",requires:["computeStyles"],fn:({state:e})=>{e.styles.popper.width=`${e.rects.reference.width}px`},effect:({state:e})=>()=>{const t=e.elements.reference;e.elements.popper.style.width=`${t.offsetWidth}px`}},tJ={name:"transformOrigin",enabled:!0,phase:"write",fn:({state:e})=>{y8(e)},effect:({state:e})=>()=>{y8(e)}},y8=e=>{e.elements.popper.style.setProperty(ln.transformOrigin.var,QQ(e.placement))},nJ={name:"positionArrow",enabled:!0,phase:"afterWrite",fn:({state:e})=>{rJ(e)}},rJ=e=>{var t;if(!e.placement)return;const n=oJ(e.placement);if(((t=e.elements)==null?void 0:t.arrow)&&n){Object.assign(e.elements.arrow.style,{[n.property]:n.value,width:ln.arrowSize.varRef,height:ln.arrowSize.varRef,zIndex:-1});const r={[ln.arrowSizeHalf.var]:`calc(${ln.arrowSize.varRef} / 2)`,[ln.arrowOffset.var]:`calc(${ln.arrowSizeHalf.varRef} * -1)`};for(const o in r)e.elements.arrow.style.setProperty(o,r[o])}},oJ=e=>{if(e.startsWith("top"))return{property:"bottom",value:ln.arrowOffset.varRef};if(e.startsWith("bottom"))return{property:"top",value:ln.arrowOffset.varRef};if(e.startsWith("left"))return{property:"right",value:ln.arrowOffset.varRef};if(e.startsWith("right"))return{property:"left",value:ln.arrowOffset.varRef}},iJ={name:"innerArrow",enabled:!0,phase:"main",requires:["arrow"],fn:({state:e})=>{b8(e)},effect:({state:e})=>()=>{b8(e)}},b8=e=>{if(!e.elements.arrow)return;const t=e.elements.arrow.querySelector("[data-popper-arrow-inner]");!t||Object.assign(t.style,{transform:"rotate(45deg)",background:ln.arrowBg.varRef,top:0,left:0,width:"100%",height:"100%",position:"absolute",zIndex:"inherit",boxShadow:YQ(e.placement)})},aJ={"start-start":{ltr:"left-start",rtl:"right-start"},"start-end":{ltr:"left-end",rtl:"right-end"},"end-start":{ltr:"right-start",rtl:"left-start"},"end-end":{ltr:"right-end",rtl:"left-end"},start:{ltr:"left",rtl:"right"},end:{ltr:"right",rtl:"left"}},sJ={"auto-start":"auto-end","auto-end":"auto-start","top-start":"top-end","top-end":"top-start","bottom-start":"bottom-end","bottom-end":"bottom-start"};function lJ(e,t="ltr"){var n;const r=((n=aJ[e])==null?void 0:n[t])||e;return t==="ltr"?r:sJ[e]??r}function IP(e={}){const{enabled:t=!0,modifiers:n,placement:r="bottom",strategy:o="absolute",arrowPadding:i=8,eventListeners:s=!0,offset:u,gutter:c=8,flip:f=!0,boundary:d="clippingParents",preventOverflow:h=!0,matchWidth:m,direction:g="ltr"}=e,b=C.exports.useRef(null),S=C.exports.useRef(null),E=C.exports.useRef(null),w=lJ(r,g),x=C.exports.useRef(()=>{}),_=C.exports.useCallback(()=>{var W;!t||!b.current||!S.current||((W=x.current)==null||W.call(x),E.current=qQ(b.current,S.current,{placement:w,modifiers:[iJ,nJ,tJ,{...eJ,enabled:!!m},{name:"eventListeners",...JQ(s)},{name:"arrow",options:{padding:i}},{name:"offset",options:{offset:u??[0,c]}},{name:"flip",enabled:!!f,options:{padding:8}},{name:"preventOverflow",enabled:!!h,options:{boundary:d}},...n??[]],strategy:o}),E.current.forceUpdate(),x.current=E.current.destroy)},[w,t,n,m,s,i,u,c,f,h,d,o]);C.exports.useEffect(()=>()=>{var W;!b.current&&!S.current&&((W=E.current)==null||W.destroy(),E.current=null)},[]);const L=C.exports.useCallback(W=>{b.current=W,_()},[_]),T=C.exports.useCallback((W={},J=null)=>({...W,ref:qt(L,J)}),[L]),R=C.exports.useCallback(W=>{S.current=W,_()},[_]),N=C.exports.useCallback((W={},J=null)=>({...W,ref:qt(R,J),style:{...W.style,position:o,minWidth:m?void 0:"max-content",inset:"0 auto auto 0"}}),[o,R,m]),F=C.exports.useCallback((W={},J=null)=>{const{size:ve,shadowColor:xe,bg:he,style:fe,...me}=W;return{...me,ref:J,"data-popper-arrow":"",style:uJ(W)}},[]),K=C.exports.useCallback((W={},J=null)=>({...W,ref:J,"data-popper-arrow-inner":""}),[]);return{update(){var W;(W=E.current)==null||W.update()},forceUpdate(){var W;(W=E.current)==null||W.forceUpdate()},transformOrigin:ln.transformOrigin.varRef,referenceRef:L,popperRef:R,getPopperProps:N,getArrowProps:F,getArrowInnerProps:K,getReferenceProps:T}}function uJ(e){const{size:t,shadowColor:n,bg:r,style:o}=e,i={...o,position:"absolute"};return t&&(i["--popper-arrow-size"]=t),n&&(i["--popper-arrow-shadow-color"]=n),r&&(i["--popper-arrow-bg"]=r),i}function MP(e={}){const{onClose:t,onOpen:n,isOpen:r,id:o}=e,i=Un(n),s=Un(t),[u,c]=C.exports.useState(e.defaultIsOpen||!1),f=r!==void 0?r:u,d=r!==void 0,h=o??`disclosure-${C.exports.useId()}`,m=C.exports.useCallback(()=>{d||c(!1),s?.()},[d,s]),g=C.exports.useCallback(()=>{d||c(!0),i?.()},[d,i]),b=C.exports.useCallback(()=>{f?m():g()},[f,g,m]);function S(w={}){return{...w,"aria-expanded":f,"aria-controls":h,onClick(x){var _;(_=w.onClick)==null||_.call(w,x),b()}}}function E(w={}){return{...w,hidden:!f,id:h}}return{isOpen:f,onOpen:g,onClose:m,onToggle:b,isControlled:d,getButtonProps:S,getDisclosureProps:E}}function OP(e){const{wasSelected:t,enabled:n,isSelected:r,mode:o="unmount"}=e;return!!(!n||r||o==="keepMounted"&&t)}var[cJ,fJ]=At({strict:!1,name:"PortalManagerContext"});function RP(e){const{children:t,zIndex:n}=e;return y(cJ,{value:{zIndex:n},children:t})}RP.displayName="PortalManager";var[NP,dJ]=At({strict:!1,name:"PortalContext"}),fb="chakra-portal",pJ=".chakra-portal",hJ=e=>y("div",{className:"chakra-portal-zIndex",style:{position:"absolute",zIndex:e.zIndex,top:0,left:0,right:0},children:e.children}),mJ=e=>{const{appendToParentPortal:t,children:n}=e,[r,o]=C.exports.useState(null),i=C.exports.useRef(null),[,s]=C.exports.useState({});C.exports.useEffect(()=>s({}),[]);const u=dJ(),c=fJ();ii(()=>{if(!r)return;const d=r.ownerDocument,h=t?u??d.body:d.body;if(!h)return;i.current=d.createElement("div"),i.current.className=fb,h.appendChild(i.current),s({});const m=i.current;return()=>{h.contains(m)&&h.removeChild(m)}},[r]);const f=c?.zIndex?y(hJ,{zIndex:c?.zIndex,children:n}):n;return i.current?Au.exports.createPortal(y(NP,{value:i.current,children:f}),i.current):y("span",{ref:d=>{d&&o(d)}})},gJ=e=>{const{children:t,containerRef:n,appendToParentPortal:r}=e,o=n.current,i=o??(typeof window<"u"?document.body:void 0),s=C.exports.useMemo(()=>{const c=o?.ownerDocument.createElement("div");return c&&(c.className=fb),c},[o]),[,u]=C.exports.useState({});return ii(()=>u({}),[]),ii(()=>{if(!(!s||!i))return i.appendChild(s),()=>{i.removeChild(s)}},[s,i]),i&&s?Au.exports.createPortal(y(NP,{value:r?s:null,children:t}),s):null};function Gs(e){const{containerRef:t,...n}=e;return t?y(gJ,{containerRef:t,...n}):y(mJ,{...n})}Gs.defaultProps={appendToParentPortal:!0};Gs.className=fb;Gs.selector=pJ;Gs.displayName="Portal";var vJ=function(e){if(typeof document>"u")return null;var t=Array.isArray(e)?e[0]:e;return t.ownerDocument.body},_l=new WeakMap,hh=new WeakMap,mh={},h2=0,yJ=function(e,t,n,r){var o=Array.isArray(e)?e:[e];mh[n]||(mh[n]=new WeakMap);var i=mh[n],s=[],u=new Set,c=new Set(o),f=function(h){!h||u.has(h)||(u.add(h),f(h.parentNode))};o.forEach(f);var d=function(h){!h||c.has(h)||Array.prototype.forEach.call(h.children,function(m){if(u.has(m))d(m);else{var g=m.getAttribute(r),b=g!==null&&g!=="false",S=(_l.get(m)||0)+1,E=(i.get(m)||0)+1;_l.set(m,S),i.set(m,E),s.push(m),S===1&&b&&hh.set(m,!0),E===1&&m.setAttribute(n,"true"),b||m.setAttribute(r,"true")}})};return d(t),u.clear(),h2++,function(){s.forEach(function(h){var m=_l.get(h)-1,g=i.get(h)-1;_l.set(h,m),i.set(h,g),m||(hh.has(h)||h.removeAttribute(r),hh.delete(h)),g||h.removeAttribute(n)}),h2--,h2||(_l=new WeakMap,_l=new WeakMap,hh=new WeakMap,mh={})}},bJ=function(e,t,n){n===void 0&&(n="data-aria-hidden");var r=Array.from(Array.isArray(e)?e:[e]),o=t||vJ(e);return o?(r.push.apply(r,Array.from(o.querySelectorAll("[aria-live]"))),yJ(r,o,n,"aria-hidden")):function(){return null}};function xJ(e,t){if(e==null)return{};var n={},r=Object.keys(e),o,i;for(i=0;i<r.length;i++)o=r[i],!(t.indexOf(o)>=0)&&(n[o]=e[o]);return n}var wt={exports:{}},SJ="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED",wJ=SJ,CJ=wJ;function DP(){}function zP(){}zP.resetWarningCache=DP;var _J=function(){function e(r,o,i,s,u,c){if(c!==CJ){var f=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw f.name="Invariant Violation",f}}e.isRequired=e;function t(){return e}var n={array:e,bigint:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:zP,resetWarningCache:DP};return n.PropTypes=n,n};wt.exports=_J();var k5="data-focus-lock",FP="data-focus-lock-disabled",kJ="data-no-focus-lock",EJ="data-autofocus-inside",LJ="data-no-autofocus";function PJ(e,t){return typeof e=="function"?e(t):e&&(e.current=t),e}function AJ(e,t){var n=C.exports.useState(function(){return{value:e,callback:t,facade:{get current(){return n.value},set current(r){var o=n.value;o!==r&&(n.value=r,n.callback(r,o))}}}})[0];return n.callback=t,n.facade}function BP(e,t){return AJ(t||null,function(n){return e.forEach(function(r){return PJ(r,n)})})}var m2={width:"1px",height:"0px",padding:0,overflow:"hidden",position:"fixed",top:"1px",left:"1px"};function $P(e){return e}function VP(e,t){t===void 0&&(t=$P);var n=[],r=!1,o={read:function(){if(r)throw new Error("Sidecar: could not `read` from an `assigned` medium. `read` could be used only with `useMedium`.");return n.length?n[n.length-1]:e},useMedium:function(i){var s=t(i,r);return n.push(s),function(){n=n.filter(function(u){return u!==s})}},assignSyncMedium:function(i){for(r=!0;n.length;){var s=n;n=[],s.forEach(i)}n={push:function(u){return i(u)},filter:function(){return n}}},assignMedium:function(i){r=!0;var s=[];if(n.length){var u=n;n=[],u.forEach(i),s=n}var c=function(){var d=s;s=[],d.forEach(i)},f=function(){return Promise.resolve().then(c)};f(),n={push:function(d){s.push(d),f()},filter:function(d){return s=s.filter(d),n}}}};return o}function db(e,t){return t===void 0&&(t=$P),VP(e,t)}function WP(e){e===void 0&&(e={});var t=VP(null);return t.options=ei({async:!0,ssr:!1},e),t}var HP=function(e){var t=e.sideCar,n=lm(e,["sideCar"]);if(!t)throw new Error("Sidecar: please provide `sideCar` property to import the right car");var r=t.read();if(!r)throw new Error("Sidecar medium not found");return y(r,{...ei({},n)})};HP.isSideCarExport=!0;function TJ(e,t){return e.useMedium(t),HP}var jP=db({},function(e){var t=e.target,n=e.currentTarget;return{target:t,currentTarget:n}}),UP=db(),IJ=db(),MJ=WP({async:!0}),OJ=[],pb=C.exports.forwardRef(function(t,n){var r,o=C.exports.useState(),i=o[0],s=o[1],u=C.exports.useRef(),c=C.exports.useRef(!1),f=C.exports.useRef(null),d=t.children,h=t.disabled,m=t.noFocusGuards,g=t.persistentFocus,b=t.crossFrame,S=t.autoFocus;t.allowTextSelection;var E=t.group,w=t.className,x=t.whiteList,_=t.hasPositiveIndices,L=t.shards,T=L===void 0?OJ:L,R=t.as,N=R===void 0?"div":R,F=t.lockProps,K=F===void 0?{}:F,W=t.sideCar,J=t.returnFocus,ve=t.focusOptions,xe=t.onActivation,he=t.onDeactivation,fe=C.exports.useState({}),me=fe[0],ne=C.exports.useCallback(function(){f.current=f.current||document&&document.activeElement,u.current&&xe&&xe(u.current),c.current=!0},[xe]),H=C.exports.useCallback(function(){c.current=!1,he&&he(u.current)},[he]);C.exports.useEffect(function(){h||(f.current=null)},[]);var Y=C.exports.useCallback(function(Le){var de=f.current;if(de&&de.focus){var _e=typeof J=="function"?J(de):J;if(_e){var De=typeof _e=="object"?_e:void 0;f.current=null,Le?Promise.resolve().then(function(){return de.focus(De)}):de.focus(De)}}},[J]),Z=C.exports.useCallback(function(Le){c.current&&jP.useMedium(Le)},[]),M=UP.useMedium,j=C.exports.useCallback(function(Le){u.current!==Le&&(u.current=Le,s(Le))},[]),se=Mf((r={},r[FP]=h&&"disabled",r[k5]=E,r),K),ce=m!==!0,ye=ce&&m!=="tail",be=BP([n,j]);return q(wn,{children:[ce&&[y("div",{"data-focus-guard":!0,tabIndex:h?-1:0,style:m2},"guard-first"),_?y("div",{"data-focus-guard":!0,tabIndex:h?-1:1,style:m2},"guard-nearest"):null],!h&&y(W,{id:me,sideCar:MJ,observed:i,disabled:h,persistentFocus:g,crossFrame:b,autoFocus:S,whiteList:x,shards:T,onActivation:ne,onDeactivation:H,returnFocus:Y,focusOptions:ve}),y(N,{ref:be,...se,className:w,onBlur:M,onFocus:Z,children:d}),ye&&y("div",{"data-focus-guard":!0,tabIndex:h?-1:0,style:m2})]})});pb.propTypes={};pb.defaultProps={children:void 0,disabled:!1,returnFocus:!1,focusOptions:void 0,noFocusGuards:!1,autoFocus:!0,persistentFocus:!1,crossFrame:!0,hasPositiveIndices:void 0,allowTextSelection:void 0,group:void 0,className:void 0,whiteList:void 0,shards:void 0,as:"div",lockProps:{},onActivation:void 0,onDeactivation:void 0};const GP=pb;function E5(e,t){return E5=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(r,o){return r.__proto__=o,r},E5(e,t)}function RJ(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,E5(e,t)}function ZP(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function NJ(e,t){function n(r){return r.displayName||r.name||"Component"}return function(o){var i=[],s;function u(){s=e(i.map(function(f){return f.props})),t(s)}var c=function(f){RJ(d,f);function d(){return f.apply(this,arguments)||this}d.peek=function(){return s};var h=d.prototype;return h.componentDidMount=function(){i.push(this),u()},h.componentDidUpdate=function(){u()},h.componentWillUnmount=function(){var g=i.indexOf(this);i.splice(g,1),u()},h.render=function(){return y(o,{...this.props})},d}(C.exports.PureComponent);return ZP(c,"displayName","SideEffect("+n(o)+")"),c}}var vi=function(e){for(var t=Array(e.length),n=0;n<e.length;++n)t[n]=e[n];return t},L5=function(e){return Array.isArray(e)?e:[e]},DJ=function(e){if(e.nodeType!==Node.ELEMENT_NODE)return!1;var t=window.getComputedStyle(e,null);return!t||!t.getPropertyValue?!1:t.getPropertyValue("display")==="none"||t.getPropertyValue("visibility")==="hidden"},KP=function(e){return e.parentNode&&e.parentNode.nodeType===Node.DOCUMENT_FRAGMENT_NODE?e.parentNode.host:e.parentNode},qP=function(e){return e===document||e&&e.nodeType===Node.DOCUMENT_NODE},zJ=function(e,t){return!e||qP(e)||!DJ(e)&&t(KP(e))},YP=function(e,t){var n=e.get(t);if(n!==void 0)return n;var r=zJ(t,YP.bind(void 0,e));return e.set(t,r),r},FJ=function(e,t){return e&&!qP(e)?VJ(e)?t(KP(e)):!1:!0},XP=function(e,t){var n=e.get(t);if(n!==void 0)return n;var r=FJ(t,XP.bind(void 0,e));return e.set(t,r),r},QP=function(e){return e.dataset},BJ=function(e){return e.tagName==="BUTTON"},JP=function(e){return e.tagName==="INPUT"},eA=function(e){return JP(e)&&e.type==="radio"},$J=function(e){return!((JP(e)||BJ(e))&&(e.type==="hidden"||e.disabled))},VJ=function(e){var t=e.getAttribute(LJ);return![!0,"true",""].includes(t)},hb=function(e){var t;return Boolean(e&&((t=QP(e))===null||t===void 0?void 0:t.focusGuard))},i0=function(e){return!hb(e)},WJ=function(e){return Boolean(e)},HJ=function(e,t){var n=e.tabIndex-t.tabIndex,r=e.index-t.index;if(n){if(!e.tabIndex)return 1;if(!t.tabIndex)return-1}return n||r},tA=function(e,t,n){return vi(e).map(function(r,o){return{node:r,index:o,tabIndex:n&&r.tabIndex===-1?(r.dataset||{}).focusGuard?0:-1:r.tabIndex}}).filter(function(r){return!t||r.tabIndex>=0}).sort(HJ)},jJ=["button:enabled","select:enabled","textarea:enabled","input:enabled","a[href]","area[href]","summary","iframe","object","embed","audio[controls]","video[controls]","[tabindex]","[contenteditable]","[autofocus]"],mb=jJ.join(","),UJ="".concat(mb,", [data-focus-guard]"),nA=function(e,t){var n;return vi(((n=e.shadowRoot)===null||n===void 0?void 0:n.children)||e.children).reduce(function(r,o){return r.concat(o.matches(t?UJ:mb)?[o]:[],nA(o))},[])},gb=function(e,t){return e.reduce(function(n,r){return n.concat(nA(r,t),r.parentNode?vi(r.parentNode.querySelectorAll(mb)).filter(function(o){return o===r}):[])},[])},GJ=function(e){var t=e.querySelectorAll("[".concat(EJ,"]"));return vi(t).map(function(n){return gb([n])}).reduce(function(n,r){return n.concat(r)},[])},vb=function(e,t){return vi(e).filter(function(n){return YP(t,n)}).filter(function(n){return $J(n)})},x8=function(e,t){return t===void 0&&(t=new Map),vi(e).filter(function(n){return XP(t,n)})},P5=function(e,t,n){return tA(vb(gb(e,n),t),!0,n)},S8=function(e,t){return tA(vb(gb(e),t),!1)},ZJ=function(e,t){return vb(GJ(e),t)},Zf=function(e,t){return(e.shadowRoot?Zf(e.shadowRoot,t):Object.getPrototypeOf(e).contains.call(e,t))||vi(e.children).some(function(n){return Zf(n,t)})},KJ=function(e){for(var t=new Set,n=e.length,r=0;r<n;r+=1)for(var o=r+1;o<n;o+=1){var i=e[r].compareDocumentPosition(e[o]);(i&Node.DOCUMENT_POSITION_CONTAINED_BY)>0&&t.add(o),(i&Node.DOCUMENT_POSITION_CONTAINS)>0&&t.add(r)}return e.filter(function(s,u){return!t.has(u)})},rA=function(e){return e.parentNode?rA(e.parentNode):e},yb=function(e){var t=L5(e);return t.filter(Boolean).reduce(function(n,r){var o=r.getAttribute(k5);return n.push.apply(n,o?KJ(vi(rA(r).querySelectorAll("[".concat(k5,'="').concat(o,'"]:not([').concat(FP,'="disabled"])')))):[r]),n},[])},oA=function(e){return e.activeElement?e.activeElement.shadowRoot?oA(e.activeElement.shadowRoot):e.activeElement:void 0},bb=function(){return document.activeElement?document.activeElement.shadowRoot?oA(document.activeElement.shadowRoot):document.activeElement:void 0},qJ=function(e){return e===document.activeElement},YJ=function(e){return Boolean(vi(e.querySelectorAll("iframe")).some(function(t){return qJ(t)}))},iA=function(e){var t=document&&bb();return!t||t.dataset&&t.dataset.focusGuard?!1:yb(e).some(function(n){return Zf(n,t)||YJ(n)})},XJ=function(){var e=document&&bb();return e?vi(document.querySelectorAll("[".concat(kJ,"]"))).some(function(t){return Zf(t,e)}):!1},QJ=function(e,t){return t.filter(eA).filter(function(n){return n.name===e.name}).filter(function(n){return n.checked})[0]||e},xb=function(e,t){return eA(e)&&e.name?QJ(e,t):e},JJ=function(e){var t=new Set;return e.forEach(function(n){return t.add(xb(n,e))}),e.filter(function(n){return t.has(n)})},w8=function(e){return e[0]&&e.length>1?xb(e[0],e):e[0]},C8=function(e,t){return e.length>1?e.indexOf(xb(e[t],e)):t},aA="NEW_FOCUS",eee=function(e,t,n,r){var o=e.length,i=e[0],s=e[o-1],u=hb(n);if(!(n&&e.indexOf(n)>=0)){var c=n!==void 0?t.indexOf(n):-1,f=r?t.indexOf(r):c,d=r?e.indexOf(r):-1,h=c-f,m=t.indexOf(i),g=t.indexOf(s),b=JJ(t),S=n!==void 0?b.indexOf(n):-1,E=S-(r?b.indexOf(r):c),w=C8(e,0),x=C8(e,o-1);if(c===-1||d===-1)return aA;if(!h&&d>=0)return d;if(c<=m&&u&&Math.abs(h)>1)return x;if(c>=g&&u&&Math.abs(h)>1)return w;if(h&&Math.abs(E)>1)return d;if(c<=m)return x;if(c>g)return w;if(h)return Math.abs(h)>1?d:(o+d+h)%o}},A5=function(e,t){return t===void 0&&(t=[]),t.push(e),e.parentNode&&A5(e.parentNode.host||e.parentNode,t),t},g2=function(e,t){for(var n=A5(e),r=A5(t),o=0;o<n.length;o+=1){var i=n[o];if(r.indexOf(i)>=0)return i}return!1},sA=function(e,t,n){var r=L5(e),o=L5(t),i=r[0],s=!1;return o.filter(Boolean).forEach(function(u){s=g2(s||u,u)||s,n.filter(Boolean).forEach(function(c){var f=g2(i,c);f&&(!s||Zf(f,s)?s=f:s=g2(f,s))})}),s},tee=function(e,t){return e.reduce(function(n,r){return n.concat(ZJ(r,t))},[])},nee=function(e){return function(t){var n;return t.autofocus||!!(!((n=QP(t))===null||n===void 0)&&n.autofocus)||e.indexOf(t)>=0}},ree=function(e,t){var n=new Map;return t.forEach(function(r){return n.set(r.node,r)}),e.map(function(r){return n.get(r)}).filter(WJ)},oee=function(e,t){var n=document&&bb(),r=yb(e).filter(i0),o=sA(n||e,e,r),i=new Map,s=S8(r,i),u=P5(r,i).filter(function(g){var b=g.node;return i0(b)});if(!(!u[0]&&(u=s,!u[0]))){var c=S8([o],i).map(function(g){var b=g.node;return b}),f=ree(c,u),d=f.map(function(g){var b=g.node;return b}),h=eee(d,c,n,t);if(h===aA){var m=x8(s.map(function(g){var b=g.node;return b})).filter(nee(tee(r,i)));return{node:m&&m.length?w8(m):w8(x8(d))}}return h===void 0?h:f[h]}},iee=function(e){var t=yb(e).filter(i0),n=sA(e,e,t),r=new Map,o=P5([n],r,!0),i=P5(t,r).filter(function(s){var u=s.node;return i0(u)}).map(function(s){var u=s.node;return u});return o.map(function(s){var u=s.node,c=s.index;return{node:u,index:c,lockItem:i.indexOf(u)>=0,guard:hb(u)}})},aee=function(e,t){"focus"in e&&e.focus(t),"contentWindow"in e&&e.contentWindow&&e.contentWindow.focus()},v2=0,y2=!1,see=function(e,t,n){n===void 0&&(n={});var r=oee(e,t);if(!y2&&r){if(v2>2){console.error("FocusLock: focus-fighting detected. Only one focus management system could be active. See https://github.com/theKashey/focus-lock/#focus-fighting"),y2=!0,setTimeout(function(){y2=!1},1);return}v2++,aee(r.node,n.focusOptions),v2--}};const lA=see;function uA(e){var t=window,n=t.setImmediate;typeof n<"u"?n(e):setTimeout(e,1)}var lee=function(){return document&&document.activeElement===document.body},uee=function(){return lee()||XJ()},iu=null,Kl=null,au=null,Kf=!1,cee=function(){return!0},fee=function(t){return(iu.whiteList||cee)(t)},dee=function(t,n){au={observerNode:t,portaledElement:n}},pee=function(t){return au&&au.portaledElement===t};function _8(e,t,n,r){var o=null,i=e;do{var s=r[i];if(s.guard)s.node.dataset.focusAutoGuard&&(o=s);else if(s.lockItem){if(i!==e)return;o=null}else break}while((i+=n)!==t);o&&(o.node.tabIndex=0)}var hee=function(t){return t&&"current"in t?t.current:t},mee=function(t){return t?Boolean(Kf):Kf==="meanwhile"},gee=function e(t,n,r){return n&&(n.host===t&&(!n.activeElement||r.contains(n.activeElement))||n.parentNode&&e(t,n.parentNode,r))},vee=function(t,n){return n.some(function(r){return gee(t,r,r)})},a0=function(){var t=!1;if(iu){var n=iu,r=n.observed,o=n.persistentFocus,i=n.autoFocus,s=n.shards,u=n.crossFrame,c=n.focusOptions,f=r||au&&au.portaledElement,d=document&&document.activeElement;if(f){var h=[f].concat(s.map(hee).filter(Boolean));if((!d||fee(d))&&(o||mee(u)||!uee()||!Kl&&i)&&(f&&!(iA(h)||d&&vee(d,h)||pee(d))&&(document&&!Kl&&d&&!i?(d.blur&&d.blur(),document.body.focus()):(t=lA(h,Kl,{focusOptions:c}),au={})),Kf=!1,Kl=document&&document.activeElement),document){var m=document&&document.activeElement,g=iee(h),b=g.map(function(S){var E=S.node;return E}).indexOf(m);b>-1&&(g.filter(function(S){var E=S.guard,w=S.node;return E&&w.dataset.focusAutoGuard}).forEach(function(S){var E=S.node;return E.removeAttribute("tabIndex")}),_8(b,g.length,1,g),_8(b,-1,-1,g))}}}return t},cA=function(t){a0()&&t&&(t.stopPropagation(),t.preventDefault())},Sb=function(){return uA(a0)},yee=function(t){var n=t.target,r=t.currentTarget;r.contains(n)||dee(r,n)},bee=function(){return null},fA=function(){Kf="just",setTimeout(function(){Kf="meanwhile"},0)},xee=function(){document.addEventListener("focusin",cA),document.addEventListener("focusout",Sb),window.addEventListener("blur",fA)},See=function(){document.removeEventListener("focusin",cA),document.removeEventListener("focusout",Sb),window.removeEventListener("blur",fA)};function wee(e){return e.filter(function(t){var n=t.disabled;return!n})}function Cee(e){var t=e.slice(-1)[0];t&&!iu&&xee();var n=iu,r=n&&t&&t.id===n.id;iu=t,n&&!r&&(n.onDeactivation(),e.filter(function(o){var i=o.id;return i===n.id}).length||n.returnFocus(!t)),t?(Kl=null,(!r||n.observed!==t.observed)&&t.onActivation(),a0(),uA(a0)):(See(),Kl=null)}jP.assignSyncMedium(yee);UP.assignMedium(Sb);IJ.assignMedium(function(e){return e({moveFocusInside:lA,focusInside:iA})});const _ee=NJ(wee,Cee)(bee);var dA=C.exports.forwardRef(function(t,n){return y(GP,{sideCar:_ee,ref:n,...t})}),pA=GP.propTypes||{};pA.sideCar;xJ(pA,["sideCar"]);dA.propTypes={};const kee=dA;var hA=e=>{const{initialFocusRef:t,finalFocusRef:n,contentRef:r,restoreFocus:o,children:i,isDisabled:s,autoFocus:u,persistentFocus:c,lockFocusAcrossFrames:f}=e,d=C.exports.useCallback(()=>{t?.current?t.current.focus():r?.current&&HX(r.current).length===0&&requestAnimationFrame(()=>{var b;(b=r.current)==null||b.focus()})},[t,r]),h=C.exports.useCallback(()=>{var g;(g=n?.current)==null||g.focus()},[n]);return y(kee,{crossFrame:f,persistentFocus:c,autoFocus:u,disabled:s,onActivation:d,onDeactivation:h,returnFocus:o&&!n,children:i})};hA.displayName="FocusLock";var e1="right-scroll-bar-position",t1="width-before-scroll-bar",Eee="with-scroll-bars-hidden",Lee="--removed-body-scroll-bar-size",mA=WP(),b2=function(){},_m=C.exports.forwardRef(function(e,t){var n=C.exports.useRef(null),r=C.exports.useState({onScrollCapture:b2,onWheelCapture:b2,onTouchMoveCapture:b2}),o=r[0],i=r[1],s=e.forwardProps,u=e.children,c=e.className,f=e.removeScrollBar,d=e.enabled,h=e.shards,m=e.sideCar,g=e.noIsolation,b=e.inert,S=e.allowPinchZoom,E=e.as,w=E===void 0?"div":E,x=lm(e,["forwardProps","children","className","removeScrollBar","enabled","shards","sideCar","noIsolation","inert","allowPinchZoom","as"]),_=m,L=BP([n,t]),T=ei(ei({},x),o);return q(wn,{children:[d&&y(_,{sideCar:mA,removeScrollBar:f,shards:h,noIsolation:g,inert:b,setCallbacks:i,allowPinchZoom:!!S,lockRef:n}),s?C.exports.cloneElement(C.exports.Children.only(u),ei(ei({},T),{ref:L})):y(w,{...ei({},T,{className:c,ref:L}),children:u})]})});_m.defaultProps={enabled:!0,removeScrollBar:!0,inert:!1};_m.classNames={fullWidth:t1,zeroRight:e1};var Pee=function(){if(typeof __webpack_nonce__<"u")return __webpack_nonce__};function Aee(){if(!document)return null;var e=document.createElement("style");e.type="text/css";var t=Pee();return t&&e.setAttribute("nonce",t),e}function Tee(e,t){e.styleSheet?e.styleSheet.cssText=t:e.appendChild(document.createTextNode(t))}function Iee(e){var t=document.head||document.getElementsByTagName("head")[0];t.appendChild(e)}var Mee=function(){var e=0,t=null;return{add:function(n){e==0&&(t=Aee())&&(Tee(t,n),Iee(t)),e++},remove:function(){e--,!e&&t&&(t.parentNode&&t.parentNode.removeChild(t),t=null)}}},Oee=function(){var e=Mee();return function(t,n){C.exports.useEffect(function(){return e.add(t),function(){e.remove()}},[t&&n])}},gA=function(){var e=Oee(),t=function(n){var r=n.styles,o=n.dynamic;return e(r,o),null};return t},Ree={left:0,top:0,right:0,gap:0},x2=function(e){return parseInt(e||"",10)||0},Nee=function(e){var t=window.getComputedStyle(document.body),n=t[e==="padding"?"paddingLeft":"marginLeft"],r=t[e==="padding"?"paddingTop":"marginTop"],o=t[e==="padding"?"paddingRight":"marginRight"];return[x2(n),x2(r),x2(o)]},Dee=function(e){if(e===void 0&&(e="margin"),typeof window>"u")return Ree;var t=Nee(e),n=document.documentElement.clientWidth,r=window.innerWidth;return{left:t[0],top:t[1],right:t[2],gap:Math.max(0,r-n+t[2]-t[0])}},zee=gA(),Fee=function(e,t,n,r){var o=e.left,i=e.top,s=e.right,u=e.gap;return n===void 0&&(n="margin"),` + .`.concat(Eee,` { + overflow: hidden `).concat(r,`; + padding-right: `).concat(u,"px ").concat(r,`; + } + body { + overflow: hidden `).concat(r,`; + overscroll-behavior: contain; + `).concat([t&&"position: relative ".concat(r,";"),n==="margin"&&` + padding-left: `.concat(o,`px; + padding-top: `).concat(i,`px; + padding-right: `).concat(s,`px; + margin-left:0; + margin-top:0; + margin-right: `).concat(u,"px ").concat(r,`; + `),n==="padding"&&"padding-right: ".concat(u,"px ").concat(r,";")].filter(Boolean).join(""),` + } + + .`).concat(e1,` { + right: `).concat(u,"px ").concat(r,`; + } + + .`).concat(t1,` { + margin-right: `).concat(u,"px ").concat(r,`; + } + + .`).concat(e1," .").concat(e1,` { + right: 0 `).concat(r,`; + } + + .`).concat(t1," .").concat(t1,` { + margin-right: 0 `).concat(r,`; + } + + body { + `).concat(Lee,": ").concat(u,`px; + } +`)},Bee=function(e){var t=e.noRelative,n=e.noImportant,r=e.gapMode,o=r===void 0?"margin":r,i=C.exports.useMemo(function(){return Dee(o)},[o]);return y(zee,{styles:Fee(i,!t,o,n?"":"!important")})},T5=!1;if(typeof window<"u")try{var gh=Object.defineProperty({},"passive",{get:function(){return T5=!0,!0}});window.addEventListener("test",gh,gh),window.removeEventListener("test",gh,gh)}catch{T5=!1}var kl=T5?{passive:!1}:!1,$ee=function(e){return e.tagName==="TEXTAREA"},vA=function(e,t){var n=window.getComputedStyle(e);return n[t]!=="hidden"&&!(n.overflowY===n.overflowX&&!$ee(e)&&n[t]==="visible")},Vee=function(e){return vA(e,"overflowY")},Wee=function(e){return vA(e,"overflowX")},k8=function(e,t){var n=t;do{typeof ShadowRoot<"u"&&n instanceof ShadowRoot&&(n=n.host);var r=yA(e,n);if(r){var o=bA(e,n),i=o[1],s=o[2];if(i>s)return!0}n=n.parentNode}while(n&&n!==document.body);return!1},Hee=function(e){var t=e.scrollTop,n=e.scrollHeight,r=e.clientHeight;return[t,n,r]},jee=function(e){var t=e.scrollLeft,n=e.scrollWidth,r=e.clientWidth;return[t,n,r]},yA=function(e,t){return e==="v"?Vee(t):Wee(t)},bA=function(e,t){return e==="v"?Hee(t):jee(t)},Uee=function(e,t){return e==="h"&&t==="rtl"?-1:1},Gee=function(e,t,n,r,o){var i=Uee(e,window.getComputedStyle(t).direction),s=i*r,u=n.target,c=t.contains(u),f=!1,d=s>0,h=0,m=0;do{var g=bA(e,u),b=g[0],S=g[1],E=g[2],w=S-E-i*b;(b||w)&&yA(e,u)&&(h+=w,m+=b),u=u.parentNode}while(!c&&u!==document.body||c&&(t.contains(u)||t===u));return(d&&(o&&h===0||!o&&s>h)||!d&&(o&&m===0||!o&&-s>m))&&(f=!0),f},vh=function(e){return"changedTouches"in e?[e.changedTouches[0].clientX,e.changedTouches[0].clientY]:[0,0]},E8=function(e){return[e.deltaX,e.deltaY]},L8=function(e){return e&&"current"in e?e.current:e},Zee=function(e,t){return e[0]===t[0]&&e[1]===t[1]},Kee=function(e){return` + .block-interactivity-`.concat(e,` {pointer-events: none;} + .allow-interactivity-`).concat(e,` {pointer-events: all;} +`)},qee=0,El=[];function Yee(e){var t=C.exports.useRef([]),n=C.exports.useRef([0,0]),r=C.exports.useRef(),o=C.exports.useState(qee++)[0],i=C.exports.useState(function(){return gA()})[0],s=C.exports.useRef(e);C.exports.useEffect(function(){s.current=e},[e]),C.exports.useEffect(function(){if(e.inert){document.body.classList.add("block-interactivity-".concat(o));var S=Jy([e.lockRef.current],(e.shards||[]).map(L8),!0).filter(Boolean);return S.forEach(function(E){return E.classList.add("allow-interactivity-".concat(o))}),function(){document.body.classList.remove("block-interactivity-".concat(o)),S.forEach(function(E){return E.classList.remove("allow-interactivity-".concat(o))})}}},[e.inert,e.lockRef.current,e.shards]);var u=C.exports.useCallback(function(S,E){if("touches"in S&&S.touches.length===2)return!s.current.allowPinchZoom;var w=vh(S),x=n.current,_="deltaX"in S?S.deltaX:x[0]-w[0],L="deltaY"in S?S.deltaY:x[1]-w[1],T,R=S.target,N=Math.abs(_)>Math.abs(L)?"h":"v";if("touches"in S&&N==="h"&&R.type==="range")return!1;var F=k8(N,R);if(!F)return!0;if(F?T=N:(T=N==="v"?"h":"v",F=k8(N,R)),!F)return!1;if(!r.current&&"changedTouches"in S&&(_||L)&&(r.current=T),!T)return!0;var K=r.current||T;return Gee(K,E,S,K==="h"?_:L,!0)},[]),c=C.exports.useCallback(function(S){var E=S;if(!(!El.length||El[El.length-1]!==i)){var w="deltaY"in E?E8(E):vh(E),x=t.current.filter(function(T){return T.name===E.type&&T.target===E.target&&Zee(T.delta,w)})[0];if(x&&x.should){E.cancelable&&E.preventDefault();return}if(!x){var _=(s.current.shards||[]).map(L8).filter(Boolean).filter(function(T){return T.contains(E.target)}),L=_.length>0?u(E,_[0]):!s.current.noIsolation;L&&E.cancelable&&E.preventDefault()}}},[]),f=C.exports.useCallback(function(S,E,w,x){var _={name:S,delta:E,target:w,should:x};t.current.push(_),setTimeout(function(){t.current=t.current.filter(function(L){return L!==_})},1)},[]),d=C.exports.useCallback(function(S){n.current=vh(S),r.current=void 0},[]),h=C.exports.useCallback(function(S){f(S.type,E8(S),S.target,u(S,e.lockRef.current))},[]),m=C.exports.useCallback(function(S){f(S.type,vh(S),S.target,u(S,e.lockRef.current))},[]);C.exports.useEffect(function(){return El.push(i),e.setCallbacks({onScrollCapture:h,onWheelCapture:h,onTouchMoveCapture:m}),document.addEventListener("wheel",c,kl),document.addEventListener("touchmove",c,kl),document.addEventListener("touchstart",d,kl),function(){El=El.filter(function(S){return S!==i}),document.removeEventListener("wheel",c,kl),document.removeEventListener("touchmove",c,kl),document.removeEventListener("touchstart",d,kl)}},[]);var g=e.removeScrollBar,b=e.inert;return q(wn,{children:[b?y(i,{styles:Kee(o)}):null,g?y(Bee,{gapMode:"margin"}):null]})}const Xee=TJ(mA,Yee);var xA=C.exports.forwardRef(function(e,t){return y(_m,{...ei({},e,{ref:t,sideCar:Xee})})});xA.classNames=_m.classNames;const Qee=xA;var Zs=(...e)=>e.filter(Boolean).join(" ");function Fc(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var Jee=class{modals;constructor(){this.modals=[]}add(e){this.modals.push(e)}remove(e){this.modals=this.modals.filter(t=>t!==e)}isTopModal(e){return this.modals[this.modals.length-1]===e}},I5=new Jee;function ete(e,t){C.exports.useEffect(()=>(t&&I5.add(e),()=>{I5.remove(e)}),[t,e])}function tte(e){const{isOpen:t,onClose:n,id:r,closeOnOverlayClick:o=!0,closeOnEsc:i=!0,useInert:s=!0,onOverlayClick:u,onEsc:c}=e,f=C.exports.useRef(null),d=C.exports.useRef(null),[h,m,g]=rte(r,"chakra-modal","chakra-modal--header","chakra-modal--body");nte(f,t&&s),ete(f,t);const b=C.exports.useRef(null),S=C.exports.useCallback(F=>{b.current=F.target},[]),E=C.exports.useCallback(F=>{F.key==="Escape"&&(F.stopPropagation(),i&&n?.(),c?.())},[i,n,c]),[w,x]=C.exports.useState(!1),[_,L]=C.exports.useState(!1),T=C.exports.useCallback((F={},K=null)=>({role:"dialog",...F,ref:qt(K,f),id:h,tabIndex:-1,"aria-modal":!0,"aria-labelledby":w?m:void 0,"aria-describedby":_?g:void 0,onClick:Fc(F.onClick,W=>W.stopPropagation())}),[g,_,h,m,w]),R=C.exports.useCallback(F=>{F.stopPropagation(),b.current===F.target&&(!I5.isTopModal(f)||(o&&n?.(),u?.()))},[n,o,u]),N=C.exports.useCallback((F={},K=null)=>({...F,ref:qt(K,d),onClick:Fc(F.onClick,R),onKeyDown:Fc(F.onKeyDown,E),onMouseDown:Fc(F.onMouseDown,S)}),[E,S,R]);return{isOpen:t,onClose:n,headerId:m,bodyId:g,setBodyMounted:L,setHeaderMounted:x,dialogRef:f,overlayRef:d,getDialogProps:T,getDialogContainerProps:N}}function nte(e,t){const n=e.current;C.exports.useEffect(()=>{if(!(!e.current||!t))return bJ(e.current)},[t,e,n])}function rte(e,...t){const n=C.exports.useId(),r=e||n;return C.exports.useMemo(()=>t.map(o=>`${o}-${r}`),[r,t])}var[ote,Ks]=At({name:"ModalStylesContext",errorMessage:`useModalStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Modal />" `}),[ite,Ga]=At({strict:!0,name:"ModalContext",errorMessage:"useModalContext: `context` is undefined. Seems you forgot to wrap modal components in `<Modal />`"}),_u=e=>{const{portalProps:t,children:n,autoFocus:r,trapFocus:o,initialFocusRef:i,finalFocusRef:s,returnFocusOnClose:u,blockScrollOnMount:c,allowPinchZoom:f,preserveScrollBarGap:d,motionPreset:h,lockFocusAcrossFrames:m,onCloseComplete:g}=e,b=ur("Modal",e),E={...tte(e),autoFocus:r,trapFocus:o,initialFocusRef:i,finalFocusRef:s,returnFocusOnClose:u,blockScrollOnMount:c,allowPinchZoom:f,preserveScrollBarGap:d,motionPreset:h,lockFocusAcrossFrames:m};return y(ite,{value:E,children:y(ote,{value:b,children:y(ea,{onExitComplete:g,children:E.isOpen&&y(Gs,{...t,children:n})})})})};_u.defaultProps={lockFocusAcrossFrames:!0,returnFocusOnClose:!0,scrollBehavior:"outside",trapFocus:!0,autoFocus:!0,blockScrollOnMount:!0,allowPinchZoom:!1,motionPreset:"scale"};_u.displayName="Modal";var s0=ue((e,t)=>{const{className:n,...r}=e,{bodyId:o,setBodyMounted:i}=Ga();C.exports.useEffect(()=>(i(!0),()=>i(!1)),[i]);const s=Zs("chakra-modal__body",n),u=Ks();return Q.createElement(oe.div,{ref:t,className:s,id:o,...r,__css:u.body})});s0.displayName="ModalBody";var wb=ue((e,t)=>{const{onClick:n,className:r,...o}=e,{onClose:i}=Ga(),s=Zs("chakra-modal__close-btn",r),u=Ks();return y(Sm,{ref:t,__css:u.closeButton,className:s,onClick:Fc(n,c=>{c.stopPropagation(),i()}),...o})});wb.displayName="ModalCloseButton";function SA(e){const{autoFocus:t,trapFocus:n,dialogRef:r,initialFocusRef:o,blockScrollOnMount:i,allowPinchZoom:s,finalFocusRef:u,returnFocusOnClose:c,preserveScrollBarGap:f,lockFocusAcrossFrames:d}=Ga(),[h,m]=D3();return C.exports.useEffect(()=>{!h&&m&&setTimeout(m)},[h,m]),y(hA,{autoFocus:t,isDisabled:!n,initialFocusRef:o,finalFocusRef:u,restoreFocus:c,contentRef:r,lockFocusAcrossFrames:d,children:y(Qee,{removeScrollBar:!f,allowPinchZoom:s,enabled:i,forwardProps:!0,children:e.children})})}var ate={slideInBottom:{...g5,custom:{offsetY:16,reverse:!0}},slideInRight:{...g5,custom:{offsetX:16,reverse:!0}},scale:{...zL,custom:{initialScale:.95,reverse:!0}},none:{}},ste=oe(ho.section),wA=C.exports.forwardRef((e,t)=>{const{preset:n,...r}=e,o=ate[n];return y(ste,{ref:t,...o,...r})});wA.displayName="ModalTransition";var qf=ue((e,t)=>{const{className:n,children:r,containerProps:o,...i}=e,{getDialogProps:s,getDialogContainerProps:u}=Ga(),c=s(i,t),f=u(o),d=Zs("chakra-modal__content",n),h=Ks(),m={display:"flex",flexDirection:"column",position:"relative",width:"100%",outline:0,...h.dialog},g={display:"flex",width:"100vw",height:"100vh","@supports(height: -webkit-fill-available)":{height:"-webkit-fill-available"},position:"fixed",left:0,top:0,...h.dialogContainer},{motionPreset:b}=Ga();return Q.createElement(SA,null,Q.createElement(oe.div,{...f,className:"chakra-modal__content-container",tabIndex:-1,__css:g},y(wA,{preset:b,className:d,...c,__css:m,children:r})))});qf.displayName="ModalContent";var Cb=ue((e,t)=>{const{className:n,...r}=e,o=Zs("chakra-modal__footer",n),i=Ks(),s={display:"flex",alignItems:"center",justifyContent:"flex-end",...i.footer};return Q.createElement(oe.footer,{ref:t,...r,__css:s,className:o})});Cb.displayName="ModalFooter";var _b=ue((e,t)=>{const{className:n,...r}=e,{headerId:o,setHeaderMounted:i}=Ga();C.exports.useEffect(()=>(i(!0),()=>i(!1)),[i]);const s=Zs("chakra-modal__header",n),u=Ks(),c={flex:0,...u.header};return Q.createElement(oe.header,{ref:t,className:s,id:o,...r,__css:c})});_b.displayName="ModalHeader";var lte=oe(ho.div),Yf=ue((e,t)=>{const{className:n,transition:r,...o}=e,i=Zs("chakra-modal__overlay",n),s=Ks(),u={pos:"fixed",left:"0",top:"0",w:"100vw",h:"100vh",...s.overlay},{motionPreset:c}=Ga();return y(lte,{...c==="none"?{}:DL,__css:u,ref:t,className:i,...o})});Yf.displayName="ModalOverlay";function ute(e){const{leastDestructiveRef:t,...n}=e;return y(_u,{...n,initialFocusRef:t})}var cte=ue((e,t)=>y(qf,{ref:t,role:"alertdialog",...e})),[c0e,fte]=At(),dte=oe(FL),pte=ue((e,t)=>{const{className:n,children:r,...o}=e,{getDialogProps:i,getDialogContainerProps:s,isOpen:u}=Ga(),c=i(o,t),f=s(),d=Zs("chakra-modal__content",n),h=Ks(),m={display:"flex",flexDirection:"column",position:"relative",width:"100%",outline:0,...h.dialog},g={display:"flex",width:"100vw",height:"100vh",position:"fixed",left:0,top:0,...h.dialogContainer},{placement:b}=fte();return Q.createElement(oe.div,{...f,className:"chakra-modal__content-container",__css:g},y(SA,{children:y(dte,{direction:b,in:u,className:d,...c,__css:m,children:r})}))});pte.displayName="DrawerContent";function hte(e,t){const n=Un(e);C.exports.useEffect(()=>{let r=null;const o=()=>n();return t!==null&&(r=window.setInterval(o,t)),()=>{r&&window.clearInterval(r)}},[t,n])}var CA=(...e)=>e.filter(Boolean).join(" "),S2=e=>e?!0:void 0;function jo(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var mte=e=>y(Gr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M21,5H3C2.621,5,2.275,5.214,2.105,5.553C1.937,5.892,1.973,6.297,2.2,6.6l9,12 c0.188,0.252,0.485,0.4,0.8,0.4s0.611-0.148,0.8-0.4l9-12c0.228-0.303,0.264-0.708,0.095-1.047C21.725,5.214,21.379,5,21,5z"})}),gte=e=>y(Gr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M12.8,5.4c-0.377-0.504-1.223-0.504-1.6,0l-9,12c-0.228,0.303-0.264,0.708-0.095,1.047 C2.275,18.786,2.621,19,3,19h18c0.379,0,0.725-0.214,0.895-0.553c0.169-0.339,0.133-0.744-0.095-1.047L12.8,5.4z"})});function P8(e,t,n,r){C.exports.useEffect(()=>{if(!e.current||!r)return;const o=e.current.ownerDocument.defaultView??window,i=Array.isArray(t)?t:[t],s=new o.MutationObserver(u=>{for(const c of u)c.type==="attributes"&&c.attributeName&&i.includes(c.attributeName)&&n(c)});return s.observe(e.current,{attributes:!0,attributeFilter:i}),()=>s.disconnect()})}var vte=50,A8=300;function yte(e,t){const[n,r]=C.exports.useState(!1),[o,i]=C.exports.useState(null),[s,u]=C.exports.useState(!0),c=C.exports.useRef(null),f=()=>clearTimeout(c.current);hte(()=>{o==="increment"&&e(),o==="decrement"&&t()},n?vte:null);const d=C.exports.useCallback(()=>{s&&e(),c.current=setTimeout(()=>{u(!1),r(!0),i("increment")},A8)},[e,s]),h=C.exports.useCallback(()=>{s&&t(),c.current=setTimeout(()=>{u(!1),r(!0),i("decrement")},A8)},[t,s]),m=C.exports.useCallback(()=>{u(!0),r(!1),f()},[]);return C.exports.useEffect(()=>()=>f(),[]),{up:d,down:h,stop:m,isSpinning:n}}var bte=/^[Ee0-9+\-.]$/;function xte(e){return bte.test(e)}function Ste(e,t){if(e.key==null)return!0;const n=e.ctrlKey||e.altKey||e.metaKey;return!(e.key.length===1)||n?!0:t(e.key)}function wte(e={}){const{focusInputOnChange:t=!0,clampValueOnBlur:n=!0,keepWithinRange:r=!0,min:o=Number.MIN_SAFE_INTEGER,max:i=Number.MAX_SAFE_INTEGER,step:s=1,isReadOnly:u,isDisabled:c,isRequired:f,isInvalid:d,pattern:h="[0-9]*(.[0-9]+)?",inputMode:m="decimal",allowMouseWheel:g,id:b,onChange:S,precision:E,name:w,"aria-describedby":x,"aria-label":_,"aria-labelledby":L,onFocus:T,onBlur:R,onInvalid:N,getAriaValueText:F,isValidCharacter:K,format:W,parse:J,...ve}=e,xe=Un(T),he=Un(R),fe=Un(N),me=Un(K??xte),ne=Un(F),H=FY(e),{update:Y,increment:Z,decrement:M}=H,[j,se]=C.exports.useState(!1),ce=!(u||c),ye=C.exports.useRef(null),be=C.exports.useRef(null),Le=C.exports.useRef(null),de=C.exports.useRef(null),_e=C.exports.useCallback(ie=>ie.split("").filter(me).join(""),[me]),De=C.exports.useCallback(ie=>J?.(ie)??ie,[J]),st=C.exports.useCallback(ie=>(W?.(ie)??ie).toString(),[W]);n0(()=>{(H.valueAsNumber>i||H.valueAsNumber<o)&&fe?.("rangeOverflow",st(H.value),H.valueAsNumber)},[H.valueAsNumber,H.value,st,fe]),ii(()=>{if(!ye.current)return;if(ye.current.value!=H.value){const Ge=De(ye.current.value);H.setValue(_e(Ge))}},[De,_e]);const Tt=C.exports.useCallback((ie=s)=>{ce&&Z(ie)},[Z,ce,s]),gn=C.exports.useCallback((ie=s)=>{ce&&M(ie)},[M,ce,s]),Se=yte(Tt,gn);P8(Le,"disabled",Se.stop,Se.isSpinning),P8(de,"disabled",Se.stop,Se.isSpinning);const Ie=C.exports.useCallback(ie=>{if(ie.nativeEvent.isComposing)return;const Et=De(ie.currentTarget.value);Y(_e(Et)),be.current={start:ie.currentTarget.selectionStart,end:ie.currentTarget.selectionEnd}},[Y,_e,De]),tt=C.exports.useCallback(ie=>{var Ge;xe?.(ie),be.current&&(ie.target.selectionStart=be.current.start??((Ge=ie.currentTarget.value)==null?void 0:Ge.length),ie.currentTarget.selectionEnd=be.current.end??ie.currentTarget.selectionStart)},[xe]),ze=C.exports.useCallback(ie=>{if(ie.nativeEvent.isComposing)return;Ste(ie,me)||ie.preventDefault();const Ge=$t(ie)*s,Et=ie.key,zn={ArrowUp:()=>Tt(Ge),ArrowDown:()=>gn(Ge),Home:()=>Y(o),End:()=>Y(i)}[Et];zn&&(ie.preventDefault(),zn(ie))},[me,s,Tt,gn,Y,o,i]),$t=ie=>{let Ge=1;return(ie.metaKey||ie.ctrlKey)&&(Ge=.1),ie.shiftKey&&(Ge=10),Ge},vn=C.exports.useMemo(()=>{const ie=ne?.(H.value);if(ie!=null)return ie;const Ge=H.value.toString();return Ge||void 0},[H.value,ne]),lt=C.exports.useCallback(()=>{let ie=H.value;ie!==""&&(H.valueAsNumber<o&&(ie=o),H.valueAsNumber>i&&(ie=i),H.cast(ie))},[H,i,o]),Ct=C.exports.useCallback(()=>{se(!1),n&<()},[n,se,lt]),Qt=C.exports.useCallback(()=>{t&&requestAnimationFrame(()=>{var ie;(ie=ye.current)==null||ie.focus()})},[t]),Gt=C.exports.useCallback(ie=>{ie.preventDefault(),Se.up(),Qt()},[Qt,Se]),pe=C.exports.useCallback(ie=>{ie.preventDefault(),Se.down(),Qt()},[Qt,Se]);x5(()=>ye.current,"wheel",ie=>{var Ge;const kn=(((Ge=ye.current)==null?void 0:Ge.ownerDocument)??document).activeElement===ye.current;if(!g||!kn)return;ie.preventDefault();const zn=$t(ie)*s,kr=Math.sign(ie.deltaY);kr===-1?Tt(zn):kr===1&&gn(zn)},{passive:!1});const Ee=C.exports.useCallback((ie={},Ge=null)=>{const Et=c||r&&H.isAtMax;return{...ie,ref:qt(Ge,Le),role:"button",tabIndex:-1,onPointerDown:jo(ie.onPointerDown,kn=>{Et||Gt(kn)}),onPointerLeave:jo(ie.onPointerLeave,Se.stop),onPointerUp:jo(ie.onPointerUp,Se.stop),disabled:Et,"aria-disabled":S2(Et)}},[H.isAtMax,r,Gt,Se.stop,c]),pt=C.exports.useCallback((ie={},Ge=null)=>{const Et=c||r&&H.isAtMin;return{...ie,ref:qt(Ge,de),role:"button",tabIndex:-1,onPointerDown:jo(ie.onPointerDown,kn=>{Et||pe(kn)}),onPointerLeave:jo(ie.onPointerLeave,Se.stop),onPointerUp:jo(ie.onPointerUp,Se.stop),disabled:Et,"aria-disabled":S2(Et)}},[H.isAtMin,r,pe,Se.stop,c]),ut=C.exports.useCallback((ie={},Ge=null)=>({name:w,inputMode:m,type:"text",pattern:h,"aria-labelledby":L,"aria-label":_,"aria-describedby":x,id:b,disabled:c,...ie,readOnly:ie.readOnly??u,"aria-readonly":ie.readOnly??u,"aria-required":ie.required??f,required:ie.required??f,ref:qt(ye,Ge),value:st(H.value),role:"spinbutton","aria-valuemin":o,"aria-valuemax":i,"aria-valuenow":Number.isNaN(H.valueAsNumber)?void 0:H.valueAsNumber,"aria-invalid":S2(d??H.isOutOfRange),"aria-valuetext":vn,autoComplete:"off",autoCorrect:"off",onChange:jo(ie.onChange,Ie),onKeyDown:jo(ie.onKeyDown,ze),onFocus:jo(ie.onFocus,tt,()=>se(!0)),onBlur:jo(ie.onBlur,he,Ct)}),[w,m,h,L,_,st,x,b,c,f,u,d,H.value,H.valueAsNumber,H.isOutOfRange,o,i,vn,Ie,ze,tt,he,Ct]);return{value:st(H.value),valueAsNumber:H.valueAsNumber,isFocused:j,isDisabled:c,isReadOnly:u,getIncrementButtonProps:Ee,getDecrementButtonProps:pt,getInputProps:ut,htmlProps:ve}}var[Cte,km]=At({name:"NumberInputStylesContext",errorMessage:`useNumberInputStyles returned is 'undefined'. Seems you forgot to wrap the components in "<NumberInput />" `}),[_te,kb]=At({name:"NumberInputContext",errorMessage:"useNumberInputContext: `context` is undefined. Seems you forgot to wrap number-input's components within <NumberInput />"}),_A=ue(function(t,n){const r=ur("NumberInput",t),o=yt(t),i=K3(o),{htmlProps:s,...u}=wte(i),c=C.exports.useMemo(()=>u,[u]);return Q.createElement(_te,{value:c},Q.createElement(Cte,{value:r},Q.createElement(oe.div,{...s,ref:n,className:CA("chakra-numberinput",t.className),__css:{position:"relative",zIndex:0,...r.root}})))});_A.displayName="NumberInput";var kte=ue(function(t,n){const r=km();return Q.createElement(oe.div,{"aria-hidden":!0,ref:n,...t,__css:{display:"flex",flexDirection:"column",position:"absolute",top:"0",insetEnd:"0px",margin:"1px",height:"calc(100% - 2px)",zIndex:1,...r.stepperGroup}})});kte.displayName="NumberInputStepper";var kA=ue(function(t,n){const{getInputProps:r}=kb(),o=r(t,n),i=km();return Q.createElement(oe.input,{...o,className:CA("chakra-numberinput__field",t.className),__css:{width:"100%",...i.field}})});kA.displayName="NumberInputField";var EA=oe("div",{baseStyle:{display:"flex",justifyContent:"center",alignItems:"center",flex:1,transitionProperty:"common",transitionDuration:"normal",userSelect:"none",cursor:"pointer",lineHeight:"normal"}}),LA=ue(function(t,n){const r=km(),{getDecrementButtonProps:o}=kb(),i=o(t,n);return y(EA,{...i,__css:r.stepper,children:t.children??y(mte,{})})});LA.displayName="NumberDecrementStepper";var PA=ue(function(t,n){const{getIncrementButtonProps:r}=kb(),o=r(t,n),i=km();return y(EA,{...o,__css:i.stepper,children:t.children??y(gte,{})})});PA.displayName="NumberIncrementStepper";var Cd=(...e)=>e.filter(Boolean).join(" ");function Ete(e,...t){return Lte(e)?e(...t):e}var Lte=e=>typeof e=="function";function Uo(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}function Pte(...e){return function(n){e.forEach(r=>{r?.(n)})}}var[Ate,qs]=At({name:"PopoverContext",errorMessage:"usePopoverContext: `context` is undefined. Seems you forgot to wrap all popover components within `<Popover />`"}),[Tte,_d]=At({name:"PopoverStylesContext",errorMessage:`usePopoverStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Popover />" `}),Ll={click:"click",hover:"hover"};function Ite(e={}){const{closeOnBlur:t=!0,closeOnEsc:n=!0,initialFocusRef:r,id:o,returnFocusOnClose:i=!0,autoFocus:s=!0,arrowSize:u,arrowShadowColor:c,trigger:f=Ll.click,openDelay:d=200,closeDelay:h=200,isLazy:m,lazyBehavior:g="unmount",computePositionOnMount:b,...S}=e,{isOpen:E,onClose:w,onOpen:x,onToggle:_}=MP(e),L=C.exports.useRef(null),T=C.exports.useRef(null),R=C.exports.useRef(null),N=C.exports.useRef(!1),F=C.exports.useRef(!1);E&&(F.current=!0);const[K,W]=C.exports.useState(!1),[J,ve]=C.exports.useState(!1),xe=C.exports.useId(),he=o??xe,[fe,me,ne,H]=["popover-trigger","popover-content","popover-header","popover-body"].map(Ie=>`${Ie}-${he}`),{referenceRef:Y,getArrowProps:Z,getPopperProps:M,getArrowInnerProps:j,forceUpdate:se}=IP({...S,enabled:E||!!b}),ce=WY({isOpen:E,ref:R});KY({enabled:E,ref:T}),GY(R,{focusRef:T,visible:E,shouldFocus:i&&f===Ll.click}),YY(R,{focusRef:r,visible:E,shouldFocus:s&&f===Ll.click});const ye=OP({wasSelected:F.current,enabled:m,mode:g,isSelected:ce.present}),be=C.exports.useCallback((Ie={},tt=null)=>{const ze={...Ie,style:{...Ie.style,transformOrigin:ln.transformOrigin.varRef,[ln.arrowSize.var]:u?`${u}px`:void 0,[ln.arrowShadowColor.var]:c},ref:qt(R,tt),children:ye?Ie.children:null,id:me,tabIndex:-1,role:"dialog",onKeyDown:Uo(Ie.onKeyDown,$t=>{n&&$t.key==="Escape"&&w()}),onBlur:Uo(Ie.onBlur,$t=>{const vn=T8($t),lt=w2(R.current,vn),Ct=w2(T.current,vn);E&&t&&(!lt&&!Ct)&&w()}),"aria-labelledby":K?ne:void 0,"aria-describedby":J?H:void 0};return f===Ll.hover&&(ze.role="tooltip",ze.onMouseEnter=Uo(Ie.onMouseEnter,()=>{N.current=!0}),ze.onMouseLeave=Uo(Ie.onMouseLeave,$t=>{$t.nativeEvent.relatedTarget!==null&&(N.current=!1,setTimeout(w,h))})),ze},[ye,me,K,ne,J,H,f,n,w,E,t,h,c,u]),Le=C.exports.useCallback((Ie={},tt=null)=>M({...Ie,style:{visibility:E?"visible":"hidden",...Ie.style}},tt),[E,M]),de=C.exports.useCallback((Ie,tt=null)=>({...Ie,ref:qt(tt,L,Y)}),[L,Y]),_e=C.exports.useRef(),De=C.exports.useRef(),st=C.exports.useCallback(Ie=>{L.current==null&&Y(Ie)},[Y]),Tt=C.exports.useCallback((Ie={},tt=null)=>{const ze={...Ie,ref:qt(T,tt,st),id:fe,"aria-haspopup":"dialog","aria-expanded":E,"aria-controls":me};return f===Ll.click&&(ze.onClick=Uo(Ie.onClick,_)),f===Ll.hover&&(ze.onFocus=Uo(Ie.onFocus,()=>{_e.current===void 0&&x()}),ze.onBlur=Uo(Ie.onBlur,$t=>{const vn=T8($t),lt=!w2(R.current,vn);E&&t&<&&w()}),ze.onKeyDown=Uo(Ie.onKeyDown,$t=>{$t.key==="Escape"&&w()}),ze.onMouseEnter=Uo(Ie.onMouseEnter,()=>{N.current=!0,_e.current=window.setTimeout(x,d)}),ze.onMouseLeave=Uo(Ie.onMouseLeave,()=>{N.current=!1,_e.current&&(clearTimeout(_e.current),_e.current=void 0),De.current=window.setTimeout(()=>{N.current===!1&&w()},h)})),ze},[fe,E,me,f,st,_,x,t,w,d,h]);C.exports.useEffect(()=>()=>{_e.current&&clearTimeout(_e.current),De.current&&clearTimeout(De.current)},[]);const gn=C.exports.useCallback((Ie={},tt=null)=>({...Ie,id:ne,ref:qt(tt,ze=>{W(!!ze)})}),[ne]),Se=C.exports.useCallback((Ie={},tt=null)=>({...Ie,id:H,ref:qt(tt,ze=>{ve(!!ze)})}),[H]);return{forceUpdate:se,isOpen:E,onAnimationComplete:ce.onComplete,onClose:w,getAnchorProps:de,getArrowProps:Z,getArrowInnerProps:j,getPopoverPositionerProps:Le,getPopoverProps:be,getTriggerProps:Tt,getHeaderProps:gn,getBodyProps:Se}}function w2(e,t){return e===t||e?.contains(t)}function T8(e){const t=e.currentTarget.ownerDocument.activeElement;return e.relatedTarget??t}function Eb(e){const t=ur("Popover",e),{children:n,...r}=yt(e),o=nm(),i=Ite({...r,direction:o.direction});return y(Ate,{value:i,children:y(Tte,{value:t,children:Ete(n,{isOpen:i.isOpen,onClose:i.onClose,forceUpdate:i.forceUpdate})})})}Eb.displayName="Popover";function Lb(e){const{bg:t,bgColor:n,backgroundColor:r}=e,{getArrowProps:o,getArrowInnerProps:i}=qs(),s=_d(),u=t??n??r;return Q.createElement(oe.div,{...o(),className:"chakra-popover__arrow-positioner"},Q.createElement(oe.div,{className:Cd("chakra-popover__arrow",e.className),...i(e),__css:{...s.arrow,"--popper-arrow-bg":u?`colors.${u}, ${u}`:void 0}}))}Lb.displayName="PopoverArrow";var Mte=ue(function(t,n){const{getBodyProps:r}=qs(),o=_d();return Q.createElement(oe.div,{...r(t,n),className:Cd("chakra-popover__body",t.className),__css:o.body})});Mte.displayName="PopoverBody";var Ote=ue(function(t,n){const{onClose:r}=qs(),o=_d();return y(Sm,{size:"sm",onClick:r,className:Cd("chakra-popover__close-btn",t.className),__css:o.closeButton,ref:n,...t})});Ote.displayName="PopoverCloseButton";function Rte(e){if(!!e)return{enter:{...e.enter,visibility:"visible"},exit:{...e.exit,transitionEnd:{visibility:"hidden"}}}}var Nte={exit:{opacity:0,scale:.95,transition:{duration:.1,ease:[.4,0,1,1]}},enter:{scale:1,opacity:1,transition:{duration:.15,ease:[0,0,.2,1]}}},Dte=ho(oe.section),Pb=ue(function(t,n){const{isOpen:r}=qs();return Q.createElement(Dte,{ref:n,variants:Rte(t.variants),...t,initial:!1,animate:r?"enter":"exit"})});Pb.defaultProps={variants:Nte};Pb.displayName="PopoverTransition";var Ab=ue(function(t,n){const{rootProps:r,...o}=t,{getPopoverProps:i,getPopoverPositionerProps:s,onAnimationComplete:u}=qs(),c=_d(),f={position:"relative",display:"flex",flexDirection:"column",...c.content};return Q.createElement(oe.div,{...s(r),__css:c.popper,className:"chakra-popover__popper"},y(Pb,{...i(o,n),onAnimationComplete:Pte(u,o.onAnimationComplete),className:Cd("chakra-popover__content",t.className),__css:f}))});Ab.displayName="PopoverContent";var AA=ue(function(t,n){const{getHeaderProps:r}=qs(),o=_d();return Q.createElement(oe.header,{...r(t,n),className:Cd("chakra-popover__header",t.className),__css:o.header})});AA.displayName="PopoverHeader";function Tb(e){const t=C.exports.Children.only(e.children),{getTriggerProps:n}=qs();return C.exports.cloneElement(t,n(t.props,t.ref))}Tb.displayName="PopoverTrigger";function zte(e,t,n){return(e-t)*100/(n-t)}fd({"0%":{strokeDasharray:"1, 400",strokeDashoffset:"0"},"50%":{strokeDasharray:"400, 400",strokeDashoffset:"-100"},"100%":{strokeDasharray:"400, 400",strokeDashoffset:"-260"}});fd({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}});var Fte=fd({"0%":{left:"-40%"},"100%":{left:"100%"}}),Bte=fd({from:{backgroundPosition:"1rem 0"},to:{backgroundPosition:"0 0"}});function $te(e){const{value:t=0,min:n,max:r,valueText:o,getValueText:i,isIndeterminate:s}=e,u=zte(t,n,r);return{bind:{"data-indeterminate":s?"":void 0,"aria-valuemax":r,"aria-valuemin":n,"aria-valuenow":s?void 0:t,"aria-valuetext":(()=>{if(t!=null)return typeof i=="function"?i(t,u):o})(),role:"progressbar"},percent:u,value:t}}var[Vte,Wte]=At({name:"ProgressStylesContext",errorMessage:`useProgressStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Progress />" `}),Hte=e=>{const{min:t,max:n,value:r,isIndeterminate:o,...i}=e,s=$te({value:r,min:t,max:n,isIndeterminate:o}),u=Wte(),c={height:"100%",...u.filledTrack};return Q.createElement(oe.div,{style:{width:`${s.percent}%`,...i.style},...s.bind,...i,__css:c})},TA=e=>{var t;const{value:n,min:r=0,max:o=100,hasStripe:i,isAnimated:s,children:u,borderRadius:c,isIndeterminate:f,"aria-label":d,"aria-labelledby":h,...m}=yt(e),g=ur("Progress",e),b=c??((t=g.track)==null?void 0:t.borderRadius),S={animation:`${Bte} 1s linear infinite`},x={...!f&&i&&s&&S,...f&&{position:"absolute",willChange:"left",minWidth:"50%",animation:`${Fte} 1s ease infinite normal none running`}},_={overflow:"hidden",position:"relative",...g.track};return Q.createElement(oe.div,{borderRadius:b,__css:_,...m},q(Vte,{value:g,children:[y(Hte,{"aria-label":d,"aria-labelledby":h,min:r,max:o,value:n,isIndeterminate:f,css:x,borderRadius:b}),u]}))};TA.displayName="Progress";var jte=oe("div",{baseStyle:{fontSize:"0.24em",top:"50%",left:"50%",width:"100%",textAlign:"center",position:"absolute",transform:"translate(-50%, -50%)"}});jte.displayName="CircularProgressLabel";var Ute=(...e)=>e.filter(Boolean).join(" "),Gte=e=>e?"":void 0;function Zte(e,t){const n={},r={};for(const[o,i]of Object.entries(e))t.includes(o)?n[o]=i:r[o]=i;return[n,r]}var IA=ue(function(t,n){const{children:r,placeholder:o,className:i,...s}=t;return Q.createElement(oe.select,{...s,ref:n,className:Ute("chakra-select",i)},o&&y("option",{value:"",children:o}),r)});IA.displayName="SelectField";var MA=ue((e,t)=>{var n;const r=ur("Select",e),{rootProps:o,placeholder:i,icon:s,color:u,height:c,h:f,minH:d,minHeight:h,iconColor:m,iconSize:g,...b}=yt(e),[S,E]=Zte(b,tW),w=Z3(E),x={width:"100%",height:"fit-content",position:"relative",color:u},_={paddingEnd:"2rem",...r.field,_focus:{zIndex:"unset",...(n=r.field)==null?void 0:n._focus}};return Q.createElement(oe.div,{className:"chakra-select__wrapper",__css:x,...S,...o},y(IA,{ref:t,height:f??c,minH:d??h,placeholder:i,...w,__css:_,children:e.children}),y(OA,{"data-disabled":Gte(w.disabled),...(m||u)&&{color:m||u},__css:r.icon,...g&&{fontSize:g},children:s}))});MA.displayName="Select";var Kte=e=>y("svg",{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M16.59 8.59L12 13.17 7.41 8.59 6 10l6 6 6-6z"})}),qte=oe("div",{baseStyle:{position:"absolute",display:"inline-flex",alignItems:"center",justifyContent:"center",pointerEvents:"none",top:"50%",transform:"translateY(-50%)"}}),OA=e=>{const{children:t=y(Kte,{}),...n}=e,r=C.exports.cloneElement(t,{role:"presentation",className:"chakra-select__icon",focusable:!1,"aria-hidden":!0,style:{width:"1em",height:"1em",color:"currentColor"}});return y(qte,{...n,className:"chakra-select__icon-wrapper",children:C.exports.isValidElement(t)?r:null})};OA.displayName="SelectIcon";var Yte=(...e)=>e.filter(Boolean).join(" "),I8=e=>e?"":void 0,Em=ue(function(t,n){const r=ur("Switch",t),{spacing:o="0.5rem",children:i,...s}=yt(t),{state:u,getInputProps:c,getCheckboxProps:f,getRootProps:d,getLabelProps:h}=tP(s),m=C.exports.useMemo(()=>({display:"inline-block",position:"relative",verticalAlign:"middle",lineHeight:0,...r.container}),[r.container]),g=C.exports.useMemo(()=>({display:"inline-flex",flexShrink:0,justifyContent:"flex-start",boxSizing:"content-box",cursor:"pointer",...r.track}),[r.track]),b=C.exports.useMemo(()=>({userSelect:"none",marginStart:o,...r.label}),[o,r.label]);return Q.createElement(oe.label,{...d(),className:Yte("chakra-switch",t.className),__css:m},y("input",{className:"chakra-switch__input",...c({},n)}),Q.createElement(oe.span,{...f(),className:"chakra-switch__track",__css:g},Q.createElement(oe.span,{__css:r.thumb,className:"chakra-switch__thumb","data-checked":I8(u.isChecked),"data-hover":I8(u.isHovered)})),i&&Q.createElement(oe.span,{className:"chakra-switch__label",...h(),__css:b},i))});Em.displayName="Switch";var Bu=(...e)=>e.filter(Boolean).join(" ");function M5(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var[Xte,RA,Qte,Jte]=aE();function ene(e){const{defaultIndex:t,onChange:n,index:r,isManual:o,isLazy:i,lazyBehavior:s="unmount",orientation:u="horizontal",direction:c="ltr",...f}=e,[d,h]=C.exports.useState(t??0),[m,g]=sE({defaultValue:t??0,value:r,onChange:n});C.exports.useEffect(()=>{r!=null&&h(r)},[r]);const b=Qte(),S=C.exports.useId();return{id:`tabs-${e.id??S}`,selectedIndex:m,focusedIndex:d,setSelectedIndex:g,setFocusedIndex:h,isManual:o,isLazy:i,lazyBehavior:s,orientation:u,descendants:b,direction:c,htmlProps:f}}var[tne,kd]=At({name:"TabsContext",errorMessage:"useTabsContext: `context` is undefined. Seems you forgot to wrap all tabs components within <Tabs />"});function nne(e){const{focusedIndex:t,orientation:n,direction:r}=kd(),o=RA(),i=C.exports.useCallback(s=>{const u=()=>{var x;const _=o.nextEnabled(t);_&&((x=_.node)==null||x.focus())},c=()=>{var x;const _=o.prevEnabled(t);_&&((x=_.node)==null||x.focus())},f=()=>{var x;const _=o.firstEnabled();_&&((x=_.node)==null||x.focus())},d=()=>{var x;const _=o.lastEnabled();_&&((x=_.node)==null||x.focus())},h=n==="horizontal",m=n==="vertical",g=s.key,b=r==="ltr"?"ArrowLeft":"ArrowRight",S=r==="ltr"?"ArrowRight":"ArrowLeft",w={[b]:()=>h&&c(),[S]:()=>h&&u(),ArrowDown:()=>m&&u(),ArrowUp:()=>m&&c(),Home:f,End:d}[g];w&&(s.preventDefault(),w(s))},[o,t,n,r]);return{...e,role:"tablist","aria-orientation":n,onKeyDown:M5(e.onKeyDown,i)}}function rne(e){const{isDisabled:t,isFocusable:n,...r}=e,{setSelectedIndex:o,isManual:i,id:s,setFocusedIndex:u,selectedIndex:c}=kd(),{index:f,register:d}=Jte({disabled:t&&!n}),h=f===c,m=()=>{o(f)},g=()=>{u(f),!i&&!(t&&n)&&o(f)},b=OX({...r,ref:qt(d,e.ref),isDisabled:t,isFocusable:n,onClick:M5(e.onClick,m)}),S="button";return{...b,id:NA(s,f),role:"tab",tabIndex:h?0:-1,type:S,"aria-selected":h,"aria-controls":DA(s,f),onFocus:t?void 0:M5(e.onFocus,g)}}var[one,ine]=At({});function ane(e){const t=kd(),{id:n,selectedIndex:r}=t,i=ym(e.children).map((s,u)=>C.exports.createElement(one,{key:u,value:{isSelected:u===r,id:DA(n,u),tabId:NA(n,u),selectedIndex:r}},s));return{...e,children:i}}function sne(e){const{children:t,...n}=e,{isLazy:r,lazyBehavior:o}=kd(),{isSelected:i,id:s,tabId:u}=ine(),c=C.exports.useRef(!1);i&&(c.current=!0);const f=OP({wasSelected:c.current,isSelected:i,enabled:r,mode:o});return{tabIndex:0,...n,children:f?t:null,role:"tabpanel","aria-labelledby":u,hidden:!i,id:s}}function lne(){const e=kd(),t=RA(),{selectedIndex:n,orientation:r}=e,o=r==="horizontal",i=r==="vertical",[s,u]=C.exports.useState(()=>{if(o)return{left:0,width:0};if(i)return{top:0,height:0}}),[c,f]=C.exports.useState(!1);return ii(()=>{if(n==null)return;const d=t.item(n);if(d==null)return;o&&u({left:d.node.offsetLeft,width:d.node.offsetWidth}),i&&u({top:d.node.offsetTop,height:d.node.offsetHeight});const h=requestAnimationFrame(()=>{f(!0)});return()=>{h&&cancelAnimationFrame(h)}},[n,o,i,t]),{position:"absolute",transitionProperty:"left, right, top, bottom, height, width",transitionDuration:c?"200ms":"0ms",transitionTimingFunction:"cubic-bezier(0, 0, 0.2, 1)",...s}}function NA(e,t){return`${e}--tab-${t}`}function DA(e,t){return`${e}--tabpanel-${t}`}var[une,Ed]=At({name:"TabsStylesContext",errorMessage:`useTabsStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Tabs />" `}),zA=ue(function(t,n){const r=ur("Tabs",t),{children:o,className:i,...s}=yt(t),{htmlProps:u,descendants:c,...f}=ene(s),d=C.exports.useMemo(()=>f,[f]),{isFitted:h,...m}=u;return Q.createElement(Xte,{value:c},Q.createElement(tne,{value:d},Q.createElement(une,{value:r},Q.createElement(oe.div,{className:Bu("chakra-tabs",i),ref:n,...m,__css:r.root},o))))});zA.displayName="Tabs";var cne=ue(function(t,n){const r=lne(),o={...t.style,...r},i=Ed();return Q.createElement(oe.div,{ref:n,...t,className:Bu("chakra-tabs__tab-indicator",t.className),style:o,__css:i.indicator})});cne.displayName="TabIndicator";var fne=ue(function(t,n){const r=nne({...t,ref:n}),o=Ed(),i={display:"flex",...o.tablist};return Q.createElement(oe.div,{...r,className:Bu("chakra-tabs__tablist",t.className),__css:i})});fne.displayName="TabList";var FA=ue(function(t,n){const r=sne({...t,ref:n}),o=Ed();return Q.createElement(oe.div,{outline:"0",...r,className:Bu("chakra-tabs__tab-panel",t.className),__css:o.tabpanel})});FA.displayName="TabPanel";var BA=ue(function(t,n){const r=ane(t),o=Ed();return Q.createElement(oe.div,{...r,width:"100%",ref:n,className:Bu("chakra-tabs__tab-panels",t.className),__css:o.tabpanels})});BA.displayName="TabPanels";var $A=ue(function(t,n){const r=Ed(),o=rne({...t,ref:n}),i={outline:"0",display:"flex",alignItems:"center",justifyContent:"center",...r.tab};return Q.createElement(oe.button,{...o,className:Bu("chakra-tabs__tab",t.className),__css:i})});$A.displayName="Tab";var dne=(...e)=>e.filter(Boolean).join(" ");function pne(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}var hne=["h","minH","height","minHeight"],VA=ue((e,t)=>{const n=lr("Textarea",e),{className:r,rows:o,...i}=yt(e),s=Z3(i),u=o?pne(n,hne):n;return Q.createElement(oe.textarea,{ref:t,rows:o,...s,className:dne("chakra-textarea",r),__css:u})});VA.displayName="Textarea";function vt(e,t={}){let n=!1;function r(){if(!n){n=!0;return}throw new Error("[anatomy] .part(...) should only be called once. Did you mean to use .extend(...) ?")}function o(...d){r();for(const h of d)t[h]=c(h);return vt(e,t)}function i(...d){for(const h of d)h in t||(t[h]=c(h));return vt(e,t)}function s(){return Object.fromEntries(Object.entries(t).map(([h,m])=>[h,m.selector]))}function u(){return Object.fromEntries(Object.entries(t).map(([h,m])=>[h,m.className]))}function c(d){const g=`chakra-${(["container","root"].includes(d??"")?[e]:[e,d]).filter(Boolean).join("__")}`;return{className:g,selector:`.${g}`,toString:()=>d}}return{parts:o,toPart:c,extend:i,selectors:s,classnames:u,get keys(){return Object.keys(t)},__type:{}}}var mne=vt("accordion").parts("root","container","button","panel").extend("icon"),gne=vt("alert").parts("title","description","container").extend("icon","spinner"),vne=vt("avatar").parts("label","badge","container").extend("excessLabel","group"),yne=vt("breadcrumb").parts("link","item","container").extend("separator");vt("button").parts();var bne=vt("checkbox").parts("control","icon","container").extend("label");vt("progress").parts("track","filledTrack").extend("label");var xne=vt("drawer").parts("overlay","dialogContainer","dialog").extend("header","closeButton","body","footer"),Sne=vt("editable").parts("preview","input","textarea"),wne=vt("form").parts("container","requiredIndicator","helperText"),Cne=vt("formError").parts("text","icon"),_ne=vt("input").parts("addon","field","element"),kne=vt("list").parts("container","item","icon"),Ene=vt("menu").parts("button","list","item").extend("groupTitle","command","divider"),Lne=vt("modal").parts("overlay","dialogContainer","dialog").extend("header","closeButton","body","footer"),Pne=vt("numberinput").parts("root","field","stepperGroup","stepper");vt("pininput").parts("field");var Ane=vt("popover").parts("content","header","body","footer").extend("popper","arrow","closeButton"),Tne=vt("progress").parts("label","filledTrack","track"),Ine=vt("radio").parts("container","control","label"),Mne=vt("select").parts("field","icon"),One=vt("slider").parts("container","track","thumb","filledTrack","mark"),Rne=vt("stat").parts("container","label","helpText","number","icon"),Nne=vt("switch").parts("container","track","thumb"),Dne=vt("table").parts("table","thead","tbody","tr","th","td","tfoot","caption"),zne=vt("tabs").parts("root","tab","tablist","tabpanel","tabpanels","indicator"),Fne=vt("tag").parts("container","label","closeButton");function Rn(e,t){Bne(e)&&(e="100%");var n=$ne(e);return e=t===360?e:Math.min(t,Math.max(0,parseFloat(e))),n&&(e=parseInt(String(e*t),10)/100),Math.abs(e-t)<1e-6?1:(t===360?e=(e<0?e%t+t:e%t)/parseFloat(String(t)):e=e%t/parseFloat(String(t)),e)}function yh(e){return Math.min(1,Math.max(0,e))}function Bne(e){return typeof e=="string"&&e.indexOf(".")!==-1&&parseFloat(e)===1}function $ne(e){return typeof e=="string"&&e.indexOf("%")!==-1}function WA(e){return e=parseFloat(e),(isNaN(e)||e<0||e>1)&&(e=1),e}function bh(e){return e<=1?"".concat(Number(e)*100,"%"):e}function Ls(e){return e.length===1?"0"+e:String(e)}function Vne(e,t,n){return{r:Rn(e,255)*255,g:Rn(t,255)*255,b:Rn(n,255)*255}}function M8(e,t,n){e=Rn(e,255),t=Rn(t,255),n=Rn(n,255);var r=Math.max(e,t,n),o=Math.min(e,t,n),i=0,s=0,u=(r+o)/2;if(r===o)s=0,i=0;else{var c=r-o;switch(s=u>.5?c/(2-r-o):c/(r+o),r){case e:i=(t-n)/c+(t<n?6:0);break;case t:i=(n-e)/c+2;break;case n:i=(e-t)/c+4;break}i/=6}return{h:i,s,l:u}}function C2(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+(t-e)*(6*n):n<1/2?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function Wne(e,t,n){var r,o,i;if(e=Rn(e,360),t=Rn(t,100),n=Rn(n,100),t===0)o=n,i=n,r=n;else{var s=n<.5?n*(1+t):n+t-n*t,u=2*n-s;r=C2(u,s,e+1/3),o=C2(u,s,e),i=C2(u,s,e-1/3)}return{r:r*255,g:o*255,b:i*255}}function O8(e,t,n){e=Rn(e,255),t=Rn(t,255),n=Rn(n,255);var r=Math.max(e,t,n),o=Math.min(e,t,n),i=0,s=r,u=r-o,c=r===0?0:u/r;if(r===o)i=0;else{switch(r){case e:i=(t-n)/u+(t<n?6:0);break;case t:i=(n-e)/u+2;break;case n:i=(e-t)/u+4;break}i/=6}return{h:i,s:c,v:s}}function Hne(e,t,n){e=Rn(e,360)*6,t=Rn(t,100),n=Rn(n,100);var r=Math.floor(e),o=e-r,i=n*(1-t),s=n*(1-o*t),u=n*(1-(1-o)*t),c=r%6,f=[n,s,i,i,u,n][c],d=[u,n,n,s,i,i][c],h=[i,i,u,n,n,s][c];return{r:f*255,g:d*255,b:h*255}}function R8(e,t,n,r){var o=[Ls(Math.round(e).toString(16)),Ls(Math.round(t).toString(16)),Ls(Math.round(n).toString(16))];return r&&o[0].startsWith(o[0].charAt(1))&&o[1].startsWith(o[1].charAt(1))&&o[2].startsWith(o[2].charAt(1))?o[0].charAt(0)+o[1].charAt(0)+o[2].charAt(0):o.join("")}function jne(e,t,n,r,o){var i=[Ls(Math.round(e).toString(16)),Ls(Math.round(t).toString(16)),Ls(Math.round(n).toString(16)),Ls(Une(r))];return o&&i[0].startsWith(i[0].charAt(1))&&i[1].startsWith(i[1].charAt(1))&&i[2].startsWith(i[2].charAt(1))&&i[3].startsWith(i[3].charAt(1))?i[0].charAt(0)+i[1].charAt(0)+i[2].charAt(0)+i[3].charAt(0):i.join("")}function Une(e){return Math.round(parseFloat(e)*255).toString(16)}function N8(e){return Or(e)/255}function Or(e){return parseInt(e,16)}function Gne(e){return{r:e>>16,g:(e&65280)>>8,b:e&255}}var O5={aliceblue:"#f0f8ff",antiquewhite:"#faebd7",aqua:"#00ffff",aquamarine:"#7fffd4",azure:"#f0ffff",beige:"#f5f5dc",bisque:"#ffe4c4",black:"#000000",blanchedalmond:"#ffebcd",blue:"#0000ff",blueviolet:"#8a2be2",brown:"#a52a2a",burlywood:"#deb887",cadetblue:"#5f9ea0",chartreuse:"#7fff00",chocolate:"#d2691e",coral:"#ff7f50",cornflowerblue:"#6495ed",cornsilk:"#fff8dc",crimson:"#dc143c",cyan:"#00ffff",darkblue:"#00008b",darkcyan:"#008b8b",darkgoldenrod:"#b8860b",darkgray:"#a9a9a9",darkgreen:"#006400",darkgrey:"#a9a9a9",darkkhaki:"#bdb76b",darkmagenta:"#8b008b",darkolivegreen:"#556b2f",darkorange:"#ff8c00",darkorchid:"#9932cc",darkred:"#8b0000",darksalmon:"#e9967a",darkseagreen:"#8fbc8f",darkslateblue:"#483d8b",darkslategray:"#2f4f4f",darkslategrey:"#2f4f4f",darkturquoise:"#00ced1",darkviolet:"#9400d3",deeppink:"#ff1493",deepskyblue:"#00bfff",dimgray:"#696969",dimgrey:"#696969",dodgerblue:"#1e90ff",firebrick:"#b22222",floralwhite:"#fffaf0",forestgreen:"#228b22",fuchsia:"#ff00ff",gainsboro:"#dcdcdc",ghostwhite:"#f8f8ff",goldenrod:"#daa520",gold:"#ffd700",gray:"#808080",green:"#008000",greenyellow:"#adff2f",grey:"#808080",honeydew:"#f0fff0",hotpink:"#ff69b4",indianred:"#cd5c5c",indigo:"#4b0082",ivory:"#fffff0",khaki:"#f0e68c",lavenderblush:"#fff0f5",lavender:"#e6e6fa",lawngreen:"#7cfc00",lemonchiffon:"#fffacd",lightblue:"#add8e6",lightcoral:"#f08080",lightcyan:"#e0ffff",lightgoldenrodyellow:"#fafad2",lightgray:"#d3d3d3",lightgreen:"#90ee90",lightgrey:"#d3d3d3",lightpink:"#ffb6c1",lightsalmon:"#ffa07a",lightseagreen:"#20b2aa",lightskyblue:"#87cefa",lightslategray:"#778899",lightslategrey:"#778899",lightsteelblue:"#b0c4de",lightyellow:"#ffffe0",lime:"#00ff00",limegreen:"#32cd32",linen:"#faf0e6",magenta:"#ff00ff",maroon:"#800000",mediumaquamarine:"#66cdaa",mediumblue:"#0000cd",mediumorchid:"#ba55d3",mediumpurple:"#9370db",mediumseagreen:"#3cb371",mediumslateblue:"#7b68ee",mediumspringgreen:"#00fa9a",mediumturquoise:"#48d1cc",mediumvioletred:"#c71585",midnightblue:"#191970",mintcream:"#f5fffa",mistyrose:"#ffe4e1",moccasin:"#ffe4b5",navajowhite:"#ffdead",navy:"#000080",oldlace:"#fdf5e6",olive:"#808000",olivedrab:"#6b8e23",orange:"#ffa500",orangered:"#ff4500",orchid:"#da70d6",palegoldenrod:"#eee8aa",palegreen:"#98fb98",paleturquoise:"#afeeee",palevioletred:"#db7093",papayawhip:"#ffefd5",peachpuff:"#ffdab9",peru:"#cd853f",pink:"#ffc0cb",plum:"#dda0dd",powderblue:"#b0e0e6",purple:"#800080",rebeccapurple:"#663399",red:"#ff0000",rosybrown:"#bc8f8f",royalblue:"#4169e1",saddlebrown:"#8b4513",salmon:"#fa8072",sandybrown:"#f4a460",seagreen:"#2e8b57",seashell:"#fff5ee",sienna:"#a0522d",silver:"#c0c0c0",skyblue:"#87ceeb",slateblue:"#6a5acd",slategray:"#708090",slategrey:"#708090",snow:"#fffafa",springgreen:"#00ff7f",steelblue:"#4682b4",tan:"#d2b48c",teal:"#008080",thistle:"#d8bfd8",tomato:"#ff6347",turquoise:"#40e0d0",violet:"#ee82ee",wheat:"#f5deb3",white:"#ffffff",whitesmoke:"#f5f5f5",yellow:"#ffff00",yellowgreen:"#9acd32"};function Zne(e){var t={r:0,g:0,b:0},n=1,r=null,o=null,i=null,s=!1,u=!1;return typeof e=="string"&&(e=Yne(e)),typeof e=="object"&&(Ni(e.r)&&Ni(e.g)&&Ni(e.b)?(t=Vne(e.r,e.g,e.b),s=!0,u=String(e.r).substr(-1)==="%"?"prgb":"rgb"):Ni(e.h)&&Ni(e.s)&&Ni(e.v)?(r=bh(e.s),o=bh(e.v),t=Hne(e.h,r,o),s=!0,u="hsv"):Ni(e.h)&&Ni(e.s)&&Ni(e.l)&&(r=bh(e.s),i=bh(e.l),t=Wne(e.h,r,i),s=!0,u="hsl"),Object.prototype.hasOwnProperty.call(e,"a")&&(n=e.a)),n=WA(n),{ok:s,format:e.format||u,r:Math.min(255,Math.max(t.r,0)),g:Math.min(255,Math.max(t.g,0)),b:Math.min(255,Math.max(t.b,0)),a:n}}var Kne="[-\\+]?\\d+%?",qne="[-\\+]?\\d*\\.\\d+%?",Ia="(?:".concat(qne,")|(?:").concat(Kne,")"),_2="[\\s|\\(]+(".concat(Ia,")[,|\\s]+(").concat(Ia,")[,|\\s]+(").concat(Ia,")\\s*\\)?"),k2="[\\s|\\(]+(".concat(Ia,")[,|\\s]+(").concat(Ia,")[,|\\s]+(").concat(Ia,")[,|\\s]+(").concat(Ia,")\\s*\\)?"),Lo={CSS_UNIT:new RegExp(Ia),rgb:new RegExp("rgb"+_2),rgba:new RegExp("rgba"+k2),hsl:new RegExp("hsl"+_2),hsla:new RegExp("hsla"+k2),hsv:new RegExp("hsv"+_2),hsva:new RegExp("hsva"+k2),hex3:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex4:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex8:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/};function Yne(e){if(e=e.trim().toLowerCase(),e.length===0)return!1;var t=!1;if(O5[e])e=O5[e],t=!0;else if(e==="transparent")return{r:0,g:0,b:0,a:0,format:"name"};var n=Lo.rgb.exec(e);return n?{r:n[1],g:n[2],b:n[3]}:(n=Lo.rgba.exec(e),n?{r:n[1],g:n[2],b:n[3],a:n[4]}:(n=Lo.hsl.exec(e),n?{h:n[1],s:n[2],l:n[3]}:(n=Lo.hsla.exec(e),n?{h:n[1],s:n[2],l:n[3],a:n[4]}:(n=Lo.hsv.exec(e),n?{h:n[1],s:n[2],v:n[3]}:(n=Lo.hsva.exec(e),n?{h:n[1],s:n[2],v:n[3],a:n[4]}:(n=Lo.hex8.exec(e),n?{r:Or(n[1]),g:Or(n[2]),b:Or(n[3]),a:N8(n[4]),format:t?"name":"hex8"}:(n=Lo.hex6.exec(e),n?{r:Or(n[1]),g:Or(n[2]),b:Or(n[3]),format:t?"name":"hex"}:(n=Lo.hex4.exec(e),n?{r:Or(n[1]+n[1]),g:Or(n[2]+n[2]),b:Or(n[3]+n[3]),a:N8(n[4]+n[4]),format:t?"name":"hex8"}:(n=Lo.hex3.exec(e),n?{r:Or(n[1]+n[1]),g:Or(n[2]+n[2]),b:Or(n[3]+n[3]),format:t?"name":"hex"}:!1)))))))))}function Ni(e){return Boolean(Lo.CSS_UNIT.exec(String(e)))}var Ld=function(){function e(t,n){t===void 0&&(t=""),n===void 0&&(n={});var r;if(t instanceof e)return t;typeof t=="number"&&(t=Gne(t)),this.originalInput=t;var o=Zne(t);this.originalInput=t,this.r=o.r,this.g=o.g,this.b=o.b,this.a=o.a,this.roundA=Math.round(100*this.a)/100,this.format=(r=n.format)!==null&&r!==void 0?r:o.format,this.gradientType=n.gradientType,this.r<1&&(this.r=Math.round(this.r)),this.g<1&&(this.g=Math.round(this.g)),this.b<1&&(this.b=Math.round(this.b)),this.isValid=o.ok}return e.prototype.isDark=function(){return this.getBrightness()<128},e.prototype.isLight=function(){return!this.isDark()},e.prototype.getBrightness=function(){var t=this.toRgb();return(t.r*299+t.g*587+t.b*114)/1e3},e.prototype.getLuminance=function(){var t=this.toRgb(),n,r,o,i=t.r/255,s=t.g/255,u=t.b/255;return i<=.03928?n=i/12.92:n=Math.pow((i+.055)/1.055,2.4),s<=.03928?r=s/12.92:r=Math.pow((s+.055)/1.055,2.4),u<=.03928?o=u/12.92:o=Math.pow((u+.055)/1.055,2.4),.2126*n+.7152*r+.0722*o},e.prototype.getAlpha=function(){return this.a},e.prototype.setAlpha=function(t){return this.a=WA(t),this.roundA=Math.round(100*this.a)/100,this},e.prototype.toHsv=function(){var t=O8(this.r,this.g,this.b);return{h:t.h*360,s:t.s,v:t.v,a:this.a}},e.prototype.toHsvString=function(){var t=O8(this.r,this.g,this.b),n=Math.round(t.h*360),r=Math.round(t.s*100),o=Math.round(t.v*100);return this.a===1?"hsv(".concat(n,", ").concat(r,"%, ").concat(o,"%)"):"hsva(".concat(n,", ").concat(r,"%, ").concat(o,"%, ").concat(this.roundA,")")},e.prototype.toHsl=function(){var t=M8(this.r,this.g,this.b);return{h:t.h*360,s:t.s,l:t.l,a:this.a}},e.prototype.toHslString=function(){var t=M8(this.r,this.g,this.b),n=Math.round(t.h*360),r=Math.round(t.s*100),o=Math.round(t.l*100);return this.a===1?"hsl(".concat(n,", ").concat(r,"%, ").concat(o,"%)"):"hsla(".concat(n,", ").concat(r,"%, ").concat(o,"%, ").concat(this.roundA,")")},e.prototype.toHex=function(t){return t===void 0&&(t=!1),R8(this.r,this.g,this.b,t)},e.prototype.toHexString=function(t){return t===void 0&&(t=!1),"#"+this.toHex(t)},e.prototype.toHex8=function(t){return t===void 0&&(t=!1),jne(this.r,this.g,this.b,this.a,t)},e.prototype.toHex8String=function(t){return t===void 0&&(t=!1),"#"+this.toHex8(t)},e.prototype.toRgb=function(){return{r:Math.round(this.r),g:Math.round(this.g),b:Math.round(this.b),a:this.a}},e.prototype.toRgbString=function(){var t=Math.round(this.r),n=Math.round(this.g),r=Math.round(this.b);return this.a===1?"rgb(".concat(t,", ").concat(n,", ").concat(r,")"):"rgba(".concat(t,", ").concat(n,", ").concat(r,", ").concat(this.roundA,")")},e.prototype.toPercentageRgb=function(){var t=function(n){return"".concat(Math.round(Rn(n,255)*100),"%")};return{r:t(this.r),g:t(this.g),b:t(this.b),a:this.a}},e.prototype.toPercentageRgbString=function(){var t=function(n){return Math.round(Rn(n,255)*100)};return this.a===1?"rgb(".concat(t(this.r),"%, ").concat(t(this.g),"%, ").concat(t(this.b),"%)"):"rgba(".concat(t(this.r),"%, ").concat(t(this.g),"%, ").concat(t(this.b),"%, ").concat(this.roundA,")")},e.prototype.toName=function(){if(this.a===0)return"transparent";if(this.a<1)return!1;for(var t="#"+R8(this.r,this.g,this.b,!1),n=0,r=Object.entries(O5);n<r.length;n++){var o=r[n],i=o[0],s=o[1];if(t===s)return i}return!1},e.prototype.toString=function(t){var n=Boolean(t);t=t??this.format;var r=!1,o=this.a<1&&this.a>=0,i=!n&&o&&(t.startsWith("hex")||t==="name");return i?t==="name"&&this.a===0?this.toName():this.toRgbString():(t==="rgb"&&(r=this.toRgbString()),t==="prgb"&&(r=this.toPercentageRgbString()),(t==="hex"||t==="hex6")&&(r=this.toHexString()),t==="hex3"&&(r=this.toHexString(!0)),t==="hex4"&&(r=this.toHex8String(!0)),t==="hex8"&&(r=this.toHex8String()),t==="name"&&(r=this.toName()),t==="hsl"&&(r=this.toHslString()),t==="hsv"&&(r=this.toHsvString()),r||this.toHexString())},e.prototype.toNumber=function(){return(Math.round(this.r)<<16)+(Math.round(this.g)<<8)+Math.round(this.b)},e.prototype.clone=function(){return new e(this.toString())},e.prototype.lighten=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.l+=t/100,n.l=yh(n.l),new e(n)},e.prototype.brighten=function(t){t===void 0&&(t=10);var n=this.toRgb();return n.r=Math.max(0,Math.min(255,n.r-Math.round(255*-(t/100)))),n.g=Math.max(0,Math.min(255,n.g-Math.round(255*-(t/100)))),n.b=Math.max(0,Math.min(255,n.b-Math.round(255*-(t/100)))),new e(n)},e.prototype.darken=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.l-=t/100,n.l=yh(n.l),new e(n)},e.prototype.tint=function(t){return t===void 0&&(t=10),this.mix("white",t)},e.prototype.shade=function(t){return t===void 0&&(t=10),this.mix("black",t)},e.prototype.desaturate=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.s-=t/100,n.s=yh(n.s),new e(n)},e.prototype.saturate=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.s+=t/100,n.s=yh(n.s),new e(n)},e.prototype.greyscale=function(){return this.desaturate(100)},e.prototype.spin=function(t){var n=this.toHsl(),r=(n.h+t)%360;return n.h=r<0?360+r:r,new e(n)},e.prototype.mix=function(t,n){n===void 0&&(n=50);var r=this.toRgb(),o=new e(t).toRgb(),i=n/100,s={r:(o.r-r.r)*i+r.r,g:(o.g-r.g)*i+r.g,b:(o.b-r.b)*i+r.b,a:(o.a-r.a)*i+r.a};return new e(s)},e.prototype.analogous=function(t,n){t===void 0&&(t=6),n===void 0&&(n=30);var r=this.toHsl(),o=360/n,i=[this];for(r.h=(r.h-(o*t>>1)+720)%360;--t;)r.h=(r.h+o)%360,i.push(new e(r));return i},e.prototype.complement=function(){var t=this.toHsl();return t.h=(t.h+180)%360,new e(t)},e.prototype.monochromatic=function(t){t===void 0&&(t=6);for(var n=this.toHsv(),r=n.h,o=n.s,i=n.v,s=[],u=1/t;t--;)s.push(new e({h:r,s:o,v:i})),i=(i+u)%1;return s},e.prototype.splitcomplement=function(){var t=this.toHsl(),n=t.h;return[this,new e({h:(n+72)%360,s:t.s,l:t.l}),new e({h:(n+216)%360,s:t.s,l:t.l})]},e.prototype.onBackground=function(t){var n=this.toRgb(),r=new e(t).toRgb();return new e({r:r.r+(n.r-r.r)*n.a,g:r.g+(n.g-r.g)*n.a,b:r.b+(n.b-r.b)*n.a})},e.prototype.triad=function(){return this.polyad(3)},e.prototype.tetrad=function(){return this.polyad(4)},e.prototype.polyad=function(t){for(var n=this.toHsl(),r=n.h,o=[this],i=360/t,s=1;s<t;s++)o.push(new e({h:(r+s*i)%360,s:n.s,l:n.l}));return o},e.prototype.equals=function(t){return this.toRgbString()===new e(t).toRgbString()},e}();function HA(e){if(e===void 0&&(e={}),e.count!==void 0&&e.count!==null){var t=e.count,n=[];for(e.count=void 0;t>n.length;)e.count=null,e.seed&&(e.seed+=1),n.push(HA(e));return e.count=t,n}var r=Xne(e.hue,e.seed),o=Qne(r,e),i=Jne(r,o,e),s={h:r,s:o,v:i};return e.alpha!==void 0&&(s.a=e.alpha),new Ld(s)}function Xne(e,t){var n=tre(e),r=l0(n,t);return r<0&&(r=360+r),r}function Qne(e,t){if(t.hue==="monochrome")return 0;if(t.luminosity==="random")return l0([0,100],t.seed);var n=jA(e).saturationRange,r=n[0],o=n[1];switch(t.luminosity){case"bright":r=55;break;case"dark":r=o-10;break;case"light":o=55;break}return l0([r,o],t.seed)}function Jne(e,t,n){var r=ere(e,t),o=100;switch(n.luminosity){case"dark":o=r+20;break;case"light":r=(o+r)/2;break;case"random":r=0,o=100;break}return l0([r,o],n.seed)}function ere(e,t){for(var n=jA(e).lowerBounds,r=0;r<n.length-1;r++){var o=n[r][0],i=n[r][1],s=n[r+1][0],u=n[r+1][1];if(t>=o&&t<=s){var c=(u-i)/(s-o),f=i-c*o;return c*t+f}}return 0}function tre(e){var t=parseInt(e,10);if(!Number.isNaN(t)&&t<360&&t>0)return[t,t];if(typeof e=="string"){var n=GA.find(function(s){return s.name===e});if(n){var r=UA(n);if(r.hueRange)return r.hueRange}var o=new Ld(e);if(o.isValid){var i=o.toHsv().h;return[i,i]}}return[0,360]}function jA(e){e>=334&&e<=360&&(e-=360);for(var t=0,n=GA;t<n.length;t++){var r=n[t],o=UA(r);if(o.hueRange&&e>=o.hueRange[0]&&e<=o.hueRange[1])return o}throw Error("Color not found")}function l0(e,t){if(t===void 0)return Math.floor(e[0]+Math.random()*(e[1]+1-e[0]));var n=e[1]||1,r=e[0]||0;t=(t*9301+49297)%233280;var o=t/233280;return Math.floor(r+o*(n-r))}function UA(e){var t=e.lowerBounds[0][0],n=e.lowerBounds[e.lowerBounds.length-1][0],r=e.lowerBounds[e.lowerBounds.length-1][1],o=e.lowerBounds[0][1];return{name:e.name,hueRange:e.hueRange,lowerBounds:e.lowerBounds,saturationRange:[t,n],brightnessRange:[r,o]}}var GA=[{name:"monochrome",hueRange:null,lowerBounds:[[0,0],[100,0]]},{name:"red",hueRange:[-26,18],lowerBounds:[[20,100],[30,92],[40,89],[50,85],[60,78],[70,70],[80,60],[90,55],[100,50]]},{name:"orange",hueRange:[19,46],lowerBounds:[[20,100],[30,93],[40,88],[50,86],[60,85],[70,70],[100,70]]},{name:"yellow",hueRange:[47,62],lowerBounds:[[25,100],[40,94],[50,89],[60,86],[70,84],[80,82],[90,80],[100,75]]},{name:"green",hueRange:[63,178],lowerBounds:[[30,100],[40,90],[50,85],[60,81],[70,74],[80,64],[90,50],[100,40]]},{name:"blue",hueRange:[179,257],lowerBounds:[[20,100],[30,86],[40,80],[50,74],[60,60],[70,52],[80,44],[90,39],[100,35]]},{name:"purple",hueRange:[258,282],lowerBounds:[[20,100],[30,87],[40,79],[50,70],[60,65],[70,59],[80,52],[90,45],[100,42]]},{name:"pink",hueRange:[283,334],lowerBounds:[[20,100],[30,90],[40,86],[60,84],[80,80],[90,75],[100,73]]}];function nre(e,t,n,r,o){for(t=t.split?t.split("."):t,r=0;r<t.length;r++)e=e?e[t[r]]:o;return e===o?n:e}var rre=e=>Object.keys(e).length===0,mn=(e,t,n)=>{const r=nre(e,`colors.${t}`,t),{isValid:o}=new Ld(r);return o?r:n},ore=e=>t=>{const n=mn(t,e);return new Ld(n).isDark()?"dark":"light"},ire=e=>t=>ore(e)(t)==="dark",ku=(e,t)=>n=>{const r=mn(n,e);return new Ld(r).setAlpha(t).toRgbString()};function D8(e="1rem",t="rgba(255, 255, 255, 0.15)"){return{backgroundImage:`linear-gradient( + 45deg, + ${t} 25%, + transparent 25%, + transparent 50%, + ${t} 50%, + ${t} 75%, + transparent 75%, + transparent + )`,backgroundSize:`${e} ${e}`}}function are(e){const t=HA().toHexString();return!e||rre(e)?t:e.string&&e.colors?lre(e.string,e.colors):e.string&&!e.colors?sre(e.string):e.colors&&!e.string?ure(e.colors):t}function sre(e){let t=0;if(e.length===0)return t.toString();for(let r=0;r<e.length;r+=1)t=e.charCodeAt(r)+((t<<5)-t),t=t&t;let n="#";for(let r=0;r<3;r+=1)n+=`00${(t>>r*8&255).toString(16)}`.substr(-2);return n}function lre(e,t){let n=0;if(e.length===0)return t[0];for(let r=0;r<e.length;r+=1)n=e.charCodeAt(r)+((n<<5)-n),n=n&n;return n=(n%t.length+t.length)%t.length,t[n]}function ure(e){return e[Math.floor(Math.random()*e.length)]}function re(e,t){return n=>n.colorMode==="dark"?t:e}function Ib(e){const{orientation:t,vertical:n,horizontal:r}=e;return t?t==="vertical"?n:r:{}}function cre(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}function ZA(e){return cre(e)&&e.reference?e.reference:String(e)}var Lm=(e,...t)=>t.map(ZA).join(` ${e} `).replace(/calc/g,""),z8=(...e)=>`calc(${Lm("+",...e)})`,F8=(...e)=>`calc(${Lm("-",...e)})`,R5=(...e)=>`calc(${Lm("*",...e)})`,B8=(...e)=>`calc(${Lm("/",...e)})`,$8=e=>{const t=ZA(e);return t!=null&&!Number.isNaN(parseFloat(t))?String(t).startsWith("-")?String(t).slice(1):`-${t}`:R5(t,-1)},$i=Object.assign(e=>({add:(...t)=>$i(z8(e,...t)),subtract:(...t)=>$i(F8(e,...t)),multiply:(...t)=>$i(R5(e,...t)),divide:(...t)=>$i(B8(e,...t)),negate:()=>$i($8(e)),toString:()=>e.toString()}),{add:z8,subtract:F8,multiply:R5,divide:B8,negate:$8});function fre(e){return!Number.isInteger(parseFloat(e.toString()))}function dre(e,t="-"){return e.replace(/\s+/g,t)}function KA(e){const t=dre(e.toString());return t.includes("\\.")?e:fre(e)?t.replace(".","\\."):e}function pre(e,t=""){return[t,KA(e)].filter(Boolean).join("-")}function hre(e,t){return`var(${KA(e)}${t?`, ${t}`:""})`}function mre(e,t=""){return`--${pre(e,t)}`}function _r(e,t){const n=mre(e,t?.prefix);return{variable:n,reference:hre(n,gre(t?.fallback))}}function gre(e){return typeof e=="string"?e:e?.reference}var{definePartsStyle:vre,defineMultiStyleConfig:yre}=Bt(mne.keys),bre={borderTopWidth:"1px",borderColor:"inherit",_last:{borderBottomWidth:"1px"}},xre={transitionProperty:"common",transitionDuration:"normal",fontSize:"md",_focusVisible:{boxShadow:"outline"},_hover:{bg:"blackAlpha.50"},_disabled:{opacity:.4,cursor:"not-allowed"},px:"4",py:"2"},Sre={pt:"2",px:"4",pb:"5"},wre={fontSize:"1.25em"},Cre=vre({container:bre,button:xre,panel:Sre,icon:wre}),_re=yre({baseStyle:Cre}),{definePartsStyle:Pd,defineMultiStyleConfig:kre}=Bt(gne.keys),Xi=Ja("alert-fg"),Ad=Ja("alert-bg"),Ere=Pd({container:{bg:Ad.reference,px:"4",py:"3"},title:{fontWeight:"bold",lineHeight:"6",marginEnd:"2"},description:{lineHeight:"6"},icon:{color:Xi.reference,flexShrink:0,marginEnd:"3",w:"5",h:"6"},spinner:{color:Xi.reference,flexShrink:0,marginEnd:"3",w:"5",h:"5"}});function Mb(e){const{theme:t,colorScheme:n}=e,r=mn(t,`${n}.100`,n),o=ku(`${n}.200`,.16)(t);return re(r,o)(e)}var Lre=Pd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e);return{container:{[Ad.variable]:Mb(e),[Xi.variable]:`colors.${n}`}}}),Pre=Pd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e);return{container:{[Ad.variable]:Mb(e),[Xi.variable]:`colors.${n}`,paddingStart:"3",borderStartWidth:"4px",borderStartColor:Xi.reference}}}),Are=Pd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e);return{container:{[Ad.variable]:Mb(e),[Xi.variable]:`colors.${n}`,pt:"2",borderTopWidth:"4px",borderTopColor:Xi.reference}}}),Tre=Pd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e),r=re("white","gray.900")(e);return{container:{[Ad.variable]:`colors.${n}`,[Xi.variable]:`colors.${r}`,color:Xi.reference}}}),Ire={subtle:Lre,"left-accent":Pre,"top-accent":Are,solid:Tre},Mre=kre({baseStyle:Ere,variants:Ire,defaultProps:{variant:"subtle",colorScheme:"blue"}}),qA={px:"1px",.5:"0.125rem",1:"0.25rem",1.5:"0.375rem",2:"0.5rem",2.5:"0.625rem",3:"0.75rem",3.5:"0.875rem",4:"1rem",5:"1.25rem",6:"1.5rem",7:"1.75rem",8:"2rem",9:"2.25rem",10:"2.5rem",12:"3rem",14:"3.5rem",16:"4rem",20:"5rem",24:"6rem",28:"7rem",32:"8rem",36:"9rem",40:"10rem",44:"11rem",48:"12rem",52:"13rem",56:"14rem",60:"15rem",64:"16rem",72:"18rem",80:"20rem",96:"24rem"},Ore={max:"max-content",min:"min-content",full:"100%","3xs":"14rem","2xs":"16rem",xs:"20rem",sm:"24rem",md:"28rem",lg:"32rem",xl:"36rem","2xl":"42rem","3xl":"48rem","4xl":"56rem","5xl":"64rem","6xl":"72rem","7xl":"80rem","8xl":"90rem",prose:"60ch"},Rre={sm:"640px",md:"768px",lg:"1024px",xl:"1280px"},Nre={...qA,...Ore,container:Rre},YA=Nre,Dre=e=>typeof e=="function";function rn(e,...t){return Dre(e)?e(...t):e}var{definePartsStyle:XA,defineMultiStyleConfig:zre}=Bt(vne.keys),Fre=e=>({borderRadius:"full",border:"0.2em solid",borderColor:re("white","gray.800")(e)}),Bre=e=>({bg:re("gray.200","whiteAlpha.400")(e)}),$re=e=>{const{name:t,theme:n}=e,r=t?are({string:t}):"gray.400",o=ire(r)(n);let i="white";o||(i="gray.800");const s=re("white","gray.800")(e);return{bg:r,color:i,borderColor:s,verticalAlign:"top"}},Vre=XA(e=>({badge:rn(Fre,e),excessLabel:rn(Bre,e),container:rn($re,e)}));function ma(e){const t=e!=="100%"?YA[e]:void 0;return XA({container:{width:e,height:e,fontSize:`calc(${t??e} / 2.5)`},excessLabel:{width:e,height:e},label:{fontSize:`calc(${t??e} / 2.5)`,lineHeight:e!=="100%"?t??e:void 0}})}var Wre={"2xs":ma(4),xs:ma(6),sm:ma(8),md:ma(12),lg:ma(16),xl:ma(24),"2xl":ma(32),full:ma("100%")},Hre=zre({baseStyle:Vre,sizes:Wre,defaultProps:{size:"md"}}),jre={px:1,textTransform:"uppercase",fontSize:"xs",borderRadius:"sm",fontWeight:"bold"},Ure=e=>{const{colorScheme:t,theme:n}=e,r=ku(`${t}.500`,.6)(n);return{bg:re(`${t}.500`,r)(e),color:re("white","whiteAlpha.800")(e)}},Gre=e=>{const{colorScheme:t,theme:n}=e,r=ku(`${t}.200`,.16)(n);return{bg:re(`${t}.100`,r)(e),color:re(`${t}.800`,`${t}.200`)(e)}},Zre=e=>{const{colorScheme:t,theme:n}=e,r=ku(`${t}.200`,.8)(n),o=mn(n,`${t}.500`),i=re(o,r)(e);return{color:i,boxShadow:`inset 0 0 0px 1px ${i}`}},Kre={solid:Ure,subtle:Gre,outline:Zre},lf={baseStyle:jre,variants:Kre,defaultProps:{variant:"subtle",colorScheme:"gray"}},{defineMultiStyleConfig:qre,definePartsStyle:Yre}=Bt(yne.keys),Xre={transitionProperty:"common",transitionDuration:"fast",transitionTimingFunction:"ease-out",cursor:"pointer",textDecoration:"none",outline:"none",color:"inherit",_hover:{textDecoration:"underline"},_focusVisible:{boxShadow:"outline"}},Qre=Yre({link:Xre}),Jre=qre({baseStyle:Qre}),eoe={lineHeight:"1.2",borderRadius:"md",fontWeight:"semibold",transitionProperty:"common",transitionDuration:"normal",_focusVisible:{boxShadow:"outline"},_disabled:{opacity:.4,cursor:"not-allowed",boxShadow:"none"},_hover:{_disabled:{bg:"initial"}}},QA=e=>{const{colorScheme:t,theme:n}=e;if(t==="gray")return{color:re("inherit","whiteAlpha.900")(e),_hover:{bg:re("gray.100","whiteAlpha.200")(e)},_active:{bg:re("gray.200","whiteAlpha.300")(e)}};const r=ku(`${t}.200`,.12)(n),o=ku(`${t}.200`,.24)(n);return{color:re(`${t}.600`,`${t}.200`)(e),bg:"transparent",_hover:{bg:re(`${t}.50`,r)(e)},_active:{bg:re(`${t}.100`,o)(e)}}},toe=e=>{const{colorScheme:t}=e,n=re("gray.200","whiteAlpha.300")(e);return{border:"1px solid",borderColor:t==="gray"?n:"currentColor",".chakra-button__group[data-attached] > &:not(:last-of-type)":{marginEnd:"-1px"},...rn(QA,e)}},noe={yellow:{bg:"yellow.400",color:"black",hoverBg:"yellow.500",activeBg:"yellow.600"},cyan:{bg:"cyan.400",color:"black",hoverBg:"cyan.500",activeBg:"cyan.600"}},roe=e=>{const{colorScheme:t}=e;if(t==="gray"){const u=re("gray.100","whiteAlpha.200")(e);return{bg:u,_hover:{bg:re("gray.200","whiteAlpha.300")(e),_disabled:{bg:u}},_active:{bg:re("gray.300","whiteAlpha.400")(e)}}}const{bg:n=`${t}.500`,color:r="white",hoverBg:o=`${t}.600`,activeBg:i=`${t}.700`}=noe[t]??{},s=re(n,`${t}.200`)(e);return{bg:s,color:re(r,"gray.800")(e),_hover:{bg:re(o,`${t}.300`)(e),_disabled:{bg:s}},_active:{bg:re(i,`${t}.400`)(e)}}},ooe=e=>{const{colorScheme:t}=e;return{padding:0,height:"auto",lineHeight:"normal",verticalAlign:"baseline",color:re(`${t}.500`,`${t}.200`)(e),_hover:{textDecoration:"underline",_disabled:{textDecoration:"none"}},_active:{color:re(`${t}.700`,`${t}.500`)(e)}}},ioe={bg:"none",color:"inherit",display:"inline",lineHeight:"inherit",m:"0",p:"0"},aoe={ghost:QA,outline:toe,solid:roe,link:ooe,unstyled:ioe},soe={lg:{h:"12",minW:"12",fontSize:"lg",px:"6"},md:{h:"10",minW:"10",fontSize:"md",px:"4"},sm:{h:"8",minW:"8",fontSize:"sm",px:"3"},xs:{h:"6",minW:"6",fontSize:"xs",px:"2"}},loe={baseStyle:eoe,variants:aoe,sizes:soe,defaultProps:{variant:"solid",size:"md",colorScheme:"gray"}},{definePartsStyle:n1,defineMultiStyleConfig:uoe}=Bt(bne.keys),uf=Ja("checkbox-size"),coe=e=>{const{colorScheme:t}=e;return{w:uf.reference,h:uf.reference,transitionProperty:"box-shadow",transitionDuration:"normal",border:"2px solid",borderRadius:"sm",borderColor:"inherit",color:"white",_checked:{bg:re(`${t}.500`,`${t}.200`)(e),borderColor:re(`${t}.500`,`${t}.200`)(e),color:re("white","gray.900")(e),_hover:{bg:re(`${t}.600`,`${t}.300`)(e),borderColor:re(`${t}.600`,`${t}.300`)(e)},_disabled:{borderColor:re("gray.200","transparent")(e),bg:re("gray.200","whiteAlpha.300")(e),color:re("gray.500","whiteAlpha.500")(e)}},_indeterminate:{bg:re(`${t}.500`,`${t}.200`)(e),borderColor:re(`${t}.500`,`${t}.200`)(e),color:re("white","gray.900")(e)},_disabled:{bg:re("gray.100","whiteAlpha.100")(e),borderColor:re("gray.100","transparent")(e)},_focusVisible:{boxShadow:"outline"},_invalid:{borderColor:re("red.500","red.300")(e)}}},foe={_disabled:{cursor:"not-allowed"}},doe={userSelect:"none",_disabled:{opacity:.4}},poe={transitionProperty:"transform",transitionDuration:"normal"},hoe=n1(e=>({icon:poe,container:foe,control:rn(coe,e),label:doe})),moe={sm:n1({control:{[uf.variable]:"sizes.3"},label:{fontSize:"sm"},icon:{fontSize:"3xs"}}),md:n1({control:{[uf.variable]:"sizes.4"},label:{fontSize:"md"},icon:{fontSize:"2xs"}}),lg:n1({control:{[uf.variable]:"sizes.5"},label:{fontSize:"lg"},icon:{fontSize:"2xs"}})},u0=uoe({baseStyle:hoe,sizes:moe,defaultProps:{size:"md",colorScheme:"blue"}}),cf=_r("close-button-size"),goe=e=>{const t=re("blackAlpha.100","whiteAlpha.100")(e),n=re("blackAlpha.200","whiteAlpha.200")(e);return{w:[cf.reference],h:[cf.reference],borderRadius:"md",transitionProperty:"common",transitionDuration:"normal",_disabled:{opacity:.4,cursor:"not-allowed",boxShadow:"none"},_hover:{bg:t},_active:{bg:n},_focusVisible:{boxShadow:"outline"}}},voe={lg:{[cf.variable]:"sizes.10",fontSize:"md"},md:{[cf.variable]:"sizes.8",fontSize:"xs"},sm:{[cf.variable]:"sizes.6",fontSize:"2xs"}},yoe={baseStyle:goe,sizes:voe,defaultProps:{size:"md"}},{variants:boe,defaultProps:xoe}=lf,Soe={fontFamily:"mono",fontSize:"sm",px:"0.2em",borderRadius:"sm"},woe={baseStyle:Soe,variants:boe,defaultProps:xoe},Coe={w:"100%",mx:"auto",maxW:"prose",px:"4"},_oe={baseStyle:Coe},koe={opacity:.6,borderColor:"inherit"},Eoe={borderStyle:"solid"},Loe={borderStyle:"dashed"},Poe={solid:Eoe,dashed:Loe},Aoe={baseStyle:koe,variants:Poe,defaultProps:{variant:"solid"}},{definePartsStyle:N5,defineMultiStyleConfig:Toe}=Bt(xne.keys);function Pl(e){return N5(e==="full"?{dialog:{maxW:"100vw",h:"100vh"}}:{dialog:{maxW:e}})}var Ioe={bg:"blackAlpha.600",zIndex:"overlay"},Moe={display:"flex",zIndex:"modal",justifyContent:"center"},Ooe=e=>{const{isFullHeight:t}=e;return{...t&&{height:"100vh"},zIndex:"modal",maxH:"100vh",bg:re("white","gray.700")(e),color:"inherit",boxShadow:re("lg","dark-lg")(e)}},Roe={px:"6",py:"4",fontSize:"xl",fontWeight:"semibold"},Noe={position:"absolute",top:"2",insetEnd:"3"},Doe={px:"6",py:"2",flex:"1",overflow:"auto"},zoe={px:"6",py:"4"},Foe=N5(e=>({overlay:Ioe,dialogContainer:Moe,dialog:rn(Ooe,e),header:Roe,closeButton:Noe,body:Doe,footer:zoe})),Boe={xs:Pl("xs"),sm:Pl("md"),md:Pl("lg"),lg:Pl("2xl"),xl:Pl("4xl"),full:Pl("full")},$oe=Toe({baseStyle:Foe,sizes:Boe,defaultProps:{size:"xs"}}),{definePartsStyle:Voe,defineMultiStyleConfig:Woe}=Bt(Sne.keys),Hoe={borderRadius:"md",py:"1",transitionProperty:"common",transitionDuration:"normal"},joe={borderRadius:"md",py:"1",transitionProperty:"common",transitionDuration:"normal",width:"full",_focusVisible:{boxShadow:"outline"},_placeholder:{opacity:.6}},Uoe={borderRadius:"md",py:"1",transitionProperty:"common",transitionDuration:"normal",width:"full",_focusVisible:{boxShadow:"outline"},_placeholder:{opacity:.6}},Goe=Voe({preview:Hoe,input:joe,textarea:Uoe}),Zoe=Woe({baseStyle:Goe}),{definePartsStyle:Koe,defineMultiStyleConfig:qoe}=Bt(wne.keys),Yoe=e=>({marginStart:"1",color:re("red.500","red.300")(e)}),Xoe=e=>({mt:"2",color:re("gray.600","whiteAlpha.600")(e),lineHeight:"normal",fontSize:"sm"}),Qoe=Koe(e=>({container:{width:"100%",position:"relative"},requiredIndicator:rn(Yoe,e),helperText:rn(Xoe,e)})),Joe=qoe({baseStyle:Qoe}),{definePartsStyle:eie,defineMultiStyleConfig:tie}=Bt(Cne.keys),nie=e=>({color:re("red.500","red.300")(e),mt:"2",fontSize:"sm",lineHeight:"normal"}),rie=e=>({marginEnd:"0.5em",color:re("red.500","red.300")(e)}),oie=eie(e=>({text:rn(nie,e),icon:rn(rie,e)})),iie=tie({baseStyle:oie}),aie={fontSize:"md",marginEnd:"3",mb:"2",fontWeight:"medium",transitionProperty:"common",transitionDuration:"normal",opacity:1,_disabled:{opacity:.4}},sie={baseStyle:aie},lie={fontFamily:"heading",fontWeight:"bold"},uie={"4xl":{fontSize:["6xl",null,"7xl"],lineHeight:1},"3xl":{fontSize:["5xl",null,"6xl"],lineHeight:1},"2xl":{fontSize:["4xl",null,"5xl"],lineHeight:[1.2,null,1]},xl:{fontSize:["3xl",null,"4xl"],lineHeight:[1.33,null,1.2]},lg:{fontSize:["2xl",null,"3xl"],lineHeight:[1.33,null,1.2]},md:{fontSize:"xl",lineHeight:1.2},sm:{fontSize:"md",lineHeight:1.2},xs:{fontSize:"sm",lineHeight:1.2}},cie={baseStyle:lie,sizes:uie,defaultProps:{size:"xl"}},{definePartsStyle:Hi,defineMultiStyleConfig:fie}=Bt(_ne.keys),die=Hi({field:{width:"100%",minWidth:0,outline:0,position:"relative",appearance:"none",transitionProperty:"common",transitionDuration:"normal",_disabled:{opacity:.4,cursor:"not-allowed"}}}),ga={lg:{fontSize:"lg",px:"4",h:"12",borderRadius:"md"},md:{fontSize:"md",px:"4",h:"10",borderRadius:"md"},sm:{fontSize:"sm",px:"3",h:"8",borderRadius:"sm"},xs:{fontSize:"xs",px:"2",h:"6",borderRadius:"sm"}},pie={lg:Hi({field:ga.lg,addon:ga.lg}),md:Hi({field:ga.md,addon:ga.md}),sm:Hi({field:ga.sm,addon:ga.sm}),xs:Hi({field:ga.xs,addon:ga.xs})};function Ob(e){const{focusBorderColor:t,errorBorderColor:n}=e;return{focusBorderColor:t||re("blue.500","blue.300")(e),errorBorderColor:n||re("red.500","red.300")(e)}}var hie=Hi(e=>{const{theme:t}=e,{focusBorderColor:n,errorBorderColor:r}=Ob(e);return{field:{border:"1px solid",borderColor:"inherit",bg:"inherit",_hover:{borderColor:re("gray.300","whiteAlpha.400")(e)},_readOnly:{boxShadow:"none !important",userSelect:"all"},_invalid:{borderColor:mn(t,r),boxShadow:`0 0 0 1px ${mn(t,r)}`},_focusVisible:{zIndex:1,borderColor:mn(t,n),boxShadow:`0 0 0 1px ${mn(t,n)}`}},addon:{border:"1px solid",borderColor:re("inherit","whiteAlpha.50")(e),bg:re("gray.100","whiteAlpha.300")(e)}}}),mie=Hi(e=>{const{theme:t}=e,{focusBorderColor:n,errorBorderColor:r}=Ob(e);return{field:{border:"2px solid",borderColor:"transparent",bg:re("gray.100","whiteAlpha.50")(e),_hover:{bg:re("gray.200","whiteAlpha.100")(e)},_readOnly:{boxShadow:"none !important",userSelect:"all"},_invalid:{borderColor:mn(t,r)},_focusVisible:{bg:"transparent",borderColor:mn(t,n)}},addon:{border:"2px solid",borderColor:"transparent",bg:re("gray.100","whiteAlpha.50")(e)}}}),gie=Hi(e=>{const{theme:t}=e,{focusBorderColor:n,errorBorderColor:r}=Ob(e);return{field:{borderBottom:"1px solid",borderColor:"inherit",borderRadius:"0",px:"0",bg:"transparent",_readOnly:{boxShadow:"none !important",userSelect:"all"},_invalid:{borderColor:mn(t,r),boxShadow:`0px 1px 0px 0px ${mn(t,r)}`},_focusVisible:{borderColor:mn(t,n),boxShadow:`0px 1px 0px 0px ${mn(t,n)}`}},addon:{borderBottom:"2px solid",borderColor:"inherit",borderRadius:"0",px:"0",bg:"transparent"}}}),vie=Hi({field:{bg:"transparent",px:"0",height:"auto"},addon:{bg:"transparent",px:"0",height:"auto"}}),yie={outline:hie,filled:mie,flushed:gie,unstyled:vie},at=fie({baseStyle:die,sizes:pie,variants:yie,defaultProps:{size:"md",variant:"outline"}}),bie=e=>({bg:re("gray.100","whiteAlpha")(e),borderRadius:"md",borderWidth:"1px",borderBottomWidth:"3px",fontSize:"0.8em",fontWeight:"bold",lineHeight:"normal",px:"0.4em",whiteSpace:"nowrap"}),xie={baseStyle:bie},Sie={transitionProperty:"common",transitionDuration:"fast",transitionTimingFunction:"ease-out",cursor:"pointer",textDecoration:"none",outline:"none",color:"inherit",_hover:{textDecoration:"underline"},_focusVisible:{boxShadow:"outline"}},wie={baseStyle:Sie},{defineMultiStyleConfig:Cie,definePartsStyle:_ie}=Bt(kne.keys),kie={marginEnd:"2",display:"inline",verticalAlign:"text-bottom"},Eie=_ie({icon:kie}),Lie=Cie({baseStyle:Eie}),{defineMultiStyleConfig:Pie,definePartsStyle:Aie}=Bt(Ene.keys),Tie=e=>({bg:re("#fff","gray.700")(e),boxShadow:re("sm","dark-lg")(e),color:"inherit",minW:"3xs",py:"2",zIndex:1,borderRadius:"md",borderWidth:"1px"}),Iie=e=>({py:"1.5",px:"3",transitionProperty:"background",transitionDuration:"ultra-fast",transitionTimingFunction:"ease-in",_focus:{bg:re("gray.100","whiteAlpha.100")(e)},_active:{bg:re("gray.200","whiteAlpha.200")(e)},_expanded:{bg:re("gray.100","whiteAlpha.100")(e)},_disabled:{opacity:.4,cursor:"not-allowed"}}),Mie={mx:4,my:2,fontWeight:"semibold",fontSize:"sm"},Oie={opacity:.6},Rie={border:0,borderBottom:"1px solid",borderColor:"inherit",my:"2",opacity:.6},Nie={transitionProperty:"common",transitionDuration:"normal"},Die=Aie(e=>({button:Nie,list:rn(Tie,e),item:rn(Iie,e),groupTitle:Mie,command:Oie,divider:Rie})),zie=Pie({baseStyle:Die}),{defineMultiStyleConfig:Fie,definePartsStyle:D5}=Bt(Lne.keys),Bie={bg:"blackAlpha.600",zIndex:"modal"},$ie=e=>{const{isCentered:t,scrollBehavior:n}=e;return{display:"flex",zIndex:"modal",justifyContent:"center",alignItems:t?"center":"flex-start",overflow:n==="inside"?"hidden":"auto"}},Vie=e=>{const{scrollBehavior:t}=e;return{borderRadius:"md",bg:re("white","gray.700")(e),color:"inherit",my:"16",zIndex:"modal",maxH:t==="inside"?"calc(100% - 7.5rem)":void 0,boxShadow:re("lg","dark-lg")(e)}},Wie={px:"6",py:"4",fontSize:"xl",fontWeight:"semibold"},Hie={position:"absolute",top:"2",insetEnd:"3"},jie=e=>{const{scrollBehavior:t}=e;return{px:"6",py:"2",flex:"1",overflow:t==="inside"?"auto":void 0}},Uie={px:"6",py:"4"},Gie=D5(e=>({overlay:Bie,dialogContainer:rn($ie,e),dialog:rn(Vie,e),header:Wie,closeButton:Hie,body:rn(jie,e),footer:Uie}));function Eo(e){return D5(e==="full"?{dialog:{maxW:"100vw",minH:"$100vh",my:"0",borderRadius:"0"}}:{dialog:{maxW:e}})}var Zie={xs:Eo("xs"),sm:Eo("sm"),md:Eo("md"),lg:Eo("lg"),xl:Eo("xl"),"2xl":Eo("2xl"),"3xl":Eo("3xl"),"4xl":Eo("4xl"),"5xl":Eo("5xl"),"6xl":Eo("6xl"),full:Eo("full")},Kie=Fie({baseStyle:Gie,sizes:Zie,defaultProps:{size:"md"}}),qie={letterSpacings:{tighter:"-0.05em",tight:"-0.025em",normal:"0",wide:"0.025em",wider:"0.05em",widest:"0.1em"},lineHeights:{normal:"normal",none:1,shorter:1.25,short:1.375,base:1.5,tall:1.625,taller:"2",3:".75rem",4:"1rem",5:"1.25rem",6:"1.5rem",7:"1.75rem",8:"2rem",9:"2.25rem",10:"2.5rem"},fontWeights:{hairline:100,thin:200,light:300,normal:400,medium:500,semibold:600,bold:700,extrabold:800,black:900},fonts:{heading:'-apple-system, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol"',body:'-apple-system, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol"',mono:'SFMono-Regular,Menlo,Monaco,Consolas,"Liberation Mono","Courier New",monospace'},fontSizes:{"3xs":"0.45rem","2xs":"0.625rem",xs:"0.75rem",sm:"0.875rem",md:"1rem",lg:"1.125rem",xl:"1.25rem","2xl":"1.5rem","3xl":"1.875rem","4xl":"2.25rem","5xl":"3rem","6xl":"3.75rem","7xl":"4.5rem","8xl":"6rem","9xl":"8rem"}},JA=qie,{defineMultiStyleConfig:Yie,definePartsStyle:eT}=Bt(Pne.keys),Rb=_r("number-input-stepper-width"),tT=_r("number-input-input-padding"),Xie=$i(Rb).add("0.5rem").toString(),Qie={[Rb.variable]:"sizes.6",[tT.variable]:Xie},Jie=e=>{var t;return((t=rn(at.baseStyle,e))==null?void 0:t.field)??{}},eae={width:[Rb.reference]},tae=e=>({borderStart:"1px solid",borderStartColor:re("inherit","whiteAlpha.300")(e),color:re("inherit","whiteAlpha.800")(e),_active:{bg:re("gray.200","whiteAlpha.300")(e)},_disabled:{opacity:.4,cursor:"not-allowed"}}),nae=eT(e=>({root:Qie,field:Jie,stepperGroup:eae,stepper:rn(tae,e)??{}}));function xh(e){var t,n;const r=(t=at.sizes)==null?void 0:t[e],o={lg:"md",md:"md",sm:"sm",xs:"sm"},i=((n=r.field)==null?void 0:n.fontSize)??"md",s=JA.fontSizes[i];return eT({field:{...r.field,paddingInlineEnd:tT.reference,verticalAlign:"top"},stepper:{fontSize:$i(s).multiply(.75).toString(),_first:{borderTopEndRadius:o[e]},_last:{borderBottomEndRadius:o[e],mt:"-1px",borderTopWidth:1}}})}var rae={xs:xh("xs"),sm:xh("sm"),md:xh("md"),lg:xh("lg")},oae=Yie({baseStyle:nae,sizes:rae,variants:at.variants,defaultProps:at.defaultProps}),V8,iae={...(V8=at.baseStyle)==null?void 0:V8.field,textAlign:"center"},aae={lg:{fontSize:"lg",w:12,h:12,borderRadius:"md"},md:{fontSize:"md",w:10,h:10,borderRadius:"md"},sm:{fontSize:"sm",w:8,h:8,borderRadius:"sm"},xs:{fontSize:"xs",w:6,h:6,borderRadius:"sm"}},W8,sae={outline:e=>{var t,n;return((n=rn((t=at.variants)==null?void 0:t.outline,e))==null?void 0:n.field)??{}},flushed:e=>{var t,n;return((n=rn((t=at.variants)==null?void 0:t.flushed,e))==null?void 0:n.field)??{}},filled:e=>{var t,n;return((n=rn((t=at.variants)==null?void 0:t.filled,e))==null?void 0:n.field)??{}},unstyled:((W8=at.variants)==null?void 0:W8.unstyled.field)??{}},lae={baseStyle:iae,sizes:aae,variants:sae,defaultProps:at.defaultProps},{defineMultiStyleConfig:uae,definePartsStyle:cae}=Bt(Ane.keys),E2=_r("popper-bg"),fae=_r("popper-arrow-bg"),dae=_r("popper-arrow-shadow-color"),pae={zIndex:10},hae=e=>{const t=re("white","gray.700")(e),n=re("gray.200","whiteAlpha.300")(e);return{[E2.variable]:`colors.${t}`,bg:E2.reference,[fae.variable]:E2.reference,[dae.variable]:`colors.${n}`,width:"xs",border:"1px solid",borderColor:"inherit",borderRadius:"md",boxShadow:"sm",zIndex:"inherit",_focusVisible:{outline:0,boxShadow:"outline"}}},mae={px:3,py:2,borderBottomWidth:"1px"},gae={px:3,py:2},vae={px:3,py:2,borderTopWidth:"1px"},yae={position:"absolute",borderRadius:"md",top:1,insetEnd:2,padding:2},bae=cae(e=>({popper:pae,content:hae(e),header:mae,body:gae,footer:vae,closeButton:yae})),xae=uae({baseStyle:bae}),{defineMultiStyleConfig:Sae,definePartsStyle:Bc}=Bt(Tne.keys),wae=e=>{const{colorScheme:t,theme:n,isIndeterminate:r,hasStripe:o}=e,i=re(D8(),D8("1rem","rgba(0,0,0,0.1)"))(e),s=re(`${t}.500`,`${t}.200`)(e),u=`linear-gradient( + to right, + transparent 0%, + ${mn(n,s)} 50%, + transparent 100% + )`;return{...!r&&o&&i,...r?{bgImage:u}:{bgColor:s}}},Cae={lineHeight:"1",fontSize:"0.25em",fontWeight:"bold",color:"white"},_ae=e=>({bg:re("gray.100","whiteAlpha.300")(e)}),kae=e=>({transitionProperty:"common",transitionDuration:"slow",...wae(e)}),Eae=Bc(e=>({label:Cae,filledTrack:kae(e),track:_ae(e)})),Lae={xs:Bc({track:{h:"1"}}),sm:Bc({track:{h:"2"}}),md:Bc({track:{h:"3"}}),lg:Bc({track:{h:"4"}})},Pae=Sae({sizes:Lae,baseStyle:Eae,defaultProps:{size:"md",colorScheme:"blue"}}),{defineMultiStyleConfig:Aae,definePartsStyle:r1}=Bt(Ine.keys),Tae=e=>{var t;const n=(t=rn(u0.baseStyle,e))==null?void 0:t.control;return{...n,borderRadius:"full",_checked:{...n?._checked,_before:{content:'""',display:"inline-block",pos:"relative",w:"50%",h:"50%",borderRadius:"50%",bg:"currentColor"}}}},Iae=r1(e=>{var t,n,r,o;return{label:(n=(t=u0).baseStyle)==null?void 0:n.call(t,e).label,container:(o=(r=u0).baseStyle)==null?void 0:o.call(r,e).container,control:Tae(e)}}),Mae={md:r1({control:{w:"4",h:"4"},label:{fontSize:"md"}}),lg:r1({control:{w:"5",h:"5"},label:{fontSize:"lg"}}),sm:r1({control:{width:"3",height:"3"},label:{fontSize:"sm"}})},Oae=Aae({baseStyle:Iae,sizes:Mae,defaultProps:{size:"md",colorScheme:"blue"}}),{defineMultiStyleConfig:Rae,definePartsStyle:Nae}=Bt(Mne.keys),Dae=e=>{var t;return{...(t=at.baseStyle)==null?void 0:t.field,bg:re("white","gray.700")(e),appearance:"none",paddingBottom:"1px",lineHeight:"normal","> option, > optgroup":{bg:re("white","gray.700")(e)}}},zae={width:"6",height:"100%",insetEnd:"2",position:"relative",color:"currentColor",fontSize:"xl",_disabled:{opacity:.5}},Fae=Nae(e=>({field:Dae(e),icon:zae})),Sh={paddingInlineEnd:"8"},H8,j8,U8,G8,Z8,K8,q8,Y8,Bae={lg:{...(H8=at.sizes)==null?void 0:H8.lg,field:{...(j8=at.sizes)==null?void 0:j8.lg.field,...Sh}},md:{...(U8=at.sizes)==null?void 0:U8.md,field:{...(G8=at.sizes)==null?void 0:G8.md.field,...Sh}},sm:{...(Z8=at.sizes)==null?void 0:Z8.sm,field:{...(K8=at.sizes)==null?void 0:K8.sm.field,...Sh}},xs:{...(q8=at.sizes)==null?void 0:q8.xs,field:{...(Y8=at.sizes)==null?void 0:Y8.sm.field,...Sh},icon:{insetEnd:"1"}}},$ae=Rae({baseStyle:Fae,sizes:Bae,variants:at.variants,defaultProps:at.defaultProps}),Vae=Ja("skeleton-start-color"),Wae=Ja("skeleton-end-color"),Hae=e=>{const t=re("gray.100","gray.800")(e),n=re("gray.400","gray.600")(e),{startColor:r=t,endColor:o=n,theme:i}=e,s=mn(i,r),u=mn(i,o);return{[Vae.variable]:s,[Wae.variable]:u,opacity:.7,borderRadius:"2px",borderColor:s,background:u}},jae={baseStyle:Hae},Uae=e=>({borderRadius:"md",fontWeight:"semibold",_focusVisible:{boxShadow:"outline",padding:"4",position:"fixed",top:"6",insetStart:"6",bg:re("white","gray.700")(e)}}),Gae={baseStyle:Uae},{defineMultiStyleConfig:Zae,definePartsStyle:Pm}=Bt(One.keys),Xf=Ja("slider-thumb-size"),Qf=Ja("slider-track-size"),Kae=e=>{const{orientation:t}=e;return{display:"inline-block",position:"relative",cursor:"pointer",_disabled:{opacity:.6,cursor:"default",pointerEvents:"none"},...Ib({orientation:t,vertical:{h:"100%"},horizontal:{w:"100%"}})}},qae=e=>({...Ib({orientation:e.orientation,horizontal:{h:Qf.reference},vertical:{w:Qf.reference}}),overflow:"hidden",borderRadius:"sm",bg:re("gray.200","whiteAlpha.200")(e),_disabled:{bg:re("gray.300","whiteAlpha.300")(e)}}),Yae=e=>{const{orientation:t}=e;return{...Ib({orientation:t,vertical:{left:"50%",transform:"translateX(-50%)",_active:{transform:"translateX(-50%) scale(1.15)"}},horizontal:{top:"50%",transform:"translateY(-50%)",_active:{transform:"translateY(-50%) scale(1.15)"}}}),w:Xf.reference,h:Xf.reference,display:"flex",alignItems:"center",justifyContent:"center",position:"absolute",outline:0,zIndex:1,borderRadius:"full",bg:"white",boxShadow:"base",border:"1px solid",borderColor:"transparent",transitionProperty:"transform",transitionDuration:"normal",_focusVisible:{boxShadow:"outline"},_disabled:{bg:"gray.300"}}},Xae=e=>{const{colorScheme:t}=e;return{width:"inherit",height:"inherit",bg:re(`${t}.500`,`${t}.200`)(e)}},Qae=Pm(e=>({container:Kae(e),track:qae(e),thumb:Yae(e),filledTrack:Xae(e)})),Jae=Pm({container:{[Xf.variable]:"sizes.4",[Qf.variable]:"sizes.1"}}),ese=Pm({container:{[Xf.variable]:"sizes.3.5",[Qf.variable]:"sizes.1"}}),tse=Pm({container:{[Xf.variable]:"sizes.2.5",[Qf.variable]:"sizes.0.5"}}),nse={lg:Jae,md:ese,sm:tse},rse=Zae({baseStyle:Qae,sizes:nse,defaultProps:{size:"md",colorScheme:"blue"}}),bs=_r("spinner-size"),ose={width:[bs.reference],height:[bs.reference]},ise={xs:{[bs.variable]:"sizes.3"},sm:{[bs.variable]:"sizes.4"},md:{[bs.variable]:"sizes.6"},lg:{[bs.variable]:"sizes.8"},xl:{[bs.variable]:"sizes.12"}},ase={baseStyle:ose,sizes:ise,defaultProps:{size:"md"}},{defineMultiStyleConfig:sse,definePartsStyle:nT}=Bt(Rne.keys),lse={fontWeight:"medium"},use={opacity:.8,marginBottom:"2"},cse={verticalAlign:"baseline",fontWeight:"semibold"},fse={marginEnd:1,w:"3.5",h:"3.5",verticalAlign:"middle"},dse=nT({container:{},label:lse,helpText:use,number:cse,icon:fse}),pse={md:nT({label:{fontSize:"sm"},helpText:{fontSize:"sm"},number:{fontSize:"2xl"}})},hse=sse({baseStyle:dse,sizes:pse,defaultProps:{size:"md"}}),{defineMultiStyleConfig:mse,definePartsStyle:o1}=Bt(Nne.keys),ff=_r("switch-track-width"),Ms=_r("switch-track-height"),L2=_r("switch-track-diff"),gse=$i.subtract(ff,Ms),z5=_r("switch-thumb-x"),vse=e=>{const{colorScheme:t}=e;return{borderRadius:"full",p:"0.5",width:[ff.reference],height:[Ms.reference],transitionProperty:"common",transitionDuration:"fast",bg:re("gray.300","whiteAlpha.400")(e),_focusVisible:{boxShadow:"outline"},_disabled:{opacity:.4,cursor:"not-allowed"},_checked:{bg:re(`${t}.500`,`${t}.200`)(e)}}},yse={bg:"white",transitionProperty:"transform",transitionDuration:"normal",borderRadius:"inherit",width:[Ms.reference],height:[Ms.reference],_checked:{transform:`translateX(${z5.reference})`}},bse=o1(e=>({container:{[L2.variable]:gse,[z5.variable]:L2.reference,_rtl:{[z5.variable]:$i(L2).negate().toString()}},track:vse(e),thumb:yse})),xse={sm:o1({container:{[ff.variable]:"1.375rem",[Ms.variable]:"sizes.3"}}),md:o1({container:{[ff.variable]:"1.875rem",[Ms.variable]:"sizes.4"}}),lg:o1({container:{[ff.variable]:"2.875rem",[Ms.variable]:"sizes.6"}})},Sse=mse({baseStyle:bse,sizes:xse,defaultProps:{size:"md",colorScheme:"blue"}}),{defineMultiStyleConfig:wse,definePartsStyle:su}=Bt(Dne.keys),Cse=su({table:{fontVariantNumeric:"lining-nums tabular-nums",borderCollapse:"collapse",width:"full"},th:{fontFamily:"heading",fontWeight:"bold",textTransform:"uppercase",letterSpacing:"wider",textAlign:"start"},td:{textAlign:"start"},caption:{mt:4,fontFamily:"heading",textAlign:"center",fontWeight:"medium"}}),c0={"&[data-is-numeric=true]":{textAlign:"end"}},_se=su(e=>{const{colorScheme:t}=e;return{th:{color:re("gray.600","gray.400")(e),borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...c0},td:{borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...c0},caption:{color:re("gray.600","gray.100")(e)},tfoot:{tr:{"&:last-of-type":{th:{borderBottomWidth:0}}}}}}),kse=su(e=>{const{colorScheme:t}=e;return{th:{color:re("gray.600","gray.400")(e),borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...c0},td:{borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...c0},caption:{color:re("gray.600","gray.100")(e)},tbody:{tr:{"&:nth-of-type(odd)":{"th, td":{borderBottomWidth:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e)},td:{background:re(`${t}.100`,`${t}.700`)(e)}}}},tfoot:{tr:{"&:last-of-type":{th:{borderBottomWidth:0}}}}}}),Ese={simple:_se,striped:kse,unstyled:{}},Lse={sm:su({th:{px:"4",py:"1",lineHeight:"4",fontSize:"xs"},td:{px:"4",py:"2",fontSize:"sm",lineHeight:"4"},caption:{px:"4",py:"2",fontSize:"xs"}}),md:su({th:{px:"6",py:"3",lineHeight:"4",fontSize:"xs"},td:{px:"6",py:"4",lineHeight:"5"},caption:{px:"6",py:"2",fontSize:"sm"}}),lg:su({th:{px:"8",py:"4",lineHeight:"5",fontSize:"sm"},td:{px:"8",py:"5",lineHeight:"6"},caption:{px:"6",py:"2",fontSize:"md"}})},Pse=wse({baseStyle:Cse,variants:Ese,sizes:Lse,defaultProps:{variant:"simple",size:"md",colorScheme:"gray"}}),{defineMultiStyleConfig:Ase,definePartsStyle:ci}=Bt(zne.keys),Tse=e=>{const{orientation:t}=e;return{display:t==="vertical"?"flex":"block"}},Ise=e=>{const{isFitted:t}=e;return{flex:t?1:void 0,transitionProperty:"common",transitionDuration:"normal",_focusVisible:{zIndex:1,boxShadow:"outline"},_disabled:{cursor:"not-allowed",opacity:.4}}},Mse=e=>{const{align:t="start",orientation:n}=e;return{justifyContent:{end:"flex-end",center:"center",start:"flex-start"}[t],flexDirection:n==="vertical"?"column":"row"}},Ose={p:4},Rse=ci(e=>({root:Tse(e),tab:Ise(e),tablist:Mse(e),tabpanel:Ose})),Nse={sm:ci({tab:{py:1,px:4,fontSize:"sm"}}),md:ci({tab:{fontSize:"md",py:2,px:4}}),lg:ci({tab:{fontSize:"lg",py:3,px:4}})},Dse=ci(e=>{const{colorScheme:t,orientation:n}=e,r=n==="vertical",o=n==="vertical"?"borderStart":"borderBottom",i=r?"marginStart":"marginBottom";return{tablist:{[o]:"2px solid",borderColor:"inherit"},tab:{[o]:"2px solid",borderColor:"transparent",[i]:"-2px",_selected:{color:re(`${t}.600`,`${t}.300`)(e),borderColor:"currentColor"},_active:{bg:re("gray.200","whiteAlpha.300")(e)},_disabled:{_active:{bg:"none"}}}}}),zse=ci(e=>{const{colorScheme:t}=e;return{tab:{borderTopRadius:"md",border:"1px solid",borderColor:"transparent",mb:"-1px",_selected:{color:re(`${t}.600`,`${t}.300`)(e),borderColor:"inherit",borderBottomColor:re("white","gray.800")(e)}},tablist:{mb:"-1px",borderBottom:"1px solid",borderColor:"inherit"}}}),Fse=ci(e=>{const{colorScheme:t}=e;return{tab:{border:"1px solid",borderColor:"inherit",bg:re("gray.50","whiteAlpha.50")(e),mb:"-1px",_notLast:{marginEnd:"-1px"},_selected:{bg:re("#fff","gray.800")(e),color:re(`${t}.600`,`${t}.300`)(e),borderColor:"inherit",borderTopColor:"currentColor",borderBottomColor:"transparent"}},tablist:{mb:"-1px",borderBottom:"1px solid",borderColor:"inherit"}}}),Bse=ci(e=>{const{colorScheme:t,theme:n}=e;return{tab:{borderRadius:"full",fontWeight:"semibold",color:"gray.600",_selected:{color:mn(n,`${t}.700`),bg:mn(n,`${t}.100`)}}}}),$se=ci(e=>{const{colorScheme:t}=e;return{tab:{borderRadius:"full",fontWeight:"semibold",color:re("gray.600","inherit")(e),_selected:{color:re("#fff","gray.800")(e),bg:re(`${t}.600`,`${t}.300`)(e)}}}}),Vse=ci({}),Wse={line:Dse,enclosed:zse,"enclosed-colored":Fse,"soft-rounded":Bse,"solid-rounded":$se,unstyled:Vse},Hse=Ase({baseStyle:Rse,sizes:Nse,variants:Wse,defaultProps:{size:"md",variant:"line",colorScheme:"blue"}}),{defineMultiStyleConfig:jse,definePartsStyle:Os}=Bt(Fne.keys),Use={fontWeight:"medium",lineHeight:1.2,outline:0,borderRadius:"md",_focusVisible:{boxShadow:"outline"}},Gse={lineHeight:1.2,overflow:"visible"},Zse={fontSize:"lg",w:"5",h:"5",transitionProperty:"common",transitionDuration:"normal",borderRadius:"full",marginStart:"1.5",marginEnd:"-1",opacity:.5,_disabled:{opacity:.4},_focusVisible:{boxShadow:"outline",bg:"rgba(0, 0, 0, 0.14)"},_hover:{opacity:.8},_active:{opacity:1}},Kse=Os({container:Use,label:Gse,closeButton:Zse}),qse={sm:Os({container:{minH:"5",minW:"5",fontSize:"xs",px:"2"},closeButton:{marginEnd:"-2px",marginStart:"0.35rem"}}),md:Os({container:{minH:"6",minW:"6",fontSize:"sm",px:"2"}}),lg:Os({container:{minH:"8",minW:"8",fontSize:"md",px:"3"}})},Yse={subtle:Os(e=>{var t;return{container:(t=lf.variants)==null?void 0:t.subtle(e)}}),solid:Os(e=>{var t;return{container:(t=lf.variants)==null?void 0:t.solid(e)}}),outline:Os(e=>{var t;return{container:(t=lf.variants)==null?void 0:t.outline(e)}})},Xse=jse({variants:Yse,baseStyle:Kse,sizes:qse,defaultProps:{size:"md",variant:"subtle",colorScheme:"gray"}}),X8,Qse={...(X8=at.baseStyle)==null?void 0:X8.field,paddingY:"2",minHeight:"20",lineHeight:"short",verticalAlign:"top"},Q8,Jse={outline:e=>{var t;return((t=at.variants)==null?void 0:t.outline(e).field)??{}},flushed:e=>{var t;return((t=at.variants)==null?void 0:t.flushed(e).field)??{}},filled:e=>{var t;return((t=at.variants)==null?void 0:t.filled(e).field)??{}},unstyled:((Q8=at.variants)==null?void 0:Q8.unstyled.field)??{}},J8,e7,t7,n7,ele={xs:((J8=at.sizes)==null?void 0:J8.xs.field)??{},sm:((e7=at.sizes)==null?void 0:e7.sm.field)??{},md:((t7=at.sizes)==null?void 0:t7.md.field)??{},lg:((n7=at.sizes)==null?void 0:n7.lg.field)??{}},tle={baseStyle:Qse,sizes:ele,variants:Jse,defaultProps:{size:"md",variant:"outline"}},P2=_r("tooltip-bg"),r7=_r("tooltip-fg"),nle=_r("popper-arrow-bg"),rle=e=>{const t=re("gray.700","gray.300")(e),n=re("whiteAlpha.900","gray.900")(e);return{bg:P2.reference,color:r7.reference,[P2.variable]:`colors.${t}`,[r7.variable]:`colors.${n}`,[nle.variable]:P2.reference,px:"2",py:"0.5",borderRadius:"sm",fontWeight:"medium",fontSize:"sm",boxShadow:"md",maxW:"xs",zIndex:"tooltip"}},ole={baseStyle:rle},ile={Accordion:_re,Alert:Mre,Avatar:Hre,Badge:lf,Breadcrumb:Jre,Button:loe,Checkbox:u0,CloseButton:yoe,Code:woe,Container:_oe,Divider:Aoe,Drawer:$oe,Editable:Zoe,Form:Joe,FormError:iie,FormLabel:sie,Heading:cie,Input:at,Kbd:xie,Link:wie,List:Lie,Menu:zie,Modal:Kie,NumberInput:oae,PinInput:lae,Popover:xae,Progress:Pae,Radio:Oae,Select:$ae,Skeleton:jae,SkipLink:Gae,Slider:rse,Spinner:ase,Stat:hse,Switch:Sse,Table:Pse,Tabs:Hse,Tag:Xse,Textarea:tle,Tooltip:ole},ale={none:0,"1px":"1px solid","2px":"2px solid","4px":"4px solid","8px":"8px solid"},sle=ale,lle={base:"0em",sm:"30em",md:"48em",lg:"62em",xl:"80em","2xl":"96em"},ule=lle,cle={transparent:"transparent",current:"currentColor",black:"#000000",white:"#FFFFFF",whiteAlpha:{50:"rgba(255, 255, 255, 0.04)",100:"rgba(255, 255, 255, 0.06)",200:"rgba(255, 255, 255, 0.08)",300:"rgba(255, 255, 255, 0.16)",400:"rgba(255, 255, 255, 0.24)",500:"rgba(255, 255, 255, 0.36)",600:"rgba(255, 255, 255, 0.48)",700:"rgba(255, 255, 255, 0.64)",800:"rgba(255, 255, 255, 0.80)",900:"rgba(255, 255, 255, 0.92)"},blackAlpha:{50:"rgba(0, 0, 0, 0.04)",100:"rgba(0, 0, 0, 0.06)",200:"rgba(0, 0, 0, 0.08)",300:"rgba(0, 0, 0, 0.16)",400:"rgba(0, 0, 0, 0.24)",500:"rgba(0, 0, 0, 0.36)",600:"rgba(0, 0, 0, 0.48)",700:"rgba(0, 0, 0, 0.64)",800:"rgba(0, 0, 0, 0.80)",900:"rgba(0, 0, 0, 0.92)"},gray:{50:"#F7FAFC",100:"#EDF2F7",200:"#E2E8F0",300:"#CBD5E0",400:"#A0AEC0",500:"#718096",600:"#4A5568",700:"#2D3748",800:"#1A202C",900:"#171923"},red:{50:"#FFF5F5",100:"#FED7D7",200:"#FEB2B2",300:"#FC8181",400:"#F56565",500:"#E53E3E",600:"#C53030",700:"#9B2C2C",800:"#822727",900:"#63171B"},orange:{50:"#FFFAF0",100:"#FEEBC8",200:"#FBD38D",300:"#F6AD55",400:"#ED8936",500:"#DD6B20",600:"#C05621",700:"#9C4221",800:"#7B341E",900:"#652B19"},yellow:{50:"#FFFFF0",100:"#FEFCBF",200:"#FAF089",300:"#F6E05E",400:"#ECC94B",500:"#D69E2E",600:"#B7791F",700:"#975A16",800:"#744210",900:"#5F370E"},green:{50:"#F0FFF4",100:"#C6F6D5",200:"#9AE6B4",300:"#68D391",400:"#48BB78",500:"#38A169",600:"#2F855A",700:"#276749",800:"#22543D",900:"#1C4532"},teal:{50:"#E6FFFA",100:"#B2F5EA",200:"#81E6D9",300:"#4FD1C5",400:"#38B2AC",500:"#319795",600:"#2C7A7B",700:"#285E61",800:"#234E52",900:"#1D4044"},blue:{50:"#ebf8ff",100:"#bee3f8",200:"#90cdf4",300:"#63b3ed",400:"#4299e1",500:"#3182ce",600:"#2b6cb0",700:"#2c5282",800:"#2a4365",900:"#1A365D"},cyan:{50:"#EDFDFD",100:"#C4F1F9",200:"#9DECF9",300:"#76E4F7",400:"#0BC5EA",500:"#00B5D8",600:"#00A3C4",700:"#0987A0",800:"#086F83",900:"#065666"},purple:{50:"#FAF5FF",100:"#E9D8FD",200:"#D6BCFA",300:"#B794F4",400:"#9F7AEA",500:"#805AD5",600:"#6B46C1",700:"#553C9A",800:"#44337A",900:"#322659"},pink:{50:"#FFF5F7",100:"#FED7E2",200:"#FBB6CE",300:"#F687B3",400:"#ED64A6",500:"#D53F8C",600:"#B83280",700:"#97266D",800:"#702459",900:"#521B41"},linkedin:{50:"#E8F4F9",100:"#CFEDFB",200:"#9BDAF3",300:"#68C7EC",400:"#34B3E4",500:"#00A0DC",600:"#008CC9",700:"#0077B5",800:"#005E93",900:"#004471"},facebook:{50:"#E8F4F9",100:"#D9DEE9",200:"#B7C2DA",300:"#6482C0",400:"#4267B2",500:"#385898",600:"#314E89",700:"#29487D",800:"#223B67",900:"#1E355B"},messenger:{50:"#D0E6FF",100:"#B9DAFF",200:"#A2CDFF",300:"#7AB8FF",400:"#2E90FF",500:"#0078FF",600:"#0063D1",700:"#0052AC",800:"#003C7E",900:"#002C5C"},whatsapp:{50:"#dffeec",100:"#b9f5d0",200:"#90edb3",300:"#65e495",400:"#3cdd78",500:"#22c35e",600:"#179848",700:"#0c6c33",800:"#01421c",900:"#001803"},twitter:{50:"#E5F4FD",100:"#C8E9FB",200:"#A8DCFA",300:"#83CDF7",400:"#57BBF5",500:"#1DA1F2",600:"#1A94DA",700:"#1681BF",800:"#136B9E",900:"#0D4D71"},telegram:{50:"#E3F2F9",100:"#C5E4F3",200:"#A2D4EC",300:"#7AC1E4",400:"#47A9DA",500:"#0088CC",600:"#007AB8",700:"#006BA1",800:"#005885",900:"#003F5E"}},fle=cle,dle={none:"0",sm:"0.125rem",base:"0.25rem",md:"0.375rem",lg:"0.5rem",xl:"0.75rem","2xl":"1rem","3xl":"1.5rem",full:"9999px"},ple=dle,hle={xs:"0 0 0 1px rgba(0, 0, 0, 0.05)",sm:"0 1px 2px 0 rgba(0, 0, 0, 0.05)",base:"0 1px 3px 0 rgba(0, 0, 0, 0.1), 0 1px 2px 0 rgba(0, 0, 0, 0.06)",md:"0 4px 6px -1px rgba(0, 0, 0, 0.1), 0 2px 4px -1px rgba(0, 0, 0, 0.06)",lg:"0 10px 15px -3px rgba(0, 0, 0, 0.1), 0 4px 6px -2px rgba(0, 0, 0, 0.05)",xl:"0 20px 25px -5px rgba(0, 0, 0, 0.1), 0 10px 10px -5px rgba(0, 0, 0, 0.04)","2xl":"0 25px 50px -12px rgba(0, 0, 0, 0.25)",outline:"0 0 0 3px rgba(66, 153, 225, 0.6)",inner:"inset 0 2px 4px 0 rgba(0,0,0,0.06)",none:"none","dark-lg":"rgba(0, 0, 0, 0.1) 0px 0px 0px 1px, rgba(0, 0, 0, 0.2) 0px 5px 10px, rgba(0, 0, 0, 0.4) 0px 15px 40px"},mle=hle,gle={common:"background-color, border-color, color, fill, stroke, opacity, box-shadow, transform",colors:"background-color, border-color, color, fill, stroke",dimensions:"width, height",position:"left, right, top, bottom",background:"background-color, background-image, background-position"},vle={"ease-in":"cubic-bezier(0.4, 0, 1, 1)","ease-out":"cubic-bezier(0, 0, 0.2, 1)","ease-in-out":"cubic-bezier(0.4, 0, 0.2, 1)"},yle={"ultra-fast":"50ms",faster:"100ms",fast:"150ms",normal:"200ms",slow:"300ms",slower:"400ms","ultra-slow":"500ms"},ble={property:gle,easing:vle,duration:yle},xle=ble,Sle={hide:-1,auto:"auto",base:0,docked:10,dropdown:1e3,sticky:1100,banner:1200,overlay:1300,modal:1400,popover:1500,skipLink:1600,toast:1700,tooltip:1800},wle=Sle,Cle={none:0,sm:"4px",base:"8px",md:"12px",lg:"16px",xl:"24px","2xl":"40px","3xl":"64px"},_le=Cle,kle={breakpoints:ule,zIndices:wle,radii:ple,blur:_le,colors:fle,...JA,sizes:YA,shadows:mle,space:qA,borders:sle,transition:xle},Ele={colors:{"chakra-body-text":{_light:"gray.800",_dark:"whiteAlpha.900"},"chakra-body-bg":{_light:"white",_dark:"gray.800"},"chakra-border-color":{_light:"gray.200",_dark:"whiteAlpha.300"},"chakra-placeholder-color":{_light:"gray.500",_dark:"whiteAlpha.400"}}},Lle={global:{body:{fontFamily:"body",color:"chakra-body-text",bg:"chakra-body-bg",transitionProperty:"background-color",transitionDuration:"normal",lineHeight:"base"},"*::placeholder":{color:"chakra-placeholder-color"},"*, *::before, &::after":{borderColor:"chakra-border-color",wordWrap:"break-word"}}};function Ple(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}var Ale=["borders","breakpoints","colors","components","config","direction","fonts","fontSizes","fontWeights","letterSpacings","lineHeights","radii","shadows","sizes","space","styles","transition","zIndices"];function Tle(e){return Ple(e)?Ale.every(t=>Object.prototype.hasOwnProperty.call(e,t)):!1}var Ile="ltr",Mle={useSystemColorMode:!1,initialColorMode:"light",cssVarPrefix:"chakra"},rT={semanticTokens:Ele,direction:Ile,...kle,components:ile,styles:Lle,config:Mle};function Ole(e,t){const n=Un(e);C.exports.useEffect(()=>{if(t==null)return;let r=null;return r=window.setTimeout(()=>{n()},t),()=>{r&&window.clearTimeout(r)}},[t,n])}function F5(e,...t){return Rle(e)?e(...t):e}var Rle=e=>typeof e=="function";function Nle(e,t){const n=e??"bottom",o={"top-start":{ltr:"top-left",rtl:"top-right"},"top-end":{ltr:"top-right",rtl:"top-left"},"bottom-start":{ltr:"bottom-left",rtl:"bottom-right"},"bottom-end":{ltr:"bottom-right",rtl:"bottom-left"}}[n];return o?.[t]??n}var Dle=(e,t)=>e.find(n=>n.id===t);function o7(e,t){const n=oT(e,t),r=n?e[n].findIndex(o=>o.id===t):-1;return{position:n,index:r}}function oT(e,t){for(const[n,r]of Object.entries(e))if(Dle(r,t))return n}function zle(e){const t=e.includes("right"),n=e.includes("left");let r="center";return t&&(r="flex-end"),n&&(r="flex-start"),{display:"flex",flexDirection:"column",alignItems:r}}function Fle(e){const n=e==="top"||e==="bottom"?"0 auto":void 0,r=e.includes("top")?"env(safe-area-inset-top, 0px)":void 0,o=e.includes("bottom")?"env(safe-area-inset-bottom, 0px)":void 0,i=e.includes("left")?void 0:"env(safe-area-inset-right, 0px)",s=e.includes("right")?void 0:"env(safe-area-inset-left, 0px)";return{position:"fixed",zIndex:5500,pointerEvents:"none",display:"flex",flexDirection:"column",margin:n,top:r,bottom:o,right:i,left:s}}var Ble={top:[],"top-left":[],"top-right":[],"bottom-left":[],bottom:[],"bottom-right":[]},ti=$le(Ble);function $le(e){let t=e;const n=new Set,r=o=>{t=o(t),n.forEach(i=>i())};return{getState:()=>t,subscribe:o=>(n.add(o),()=>{r(()=>e),n.delete(o)}),removeToast:(o,i)=>{r(s=>({...s,[i]:s[i].filter(u=>u.id!=o)}))},notify:(o,i)=>{const s=Vle(o,i),{position:u,id:c}=s;return r(f=>{const h=u.includes("top")?[s,...f[u]??[]]:[...f[u]??[],s];return{...f,[u]:h}}),c},update:(o,i)=>{!o||r(s=>{const u={...s},{position:c,index:f}=o7(u,o);return c&&f!==-1&&(u[c][f]={...u[c][f],...i,message:iT(i)}),u})},closeAll:({positions:o}={})=>{r(i=>(o??["bottom","bottom-right","bottom-left","top","top-left","top-right"]).reduce((c,f)=>(c[f]=i[f].map(d=>({...d,requestClose:!0})),c),{...i}))},close:o=>{r(i=>{const s=oT(i,o);return s?{...i,[s]:i[s].map(u=>u.id==o?{...u,requestClose:!0}:u)}:i})},isActive:o=>Boolean(o7(ti.getState(),o).position)}}var i7=0;function Vle(e,t={}){i7+=1;const n=t.id??i7,r=t.position??"bottom";return{id:n,message:e,position:r,duration:t.duration,onCloseComplete:t.onCloseComplete,onRequestRemove:()=>ti.removeToast(String(n),r),status:t.status,requestClose:!1,containerStyle:t.containerStyle}}var Wle=e=>{const{status:t,variant:n="solid",id:r,title:o,isClosable:i,onClose:s,description:u,icon:c}=e,f=r?{root:`toast-${r}`,title:`toast-${r}-title`,description:`toast-${r}-description`}:void 0;return Q.createElement(UL,{addRole:!1,status:t,variant:n,id:f?.root,alignItems:"start",borderRadius:"md",boxShadow:"lg",paddingEnd:8,textAlign:"start",width:"auto"},y(ZL,{children:c}),Q.createElement(oe.div,{flex:"1",maxWidth:"100%"},o&&y(KL,{id:f?.title,children:o}),u&&y(GL,{id:f?.description,display:"block",children:u})),i&&y(Sm,{size:"sm",onClick:s,position:"absolute",insetEnd:1,top:1}))};function iT(e={}){const{render:t,toastComponent:n=Wle}=e;return o=>typeof t=="function"?t(o):y(n,{...o,...e})}function Hle(e,t){const n=o=>({...t,...o,position:Nle(o?.position??t?.position,e)}),r=o=>{const i=n(o),s=iT(i);return ti.notify(s,i)};return r.update=(o,i)=>{ti.update(o,n(i))},r.promise=(o,i)=>{const s=r({...i.loading,status:"loading",duration:null});o.then(u=>r.update(s,{status:"success",duration:5e3,...F5(i.success,u)})).catch(u=>r.update(s,{status:"error",duration:5e3,...F5(i.error,u)}))},r.closeAll=ti.closeAll,r.close=ti.close,r.isActive=ti.isActive,r}function aT(e){const{theme:t}=rE();return C.exports.useMemo(()=>Hle(t.direction,e),[e,t.direction])}var jle={initial:e=>{const{position:t}=e,n=["top","bottom"].includes(t)?"y":"x";let r=["top-right","bottom-right"].includes(t)?1:-1;return t==="bottom"&&(r=1),{opacity:0,[n]:r*24}},animate:{opacity:1,y:0,x:0,scale:1,transition:{duration:.4,ease:[.4,0,.2,1]}},exit:{opacity:0,scale:.85,transition:{duration:.2,ease:[.4,0,1,1]}}},sT=C.exports.memo(e=>{const{id:t,message:n,onCloseComplete:r,onRequestRemove:o,requestClose:i=!1,position:s="bottom",duration:u=5e3,containerStyle:c,motionVariants:f=jle,toastSpacing:d="0.5rem"}=e,[h,m]=C.exports.useState(u),g=YG();n0(()=>{g||r?.()},[g]),n0(()=>{m(u)},[u]);const b=()=>m(null),S=()=>m(u),E=()=>{g&&o()};C.exports.useEffect(()=>{g&&i&&o()},[g,i,o]),Ole(E,h);const w=C.exports.useMemo(()=>({pointerEvents:"auto",maxWidth:560,minWidth:300,margin:d,...c}),[c,d]),x=C.exports.useMemo(()=>zle(s),[s]);return Q.createElement(ho.li,{layout:!0,className:"chakra-toast",variants:f,initial:"initial",animate:"animate",exit:"exit",onHoverStart:b,onHoverEnd:S,custom:{position:s},style:x},Q.createElement(oe.div,{role:"status","aria-atomic":"true",className:"chakra-toast__inner",__css:w},F5(n,{id:t,onClose:E})))});sT.displayName="ToastComponent";var Ule=e=>{const t=C.exports.useSyncExternalStore(ti.subscribe,ti.getState,ti.getState),{children:n,motionVariants:r,component:o=sT,portalProps:i}=e,u=Object.keys(t).map(c=>{const f=t[c];return y("ul",{role:"region","aria-live":"polite",id:`chakra-toast-manager-${c}`,style:Fle(c),children:y(ea,{initial:!1,children:f.map(d=>y(o,{motionVariants:r,...d},d.id))})},c)});return q(wn,{children:[n,y(Gs,{...i,children:u})]})};function Gle(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function Zle(e,t){const n={};for(const r of t)r in e&&(n[r]=e[r]);return n}var Kle={exit:{scale:.85,opacity:0,transition:{opacity:{duration:.15,easings:"easeInOut"},scale:{duration:.2,easings:"easeInOut"}}},enter:{scale:1,opacity:1,transition:{opacity:{easings:"easeOut",duration:.2},scale:{duration:.2,ease:[.175,.885,.4,1.1]}}}};function Tc(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var B5=e=>{var t;return((t=e.current)==null?void 0:t.ownerDocument)||document},$5=e=>{var t,n;return((n=(t=e.current)==null?void 0:t.ownerDocument)==null?void 0:n.defaultView)||window};function qle(e={}){const{openDelay:t=0,closeDelay:n=0,closeOnClick:r=!0,closeOnMouseDown:o,closeOnEsc:i=!0,onOpen:s,onClose:u,placement:c,id:f,isOpen:d,defaultIsOpen:h,arrowSize:m=10,arrowShadowColor:g,arrowPadding:b,modifiers:S,isDisabled:E,gutter:w,offset:x,direction:_,...L}=e,{isOpen:T,onOpen:R,onClose:N}=MP({isOpen:d,defaultIsOpen:h,onOpen:s,onClose:u}),{referenceRef:F,getPopperProps:K,getArrowInnerProps:W,getArrowProps:J}=IP({enabled:T,placement:c,arrowPadding:b,modifiers:S,gutter:w,offset:x,direction:_}),ve=C.exports.useId(),he=`tooltip-${f??ve}`,fe=C.exports.useRef(null),me=C.exports.useRef(),ne=C.exports.useRef(),H=C.exports.useCallback(()=>{ne.current&&(clearTimeout(ne.current),ne.current=void 0),N()},[N]),Y=Yle(fe,H),Z=C.exports.useCallback(()=>{if(!E&&!me.current){Y();const de=$5(fe);me.current=de.setTimeout(R,t)}},[Y,E,R,t]),M=C.exports.useCallback(()=>{me.current&&(clearTimeout(me.current),me.current=void 0);const de=$5(fe);ne.current=de.setTimeout(H,n)},[n,H]),j=C.exports.useCallback(()=>{T&&r&&M()},[r,M,T]),se=C.exports.useCallback(()=>{T&&o&&M()},[o,M,T]),ce=C.exports.useCallback(de=>{T&&de.key==="Escape"&&M()},[T,M]);x5(()=>B5(fe),"keydown",i?ce:void 0),C.exports.useEffect(()=>()=>{clearTimeout(me.current),clearTimeout(ne.current)},[]),x5(()=>fe.current,"mouseleave",M);const ye=C.exports.useCallback((de={},_e=null)=>({...de,ref:qt(fe,_e,F),onMouseEnter:Tc(de.onMouseEnter,Z),onClick:Tc(de.onClick,j),onMouseDown:Tc(de.onMouseDown,se),onFocus:Tc(de.onFocus,Z),onBlur:Tc(de.onBlur,M),"aria-describedby":T?he:void 0}),[Z,M,se,T,he,j,F]),be=C.exports.useCallback((de={},_e=null)=>K({...de,style:{...de.style,[ln.arrowSize.var]:m?`${m}px`:void 0,[ln.arrowShadowColor.var]:g}},_e),[K,m,g]),Le=C.exports.useCallback((de={},_e=null)=>{const De={...de.style,position:"relative",transformOrigin:ln.transformOrigin.varRef};return{ref:_e,...L,...de,id:he,role:"tooltip",style:De}},[L,he]);return{isOpen:T,show:Z,hide:M,getTriggerProps:ye,getTooltipProps:Le,getTooltipPositionerProps:be,getArrowProps:J,getArrowInnerProps:W}}var A2="chakra-ui:close-tooltip";function Yle(e,t){return C.exports.useEffect(()=>{const n=B5(e);return n.addEventListener(A2,t),()=>n.removeEventListener(A2,t)},[t,e]),()=>{const n=B5(e),r=$5(e);n.dispatchEvent(new r.CustomEvent(A2))}}var Xle=oe(ho.div),lo=ue((e,t)=>{const n=lr("Tooltip",e),r=yt(e),o=nm(),{children:i,label:s,shouldWrapChildren:u,"aria-label":c,hasArrow:f,bg:d,portalProps:h,background:m,backgroundColor:g,bgColor:b,...S}=r,E=m??g??d??b;if(E){n.bg=E;const F=pW(o,"colors",E);n[ln.arrowBg.var]=F}const w=qle({...S,direction:o.direction}),x=typeof i=="string"||u;let _;if(x)_=Q.createElement(oe.span,{tabIndex:0,...w.getTriggerProps()},i);else{const F=C.exports.Children.only(i);_=C.exports.cloneElement(F,w.getTriggerProps(F.props,F.ref))}const L=!!c,T=w.getTooltipProps({},t),R=L?Gle(T,["role","id"]):T,N=Zle(T,["role","id"]);return s?q(wn,{children:[_,y(ea,{children:w.isOpen&&Q.createElement(Gs,{...h},Q.createElement(oe.div,{...w.getTooltipPositionerProps(),__css:{zIndex:n.zIndex,pointerEvents:"none"}},q(Xle,{variants:Kle,...R,initial:"exit",animate:"enter",exit:"exit",__css:n,children:[s,L&&Q.createElement(oe.span,{srOnly:!0,...N},c),f&&Q.createElement(oe.div,{"data-popper-arrow":!0,className:"chakra-tooltip__arrow-wrapper"},Q.createElement(oe.div,{"data-popper-arrow-inner":!0,className:"chakra-tooltip__arrow",__css:{bg:n.bg}}))]})))})]}):y(wn,{children:i})});lo.displayName="Tooltip";var Qle=e=>{const{children:t,colorModeManager:n,portalZIndex:r,resetCSS:o=!0,theme:i={},environment:s,cssVarsRoot:u}=e,c=y(xP,{environment:s,children:t});return y(uj,{theme:i,cssVarsRoot:u,children:q(Sk,{colorModeManager:n,options:i.config,children:[o?y($Y,{}):y(BY,{}),y(fj,{}),r?y(RP,{zIndex:r,children:c}):c]})})};function Jle({children:e,theme:t=rT,toastOptions:n,...r}){return q(Qle,{theme:t,...r,children:[e,y(Ule,{...n})]})}function eue(...e){let t=[...e],n=e[e.length-1];return Tle(n)&&t.length>1?t=t.slice(0,t.length-1):n=rT,PH(...t.map(r=>o=>Ul(r)?r(o):tue(o,r)))(n)}function tue(...e){return ja({},...e,lT)}function lT(e,t,n,r){if((Ul(e)||Ul(t))&&Object.prototype.hasOwnProperty.call(r,n))return(...o)=>{const i=Ul(e)?e(...o):e,s=Ul(t)?t(...o):t;return ja({},i,s,lT)}}function Mo(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];throw Error("[Immer] minified error nr: "+e+(n.length?" "+n.map(function(o){return"'"+o+"'"}).join(","):"")+". Find the full error at: https://bit.ly/3cXEKWf")}function Za(e){return!!e&&!!e[zt]}function Qi(e){return!!e&&(function(t){if(!t||typeof t!="object")return!1;var n=Object.getPrototypeOf(t);if(n===null)return!0;var r=Object.hasOwnProperty.call(n,"constructor")&&n.constructor;return r===Object||typeof r=="function"&&Function.toString.call(r)===cue}(e)||Array.isArray(e)||!!e[d7]||!!e.constructor[d7]||Nb(e)||Db(e))}function $s(e,t,n){n===void 0&&(n=!1),$u(e)===0?(n?Object.keys:uu)(e).forEach(function(r){n&&typeof r=="symbol"||t(r,e[r],e)}):e.forEach(function(r,o){return t(o,r,e)})}function $u(e){var t=e[zt];return t?t.i>3?t.i-4:t.i:Array.isArray(e)?1:Nb(e)?2:Db(e)?3:0}function lu(e,t){return $u(e)===2?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function nue(e,t){return $u(e)===2?e.get(t):e[t]}function uT(e,t,n){var r=$u(e);r===2?e.set(t,n):r===3?(e.delete(t),e.add(n)):e[t]=n}function cT(e,t){return e===t?e!==0||1/e==1/t:e!=e&&t!=t}function Nb(e){return lue&&e instanceof Map}function Db(e){return uue&&e instanceof Set}function gs(e){return e.o||e.t}function zb(e){if(Array.isArray(e))return Array.prototype.slice.call(e);var t=dT(e);delete t[zt];for(var n=uu(t),r=0;r<n.length;r++){var o=n[r],i=t[o];i.writable===!1&&(i.writable=!0,i.configurable=!0),(i.get||i.set)&&(t[o]={configurable:!0,writable:!0,enumerable:i.enumerable,value:e[o]})}return Object.create(Object.getPrototypeOf(e),t)}function Fb(e,t){return t===void 0&&(t=!1),Bb(e)||Za(e)||!Qi(e)||($u(e)>1&&(e.set=e.add=e.clear=e.delete=rue),Object.freeze(e),t&&$s(e,function(n,r){return Fb(r,!0)},!0)),e}function rue(){Mo(2)}function Bb(e){return e==null||typeof e!="object"||Object.isFrozen(e)}function fi(e){var t=j5[e];return t||Mo(18,e),t}function oue(e,t){j5[e]||(j5[e]=t)}function V5(){return Jf}function T2(e,t){t&&(fi("Patches"),e.u=[],e.s=[],e.v=t)}function f0(e){W5(e),e.p.forEach(iue),e.p=null}function W5(e){e===Jf&&(Jf=e.l)}function a7(e){return Jf={p:[],l:Jf,h:e,m:!0,_:0}}function iue(e){var t=e[zt];t.i===0||t.i===1?t.j():t.O=!0}function I2(e,t){t._=t.p.length;var n=t.p[0],r=e!==void 0&&e!==n;return t.h.g||fi("ES5").S(t,e,r),r?(n[zt].P&&(f0(t),Mo(4)),Qi(e)&&(e=d0(t,e),t.l||p0(t,e)),t.u&&fi("Patches").M(n[zt].t,e,t.u,t.s)):e=d0(t,n,[]),f0(t),t.u&&t.v(t.u,t.s),e!==fT?e:void 0}function d0(e,t,n){if(Bb(t))return t;var r=t[zt];if(!r)return $s(t,function(i,s){return s7(e,r,t,i,s,n)},!0),t;if(r.A!==e)return t;if(!r.P)return p0(e,r.t,!0),r.t;if(!r.I){r.I=!0,r.A._--;var o=r.i===4||r.i===5?r.o=zb(r.k):r.o;$s(r.i===3?new Set(o):o,function(i,s){return s7(e,r,o,i,s,n)}),p0(e,o,!1),n&&e.u&&fi("Patches").R(r,n,e.u,e.s)}return r.o}function s7(e,t,n,r,o,i){if(Za(o)){var s=d0(e,o,i&&t&&t.i!==3&&!lu(t.D,r)?i.concat(r):void 0);if(uT(n,r,s),!Za(s))return;e.m=!1}if(Qi(o)&&!Bb(o)){if(!e.h.F&&e._<1)return;d0(e,o),t&&t.A.l||p0(e,o)}}function p0(e,t,n){n===void 0&&(n=!1),e.h.F&&e.m&&Fb(t,n)}function M2(e,t){var n=e[zt];return(n?gs(n):e)[t]}function l7(e,t){if(t in e)for(var n=Object.getPrototypeOf(e);n;){var r=Object.getOwnPropertyDescriptor(n,t);if(r)return r;n=Object.getPrototypeOf(n)}}function ka(e){e.P||(e.P=!0,e.l&&ka(e.l))}function O2(e){e.o||(e.o=zb(e.t))}function H5(e,t,n){var r=Nb(t)?fi("MapSet").N(t,n):Db(t)?fi("MapSet").T(t,n):e.g?function(o,i){var s=Array.isArray(o),u={i:s?1:0,A:i?i.A:V5(),P:!1,I:!1,D:{},l:i,t:o,k:null,o:null,j:null,C:!1},c=u,f=ed;s&&(c=[u],f=$c);var d=Proxy.revocable(c,f),h=d.revoke,m=d.proxy;return u.k=m,u.j=h,m}(t,n):fi("ES5").J(t,n);return(n?n.A:V5()).p.push(r),r}function aue(e){return Za(e)||Mo(22,e),function t(n){if(!Qi(n))return n;var r,o=n[zt],i=$u(n);if(o){if(!o.P&&(o.i<4||!fi("ES5").K(o)))return o.t;o.I=!0,r=u7(n,i),o.I=!1}else r=u7(n,i);return $s(r,function(s,u){o&&nue(o.t,s)===u||uT(r,s,t(u))}),i===3?new Set(r):r}(e)}function u7(e,t){switch(t){case 2:return new Map(e);case 3:return Array.from(e)}return zb(e)}function sue(){function e(i,s){var u=o[i];return u?u.enumerable=s:o[i]=u={configurable:!0,enumerable:s,get:function(){var c=this[zt];return ed.get(c,i)},set:function(c){var f=this[zt];ed.set(f,i,c)}},u}function t(i){for(var s=i.length-1;s>=0;s--){var u=i[s][zt];if(!u.P)switch(u.i){case 5:r(u)&&ka(u);break;case 4:n(u)&&ka(u)}}}function n(i){for(var s=i.t,u=i.k,c=uu(u),f=c.length-1;f>=0;f--){var d=c[f];if(d!==zt){var h=s[d];if(h===void 0&&!lu(s,d))return!0;var m=u[d],g=m&&m[zt];if(g?g.t!==h:!cT(m,h))return!0}}var b=!!s[zt];return c.length!==uu(s).length+(b?0:1)}function r(i){var s=i.k;if(s.length!==i.t.length)return!0;var u=Object.getOwnPropertyDescriptor(s,s.length-1);if(u&&!u.get)return!0;for(var c=0;c<s.length;c++)if(!s.hasOwnProperty(c))return!0;return!1}var o={};oue("ES5",{J:function(i,s){var u=Array.isArray(i),c=function(d,h){if(d){for(var m=Array(h.length),g=0;g<h.length;g++)Object.defineProperty(m,""+g,e(g,!0));return m}var b=dT(h);delete b[zt];for(var S=uu(b),E=0;E<S.length;E++){var w=S[E];b[w]=e(w,d||!!b[w].enumerable)}return Object.create(Object.getPrototypeOf(h),b)}(u,i),f={i:u?5:4,A:s?s.A:V5(),P:!1,I:!1,D:{},l:s,t:i,k:c,o:null,O:!1,C:!1};return Object.defineProperty(c,zt,{value:f,writable:!0}),c},S:function(i,s,u){u?Za(s)&&s[zt].A===i&&t(i.p):(i.u&&function c(f){if(f&&typeof f=="object"){var d=f[zt];if(d){var h=d.t,m=d.k,g=d.D,b=d.i;if(b===4)$s(m,function(_){_!==zt&&(h[_]!==void 0||lu(h,_)?g[_]||c(m[_]):(g[_]=!0,ka(d)))}),$s(h,function(_){m[_]!==void 0||lu(m,_)||(g[_]=!1,ka(d))});else if(b===5){if(r(d)&&(ka(d),g.length=!0),m.length<h.length)for(var S=m.length;S<h.length;S++)g[S]=!1;else for(var E=h.length;E<m.length;E++)g[E]=!0;for(var w=Math.min(m.length,h.length),x=0;x<w;x++)m.hasOwnProperty(x)||(g[x]=!0),g[x]===void 0&&c(m[x])}}}}(i.p[0]),t(i.p))},K:function(i){return i.i===4?n(i):r(i)}})}var c7,Jf,$b=typeof Symbol<"u"&&typeof Symbol("x")=="symbol",lue=typeof Map<"u",uue=typeof Set<"u",f7=typeof Proxy<"u"&&Proxy.revocable!==void 0&&typeof Reflect<"u",fT=$b?Symbol.for("immer-nothing"):((c7={})["immer-nothing"]=!0,c7),d7=$b?Symbol.for("immer-draftable"):"__$immer_draftable",zt=$b?Symbol.for("immer-state"):"__$immer_state",cue=""+Object.prototype.constructor,uu=typeof Reflect<"u"&&Reflect.ownKeys?Reflect.ownKeys:Object.getOwnPropertySymbols!==void 0?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:Object.getOwnPropertyNames,dT=Object.getOwnPropertyDescriptors||function(e){var t={};return uu(e).forEach(function(n){t[n]=Object.getOwnPropertyDescriptor(e,n)}),t},j5={},ed={get:function(e,t){if(t===zt)return e;var n=gs(e);if(!lu(n,t))return function(o,i,s){var u,c=l7(i,s);return c?"value"in c?c.value:(u=c.get)===null||u===void 0?void 0:u.call(o.k):void 0}(e,n,t);var r=n[t];return e.I||!Qi(r)?r:r===M2(e.t,t)?(O2(e),e.o[t]=H5(e.A.h,r,e)):r},has:function(e,t){return t in gs(e)},ownKeys:function(e){return Reflect.ownKeys(gs(e))},set:function(e,t,n){var r=l7(gs(e),t);if(r?.set)return r.set.call(e.k,n),!0;if(!e.P){var o=M2(gs(e),t),i=o?.[zt];if(i&&i.t===n)return e.o[t]=n,e.D[t]=!1,!0;if(cT(n,o)&&(n!==void 0||lu(e.t,t)))return!0;O2(e),ka(e)}return e.o[t]===n&&typeof n!="number"&&(n!==void 0||t in e.o)||(e.o[t]=n,e.D[t]=!0,!0)},deleteProperty:function(e,t){return M2(e.t,t)!==void 0||t in e.t?(e.D[t]=!1,O2(e),ka(e)):delete e.D[t],e.o&&delete e.o[t],!0},getOwnPropertyDescriptor:function(e,t){var n=gs(e),r=Reflect.getOwnPropertyDescriptor(n,t);return r&&{writable:!0,configurable:e.i!==1||t!=="length",enumerable:r.enumerable,value:n[t]}},defineProperty:function(){Mo(11)},getPrototypeOf:function(e){return Object.getPrototypeOf(e.t)},setPrototypeOf:function(){Mo(12)}},$c={};$s(ed,function(e,t){$c[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}}),$c.deleteProperty=function(e,t){return $c.set.call(this,e,t,void 0)},$c.set=function(e,t,n){return ed.set.call(this,e[0],t,n,e[0])};var fue=function(){function e(n){var r=this;this.g=f7,this.F=!0,this.produce=function(o,i,s){if(typeof o=="function"&&typeof i!="function"){var u=i;i=o;var c=r;return function(S){var E=this;S===void 0&&(S=u);for(var w=arguments.length,x=Array(w>1?w-1:0),_=1;_<w;_++)x[_-1]=arguments[_];return c.produce(S,function(L){var T;return(T=i).call.apply(T,[E,L].concat(x))})}}var f;if(typeof i!="function"&&Mo(6),s!==void 0&&typeof s!="function"&&Mo(7),Qi(o)){var d=a7(r),h=H5(r,o,void 0),m=!0;try{f=i(h),m=!1}finally{m?f0(d):W5(d)}return typeof Promise<"u"&&f instanceof Promise?f.then(function(S){return T2(d,s),I2(S,d)},function(S){throw f0(d),S}):(T2(d,s),I2(f,d))}if(!o||typeof o!="object"){if((f=i(o))===void 0&&(f=o),f===fT&&(f=void 0),r.F&&Fb(f,!0),s){var g=[],b=[];fi("Patches").M(o,f,g,b),s(g,b)}return f}Mo(21,o)},this.produceWithPatches=function(o,i){if(typeof o=="function")return function(f){for(var d=arguments.length,h=Array(d>1?d-1:0),m=1;m<d;m++)h[m-1]=arguments[m];return r.produceWithPatches(f,function(g){return o.apply(void 0,[g].concat(h))})};var s,u,c=r.produce(o,i,function(f,d){s=f,u=d});return typeof Promise<"u"&&c instanceof Promise?c.then(function(f){return[f,s,u]}):[c,s,u]},typeof n?.useProxies=="boolean"&&this.setUseProxies(n.useProxies),typeof n?.autoFreeze=="boolean"&&this.setAutoFreeze(n.autoFreeze)}var t=e.prototype;return t.createDraft=function(n){Qi(n)||Mo(8),Za(n)&&(n=aue(n));var r=a7(this),o=H5(this,n,void 0);return o[zt].C=!0,W5(r),o},t.finishDraft=function(n,r){var o=n&&n[zt],i=o.A;return T2(i,r),I2(void 0,i)},t.setAutoFreeze=function(n){this.F=n},t.setUseProxies=function(n){n&&!f7&&Mo(20),this.g=n},t.applyPatches=function(n,r){var o;for(o=r.length-1;o>=0;o--){var i=r[o];if(i.path.length===0&&i.op==="replace"){n=i.value;break}}o>-1&&(r=r.slice(o+1));var s=fi("Patches").$;return Za(n)?s(n,r):this.produce(n,function(u){return s(u,r)})},e}(),Wr=new fue,pT=Wr.produce;Wr.produceWithPatches.bind(Wr);Wr.setAutoFreeze.bind(Wr);Wr.setUseProxies.bind(Wr);Wr.applyPatches.bind(Wr);Wr.createDraft.bind(Wr);Wr.finishDraft.bind(Wr);function p7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function h7(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?p7(Object(n),!0).forEach(function(r){ZP(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):p7(Object(n)).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function Hn(e){return"Minified Redux error #"+e+"; visit https://redux.js.org/Errors?code="+e+" for the full message or use the non-minified dev environment for full errors. "}var m7=function(){return typeof Symbol=="function"&&Symbol.observable||"@@observable"}(),R2=function(){return Math.random().toString(36).substring(7).split("").join(".")},h0={INIT:"@@redux/INIT"+R2(),REPLACE:"@@redux/REPLACE"+R2(),PROBE_UNKNOWN_ACTION:function(){return"@@redux/PROBE_UNKNOWN_ACTION"+R2()}};function due(e){if(typeof e!="object"||e===null)return!1;for(var t=e;Object.getPrototypeOf(t)!==null;)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t}function Vb(e,t,n){var r;if(typeof t=="function"&&typeof n=="function"||typeof n=="function"&&typeof arguments[3]=="function")throw new Error(Hn(0));if(typeof t=="function"&&typeof n>"u"&&(n=t,t=void 0),typeof n<"u"){if(typeof n!="function")throw new Error(Hn(1));return n(Vb)(e,t)}if(typeof e!="function")throw new Error(Hn(2));var o=e,i=t,s=[],u=s,c=!1;function f(){u===s&&(u=s.slice())}function d(){if(c)throw new Error(Hn(3));return i}function h(S){if(typeof S!="function")throw new Error(Hn(4));if(c)throw new Error(Hn(5));var E=!0;return f(),u.push(S),function(){if(!!E){if(c)throw new Error(Hn(6));E=!1,f();var x=u.indexOf(S);u.splice(x,1),s=null}}}function m(S){if(!due(S))throw new Error(Hn(7));if(typeof S.type>"u")throw new Error(Hn(8));if(c)throw new Error(Hn(9));try{c=!0,i=o(i,S)}finally{c=!1}for(var E=s=u,w=0;w<E.length;w++){var x=E[w];x()}return S}function g(S){if(typeof S!="function")throw new Error(Hn(10));o=S,m({type:h0.REPLACE})}function b(){var S,E=h;return S={subscribe:function(x){if(typeof x!="object"||x===null)throw new Error(Hn(11));function _(){x.next&&x.next(d())}_();var L=E(_);return{unsubscribe:L}}},S[m7]=function(){return this},S}return m({type:h0.INIT}),r={dispatch:m,subscribe:h,getState:d,replaceReducer:g},r[m7]=b,r}function pue(e){Object.keys(e).forEach(function(t){var n=e[t],r=n(void 0,{type:h0.INIT});if(typeof r>"u")throw new Error(Hn(12));if(typeof n(void 0,{type:h0.PROBE_UNKNOWN_ACTION()})>"u")throw new Error(Hn(13))})}function hT(e){for(var t=Object.keys(e),n={},r=0;r<t.length;r++){var o=t[r];typeof e[o]=="function"&&(n[o]=e[o])}var i=Object.keys(n),s;try{pue(n)}catch(u){s=u}return function(c,f){if(c===void 0&&(c={}),s)throw s;for(var d=!1,h={},m=0;m<i.length;m++){var g=i[m],b=n[g],S=c[g],E=b(S,f);if(typeof E>"u")throw f&&f.type,new Error(Hn(14));h[g]=E,d=d||E!==S}return d=d||i.length!==Object.keys(c).length,d?h:c}}function m0(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return t.length===0?function(r){return r}:t.length===1?t[0]:t.reduce(function(r,o){return function(){return r(o.apply(void 0,arguments))}})}function hue(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(r){return function(){var o=r.apply(void 0,arguments),i=function(){throw new Error(Hn(15))},s={getState:o.getState,dispatch:function(){return i.apply(void 0,arguments)}},u=t.map(function(c){return c(s)});return i=m0.apply(void 0,u)(o.dispatch),h7(h7({},o),{},{dispatch:i})}}}var g0="NOT_FOUND";function mue(e){var t;return{get:function(r){return t&&e(t.key,r)?t.value:g0},put:function(r,o){t={key:r,value:o}},getEntries:function(){return t?[t]:[]},clear:function(){t=void 0}}}function gue(e,t){var n=[];function r(u){var c=n.findIndex(function(d){return t(u,d.key)});if(c>-1){var f=n[c];return c>0&&(n.splice(c,1),n.unshift(f)),f.value}return g0}function o(u,c){r(u)===g0&&(n.unshift({key:u,value:c}),n.length>e&&n.pop())}function i(){return n}function s(){n=[]}return{get:r,put:o,getEntries:i,clear:s}}var vue=function(t,n){return t===n};function yue(e){return function(n,r){if(n===null||r===null||n.length!==r.length)return!1;for(var o=n.length,i=0;i<o;i++)if(!e(n[i],r[i]))return!1;return!0}}function bue(e,t){var n=typeof t=="object"?t:{equalityCheck:t},r=n.equalityCheck,o=r===void 0?vue:r,i=n.maxSize,s=i===void 0?1:i,u=n.resultEqualityCheck,c=yue(o),f=s===1?mue(c):gue(s,c);function d(){var h=f.get(arguments);if(h===g0){if(h=e.apply(null,arguments),u){var m=f.getEntries(),g=m.find(function(b){return u(b.value,h)});g&&(h=g.value)}f.put(arguments,h)}return h}return d.clearCache=function(){return f.clear()},d}function xue(e){var t=Array.isArray(e[0])?e[0]:e;if(!t.every(function(r){return typeof r=="function"})){var n=t.map(function(r){return typeof r=="function"?"function "+(r.name||"unnamed")+"()":typeof r}).join(", ");throw new Error("createSelector expects all input-selectors to be functions, but received the following types: ["+n+"]")}return t}function Sue(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];var o=function(){for(var s=arguments.length,u=new Array(s),c=0;c<s;c++)u[c]=arguments[c];var f=0,d,h={memoizeOptions:void 0},m=u.pop();if(typeof m=="object"&&(h=m,m=u.pop()),typeof m!="function")throw new Error("createSelector expects an output function after the inputs, but received: ["+typeof m+"]");var g=h,b=g.memoizeOptions,S=b===void 0?n:b,E=Array.isArray(S)?S:[S],w=xue(u),x=e.apply(void 0,[function(){return f++,m.apply(null,arguments)}].concat(E)),_=e(function(){for(var T=[],R=w.length,N=0;N<R;N++)T.push(w[N].apply(null,arguments));return d=x.apply(null,T),d});return Object.assign(_,{resultFunc:m,memoizedResultFunc:x,dependencies:w,lastResult:function(){return d},recomputations:function(){return f},resetRecomputations:function(){return f=0}}),_};return o}var Dn=Sue(bue);function mT(e){var t=function(r){var o=r.dispatch,i=r.getState;return function(s){return function(u){return typeof u=="function"?u(o,i,e):s(u)}}};return t}var gT=mT();gT.withExtraArgument=mT;const g7=gT;var wue=globalThis&&globalThis.__extends||function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,o){r.__proto__=o}||function(r,o){for(var i in o)Object.prototype.hasOwnProperty.call(o,i)&&(r[i]=o[i])},e(t,n)};return function(t,n){if(typeof n!="function"&&n!==null)throw new TypeError("Class extends value "+String(n)+" is not a constructor or null");e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}();globalThis&&globalThis.__generator;var v0=globalThis&&globalThis.__spreadArray||function(e,t){for(var n=0,r=t.length,o=e.length;n<r;n++,o++)e[o]=t[n];return e},Cue=Object.defineProperty,v7=Object.getOwnPropertySymbols,_ue=Object.prototype.hasOwnProperty,kue=Object.prototype.propertyIsEnumerable,y7=function(e,t,n){return t in e?Cue(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n},td=function(e,t){for(var n in t||(t={}))_ue.call(t,n)&&y7(e,n,t[n]);if(v7)for(var r=0,o=v7(t);r<o.length;r++){var n=o[r];kue.call(t,n)&&y7(e,n,t[n])}return e},Eue=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(arguments.length!==0)return typeof arguments[0]=="object"?m0:m0.apply(null,arguments)};function Lue(e){if(typeof e!="object"||e===null)return!1;var t=Object.getPrototypeOf(e);if(t===null)return!0;for(var n=t;Object.getPrototypeOf(n)!==null;)n=Object.getPrototypeOf(n);return t===n}var Pue=function(e){wue(t,e);function t(){for(var n=[],r=0;r<arguments.length;r++)n[r]=arguments[r];var o=e.apply(this,n)||this;return Object.setPrototypeOf(o,t.prototype),o}return Object.defineProperty(t,Symbol.species,{get:function(){return t},enumerable:!1,configurable:!0}),t.prototype.concat=function(){for(var n=[],r=0;r<arguments.length;r++)n[r]=arguments[r];return e.prototype.concat.apply(this,n)},t.prototype.prepend=function(){for(var n=[],r=0;r<arguments.length;r++)n[r]=arguments[r];return n.length===1&&Array.isArray(n[0])?new(t.bind.apply(t,v0([void 0],n[0].concat(this)))):new(t.bind.apply(t,v0([void 0],n.concat(this))))},t}(Array);function U5(e){return Qi(e)?pT(e,function(){}):e}function Aue(e){return typeof e=="boolean"}function Tue(){return function(t){return Iue(t)}}function Iue(e){e===void 0&&(e={});var t=e.thunk,n=t===void 0?!0:t;e.immutableCheck,e.serializableCheck;var r=new Pue;return n&&(Aue(n)?r.push(g7):r.push(g7.withExtraArgument(n.extraArgument))),r}var Mue=!0;function Oue(e){var t=Tue(),n=e||{},r=n.reducer,o=r===void 0?void 0:r,i=n.middleware,s=i===void 0?t():i,u=n.devTools,c=u===void 0?!0:u,f=n.preloadedState,d=f===void 0?void 0:f,h=n.enhancers,m=h===void 0?void 0:h,g;if(typeof o=="function")g=o;else if(Lue(o))g=hT(o);else throw new Error('"reducer" is a required argument, and must be a function or an object of functions that can be passed to combineReducers');var b=s;typeof b=="function"&&(b=b(t));var S=hue.apply(void 0,b),E=m0;c&&(E=Eue(td({trace:!Mue},typeof c=="object"&&c)));var w=[S];Array.isArray(m)?w=v0([S],m):typeof m=="function"&&(w=m(w));var x=E.apply(void 0,w);return Vb(g,d,x)}function ir(e,t){function n(){for(var r=[],o=0;o<arguments.length;o++)r[o]=arguments[o];if(t){var i=t.apply(void 0,r);if(!i)throw new Error("prepareAction did not return an object");return td(td({type:e,payload:i.payload},"meta"in i&&{meta:i.meta}),"error"in i&&{error:i.error})}return{type:e,payload:r[0]}}return n.toString=function(){return""+e},n.type=e,n.match=function(r){return r.type===e},n}function vT(e){var t={},n=[],r,o={addCase:function(i,s){var u=typeof i=="string"?i:i.type;if(u in t)throw new Error("addCase cannot be called with two reducers for the same action type");return t[u]=s,o},addMatcher:function(i,s){return n.push({matcher:i,reducer:s}),o},addDefaultCase:function(i){return r=i,o}};return e(o),[t,n,r]}function Rue(e){return typeof e=="function"}function Nue(e,t,n,r){n===void 0&&(n=[]);var o=typeof t=="function"?vT(t):[t,n,r],i=o[0],s=o[1],u=o[2],c;if(Rue(e))c=function(){return U5(e())};else{var f=U5(e);c=function(){return f}}function d(h,m){h===void 0&&(h=c());var g=v0([i[m.type]],s.filter(function(b){var S=b.matcher;return S(m)}).map(function(b){var S=b.reducer;return S}));return g.filter(function(b){return!!b}).length===0&&(g=[u]),g.reduce(function(b,S){if(S)if(Za(b)){var E=b,w=S(E,m);return w===void 0?b:w}else{if(Qi(b))return pT(b,function(x){return S(x,m)});var w=S(b,m);if(w===void 0){if(b===null)return b;throw Error("A case reducer on a non-draftable value must not return undefined")}return w}return b},h)}return d.getInitialState=c,d}function Due(e,t){return e+"/"+t}function Wb(e){var t=e.name;if(!t)throw new Error("`name` is a required option for createSlice");typeof process<"u";var n=typeof e.initialState=="function"?e.initialState:U5(e.initialState),r=e.reducers||{},o=Object.keys(r),i={},s={},u={};o.forEach(function(d){var h=r[d],m=Due(t,d),g,b;"reducer"in h?(g=h.reducer,b=h.prepare):g=h,i[d]=g,s[m]=g,u[d]=b?ir(m,b):ir(m)});function c(){var d=typeof e.extraReducers=="function"?vT(e.extraReducers):[e.extraReducers],h=d[0],m=h===void 0?{}:h,g=d[1],b=g===void 0?[]:g,S=d[2],E=S===void 0?void 0:S,w=td(td({},m),s);return Nue(n,w,b,E)}var f;return{name:t,reducer:function(d,h){return f||(f=c()),f(d,h)},actions:u,caseReducers:i,getInitialState:function(){return f||(f=c()),f.getInitialState()}}}var Hb="listenerMiddleware";ir(Hb+"/add");ir(Hb+"/removeAll");ir(Hb+"/remove");sue();var yT={exports:{}},bT={};/** + * @license React + * use-sync-external-store-shim.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var Eu=C.exports;function zue(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var Fue=typeof Object.is=="function"?Object.is:zue,Bue=Eu.useState,$ue=Eu.useEffect,Vue=Eu.useLayoutEffect,Wue=Eu.useDebugValue;function Hue(e,t){var n=t(),r=Bue({inst:{value:n,getSnapshot:t}}),o=r[0].inst,i=r[1];return Vue(function(){o.value=n,o.getSnapshot=t,N2(o)&&i({inst:o})},[e,n,t]),$ue(function(){return N2(o)&&i({inst:o}),e(function(){N2(o)&&i({inst:o})})},[e]),Wue(n),n}function N2(e){var t=e.getSnapshot;e=e.value;try{var n=t();return!Fue(e,n)}catch{return!0}}function jue(e,t){return t()}var Uue=typeof window>"u"||typeof window.document>"u"||typeof window.document.createElement>"u"?jue:Hue;bT.useSyncExternalStore=Eu.useSyncExternalStore!==void 0?Eu.useSyncExternalStore:Uue;(function(e){e.exports=bT})(yT);var xT={exports:{}},ST={};/** + * @license React + * use-sync-external-store-shim/with-selector.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var Am=C.exports,Gue=yT.exports;function Zue(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var Kue=typeof Object.is=="function"?Object.is:Zue,que=Gue.useSyncExternalStore,Yue=Am.useRef,Xue=Am.useEffect,Que=Am.useMemo,Jue=Am.useDebugValue;ST.useSyncExternalStoreWithSelector=function(e,t,n,r,o){var i=Yue(null);if(i.current===null){var s={hasValue:!1,value:null};i.current=s}else s=i.current;i=Que(function(){function c(g){if(!f){if(f=!0,d=g,g=r(g),o!==void 0&&s.hasValue){var b=s.value;if(o(b,g))return h=b}return h=g}if(b=h,Kue(d,g))return b;var S=r(g);return o!==void 0&&o(b,S)?b:(d=g,h=S)}var f=!1,d,h,m=n===void 0?null:n;return[function(){return c(t())},m===null?void 0:function(){return c(m())}]},[t,n,r,o]);var u=que(e,i[0],i[1]);return Xue(function(){s.hasValue=!0,s.value=u},[u]),Jue(u),u};(function(e){e.exports=ST})(xT);function ece(e){e()}let wT=ece;const tce=e=>wT=e,nce=()=>wT,Ka=Q.createContext(null);function CT(){return C.exports.useContext(Ka)}const rce=()=>{throw new Error("uSES not initialized!")};let _T=rce;const oce=e=>{_T=e},ice=(e,t)=>e===t;function ace(e=Ka){const t=e===Ka?CT:()=>C.exports.useContext(e);return function(r,o=ice){const{store:i,subscription:s,getServerState:u}=t(),c=_T(s.addNestedSub,i.getState,u||i.getState,r,o);return C.exports.useDebugValue(c),c}}const sce=ace();var lce={exports:{}},xt={};/** + * @license React + * react-is.production.min.js + * + * Copyright (c) Facebook, Inc. and its affiliates. + * + * This source code is licensed under the MIT license found in the + * LICENSE file in the root directory of this source tree. + */var jb=Symbol.for("react.element"),Ub=Symbol.for("react.portal"),Tm=Symbol.for("react.fragment"),Im=Symbol.for("react.strict_mode"),Mm=Symbol.for("react.profiler"),Om=Symbol.for("react.provider"),Rm=Symbol.for("react.context"),uce=Symbol.for("react.server_context"),Nm=Symbol.for("react.forward_ref"),Dm=Symbol.for("react.suspense"),zm=Symbol.for("react.suspense_list"),Fm=Symbol.for("react.memo"),Bm=Symbol.for("react.lazy"),cce=Symbol.for("react.offscreen"),kT;kT=Symbol.for("react.module.reference");function go(e){if(typeof e=="object"&&e!==null){var t=e.$$typeof;switch(t){case jb:switch(e=e.type,e){case Tm:case Mm:case Im:case Dm:case zm:return e;default:switch(e=e&&e.$$typeof,e){case uce:case Rm:case Nm:case Bm:case Fm:case Om:return e;default:return t}}case Ub:return t}}}xt.ContextConsumer=Rm;xt.ContextProvider=Om;xt.Element=jb;xt.ForwardRef=Nm;xt.Fragment=Tm;xt.Lazy=Bm;xt.Memo=Fm;xt.Portal=Ub;xt.Profiler=Mm;xt.StrictMode=Im;xt.Suspense=Dm;xt.SuspenseList=zm;xt.isAsyncMode=function(){return!1};xt.isConcurrentMode=function(){return!1};xt.isContextConsumer=function(e){return go(e)===Rm};xt.isContextProvider=function(e){return go(e)===Om};xt.isElement=function(e){return typeof e=="object"&&e!==null&&e.$$typeof===jb};xt.isForwardRef=function(e){return go(e)===Nm};xt.isFragment=function(e){return go(e)===Tm};xt.isLazy=function(e){return go(e)===Bm};xt.isMemo=function(e){return go(e)===Fm};xt.isPortal=function(e){return go(e)===Ub};xt.isProfiler=function(e){return go(e)===Mm};xt.isStrictMode=function(e){return go(e)===Im};xt.isSuspense=function(e){return go(e)===Dm};xt.isSuspenseList=function(e){return go(e)===zm};xt.isValidElementType=function(e){return typeof e=="string"||typeof e=="function"||e===Tm||e===Mm||e===Im||e===Dm||e===zm||e===cce||typeof e=="object"&&e!==null&&(e.$$typeof===Bm||e.$$typeof===Fm||e.$$typeof===Om||e.$$typeof===Rm||e.$$typeof===Nm||e.$$typeof===kT||e.getModuleId!==void 0)};xt.typeOf=go;(function(e){e.exports=xt})(lce);function fce(){const e=nce();let t=null,n=null;return{clear(){t=null,n=null},notify(){e(()=>{let r=t;for(;r;)r.callback(),r=r.next})},get(){let r=[],o=t;for(;o;)r.push(o),o=o.next;return r},subscribe(r){let o=!0,i=n={callback:r,next:null,prev:n};return i.prev?i.prev.next=i:t=i,function(){!o||t===null||(o=!1,i.next?i.next.prev=i.prev:n=i.prev,i.prev?i.prev.next=i.next:t=i.next)}}}}const b7={notify(){},get:()=>[]};function dce(e,t){let n,r=b7;function o(h){return c(),r.subscribe(h)}function i(){r.notify()}function s(){d.onStateChange&&d.onStateChange()}function u(){return Boolean(n)}function c(){n||(n=t?t.addNestedSub(s):e.subscribe(s),r=fce())}function f(){n&&(n(),n=void 0,r.clear(),r=b7)}const d={addNestedSub:o,notifyNestedSubs:i,handleChangeWrapper:s,isSubscribed:u,trySubscribe:c,tryUnsubscribe:f,getListeners:()=>r};return d}const pce=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",hce=pce?C.exports.useLayoutEffect:C.exports.useEffect;function mce({store:e,context:t,children:n,serverState:r}){const o=C.exports.useMemo(()=>{const u=dce(e);return{store:e,subscription:u,getServerState:r?()=>r:void 0}},[e,r]),i=C.exports.useMemo(()=>e.getState(),[e]);return hce(()=>{const{subscription:u}=o;return u.onStateChange=u.notifyNestedSubs,u.trySubscribe(),i!==e.getState()&&u.notifyNestedSubs(),()=>{u.tryUnsubscribe(),u.onStateChange=void 0}},[o,i]),y((t||Ka).Provider,{value:o,children:n})}function ET(e=Ka){const t=e===Ka?CT:()=>C.exports.useContext(e);return function(){const{store:r}=t();return r}}const gce=ET();function vce(e=Ka){const t=e===Ka?gce:ET(e);return function(){return t().dispatch}}const yce=vce();oce(xT.exports.useSyncExternalStoreWithSelector);tce(Au.exports.unstable_batchedUpdates);var Gb="persist:",LT="persist/FLUSH",Zb="persist/REHYDRATE",PT="persist/PAUSE",AT="persist/PERSIST",TT="persist/PURGE",IT="persist/REGISTER",bce=-1;function i1(e){return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?i1=function(n){return typeof n}:i1=function(n){return n&&typeof Symbol=="function"&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n},i1(e)}function x7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function xce(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?x7(n,!0).forEach(function(r){Sce(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):x7(n).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function Sce(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function wce(e,t,n,r){r.debug;var o=xce({},n);return e&&i1(e)==="object"&&Object.keys(e).forEach(function(i){i!=="_persist"&&t[i]===n[i]&&(o[i]=e[i])}),o}function Cce(e){var t=e.blacklist||null,n=e.whitelist||null,r=e.transforms||[],o=e.throttle||0,i="".concat(e.keyPrefix!==void 0?e.keyPrefix:Gb).concat(e.key),s=e.storage,u;e.serialize===!1?u=function(T){return T}:typeof e.serialize=="function"?u=e.serialize:u=_ce;var c=e.writeFailHandler||null,f={},d={},h=[],m=null,g=null,b=function(T){Object.keys(T).forEach(function(R){!w(R)||f[R]!==T[R]&&h.indexOf(R)===-1&&h.push(R)}),Object.keys(f).forEach(function(R){T[R]===void 0&&w(R)&&h.indexOf(R)===-1&&f[R]!==void 0&&h.push(R)}),m===null&&(m=setInterval(S,o)),f=T};function S(){if(h.length===0){m&&clearInterval(m),m=null;return}var L=h.shift(),T=r.reduce(function(R,N){return N.in(R,L,f)},f[L]);if(T!==void 0)try{d[L]=u(T)}catch(R){console.error("redux-persist/createPersistoid: error serializing state",R)}else delete d[L];h.length===0&&E()}function E(){Object.keys(d).forEach(function(L){f[L]===void 0&&delete d[L]}),g=s.setItem(i,u(d)).catch(x)}function w(L){return!(n&&n.indexOf(L)===-1&&L!=="_persist"||t&&t.indexOf(L)!==-1)}function x(L){c&&c(L)}var _=function(){for(;h.length!==0;)S();return g||Promise.resolve()};return{update:b,flush:_}}function _ce(e){return JSON.stringify(e)}function kce(e){var t=e.transforms||[],n="".concat(e.keyPrefix!==void 0?e.keyPrefix:Gb).concat(e.key),r=e.storage;e.debug;var o;return e.deserialize===!1?o=function(s){return s}:typeof e.deserialize=="function"?o=e.deserialize:o=Ece,r.getItem(n).then(function(i){if(i)try{var s={},u=o(i);return Object.keys(u).forEach(function(c){s[c]=t.reduceRight(function(f,d){return d.out(f,c,u)},o(u[c]))}),s}catch(c){throw c}else return})}function Ece(e){return JSON.parse(e)}function Lce(e){var t=e.storage,n="".concat(e.keyPrefix!==void 0?e.keyPrefix:Gb).concat(e.key);return t.removeItem(n,Pce)}function Pce(e){}function S7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function Di(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?S7(n,!0).forEach(function(r){Ace(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):S7(n).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function Ace(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Tce(e,t){if(e==null)return{};var n=Ice(e,t),r,o;if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(e);for(o=0;o<i.length;o++)r=i[o],!(t.indexOf(r)>=0)&&(!Object.prototype.propertyIsEnumerable.call(e,r)||(n[r]=e[r]))}return n}function Ice(e,t){if(e==null)return{};var n={},r=Object.keys(e),o,i;for(i=0;i<r.length;i++)o=r[i],!(t.indexOf(o)>=0)&&(n[o]=e[o]);return n}var Mce=5e3;function MT(e,t){var n=e.version!==void 0?e.version:bce;e.debug;var r=e.stateReconciler===void 0?wce:e.stateReconciler,o=e.getStoredState||kce,i=e.timeout!==void 0?e.timeout:Mce,s=null,u=!1,c=!0,f=function(h){return h._persist.rehydrated&&s&&!c&&s.update(h),h};return function(d,h){var m=d||{},g=m._persist,b=Tce(m,["_persist"]),S=b;if(h.type===AT){var E=!1,w=function(F,K){E||(h.rehydrate(e.key,F,K),E=!0)};if(i&&setTimeout(function(){!E&&w(void 0,new Error('redux-persist: persist timed out for persist key "'.concat(e.key,'"')))},i),c=!1,s||(s=Cce(e)),g)return Di({},t(S,h),{_persist:g});if(typeof h.rehydrate!="function"||typeof h.register!="function")throw new Error("redux-persist: either rehydrate or register is not a function on the PERSIST action. This can happen if the action is being replayed. This is an unexplored use case, please open an issue and we will figure out a resolution.");return h.register(e.key),o(e).then(function(N){var F=e.migrate||function(K,W){return Promise.resolve(K)};F(N,n).then(function(K){w(K)},function(K){w(void 0,K)})},function(N){w(void 0,N)}),Di({},t(S,h),{_persist:{version:n,rehydrated:!1}})}else{if(h.type===TT)return u=!0,h.result(Lce(e)),Di({},t(S,h),{_persist:g});if(h.type===LT)return h.result(s&&s.flush()),Di({},t(S,h),{_persist:g});if(h.type===PT)c=!0;else if(h.type===Zb){if(u)return Di({},S,{_persist:Di({},g,{rehydrated:!0})});if(h.key===e.key){var x=t(S,h),_=h.payload,L=r!==!1&&_!==void 0?r(_,d,x,e):x,T=Di({},L,{_persist:Di({},g,{rehydrated:!0})});return f(T)}}}if(!g)return t(d,h);var R=t(S,h);return R===S?d:f(Di({},R,{_persist:g}))}}function w7(e){return Nce(e)||Rce(e)||Oce()}function Oce(){throw new TypeError("Invalid attempt to spread non-iterable instance")}function Rce(e){if(Symbol.iterator in Object(e)||Object.prototype.toString.call(e)==="[object Arguments]")return Array.from(e)}function Nce(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t<e.length;t++)n[t]=e[t];return n}}function C7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function G5(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?C7(n,!0).forEach(function(r){Dce(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):C7(n).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function Dce(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var OT={registry:[],bootstrapped:!1},zce=function(){var t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:OT,n=arguments.length>1?arguments[1]:void 0;switch(n.type){case IT:return G5({},t,{registry:[].concat(w7(t.registry),[n.key])});case Zb:var r=t.registry.indexOf(n.key),o=w7(t.registry);return o.splice(r,1),G5({},t,{registry:o,bootstrapped:o.length===0});default:return t}};function Fce(e,t,n){var r=n||!1,o=Vb(zce,OT,t&&t.enhancer?t.enhancer:void 0),i=function(f){o.dispatch({type:IT,key:f})},s=function(f,d,h){var m={type:Zb,payload:d,err:h,key:f};e.dispatch(m),o.dispatch(m),r&&u.getState().bootstrapped&&(r(),r=!1)},u=G5({},o,{purge:function(){var f=[];return e.dispatch({type:TT,result:function(h){f.push(h)}}),Promise.all(f)},flush:function(){var f=[];return e.dispatch({type:LT,result:function(h){f.push(h)}}),Promise.all(f)},pause:function(){e.dispatch({type:PT})},persist:function(){e.dispatch({type:AT,register:i,rehydrate:s})}});return t&&t.manualPersist||u.persist(),u}var Kb={},qb={};qb.__esModule=!0;qb.default=Vce;function a1(e){return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?a1=function(n){return typeof n}:a1=function(n){return n&&typeof Symbol=="function"&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n},a1(e)}function D2(){}var Bce={getItem:D2,setItem:D2,removeItem:D2};function $ce(e){if((typeof self>"u"?"undefined":a1(self))!=="object"||!(e in self))return!1;try{var t=self[e],n="redux-persist ".concat(e," test");t.setItem(n,"test"),t.getItem(n),t.removeItem(n)}catch{return!1}return!0}function Vce(e){var t="".concat(e,"Storage");return $ce(t)?self[t]:Bce}Kb.__esModule=!0;Kb.default=jce;var Wce=Hce(qb);function Hce(e){return e&&e.__esModule?e:{default:e}}function jce(e){var t=(0,Wce.default)(e);return{getItem:function(r){return new Promise(function(o,i){o(t.getItem(r))})},setItem:function(r,o){return new Promise(function(i,s){i(t.setItem(r,o))})},removeItem:function(r){return new Promise(function(o,i){o(t.removeItem(r))})}}}var Yb=void 0,Uce=Gce(Kb);function Gce(e){return e&&e.__esModule?e:{default:e}}var Zce=(0,Uce.default)("local");Yb=Zce;const Z5=e=>e.length===1?e[0].prompt:e.map(t=>`${t.prompt}:${t.weight}`).join(" "),Kce=e=>{const r=e.split(",").map(o=>o.split(":")).map(o=>({seed:Number(o[0]),weight:Number(o[1])}));return Xb(r)?r:!1},Xb=e=>Boolean(typeof e=="string"?Kce(e):e.length&&!e.some(t=>{const{seed:n,weight:r}=t,o=!isNaN(parseInt(n.toString(),10)),i=!isNaN(parseInt(r.toString(),10))&&r>=0&&r<=1;return!(o&&i)})),K5=e=>e.reduce((t,n,r,o)=>{const{seed:i,weight:s}=n;return t+=`${i}:${s}`,r!==o.length-1&&(t+=","),t},""),qce=e=>e.split(",").map(r=>r.split(":")).map(r=>[parseInt(r[0]),parseFloat(r[1])]),RT={prompt:"",iterations:1,steps:50,cfgScale:7.5,height:512,width:512,sampler:"k_lms",threshold:0,perlin:0,seed:0,seamless:!1,shouldUseInitImage:!1,img2imgStrength:.75,initialImagePath:"",maskPath:"",shouldFitToWidthHeight:!0,shouldGenerateVariations:!1,variationAmount:.1,seedWeights:"",shouldRunESRGAN:!1,upscalingLevel:4,upscalingStrength:.75,shouldRunGFPGAN:!1,gfpganStrength:.8,shouldRandomizeSeed:!0,showAdvancedOptions:!0},Yce=RT,NT=Wb({name:"options",initialState:Yce,reducers:{setPrompt:(e,t)=>{const n=t.payload;typeof n=="string"?e.prompt=n:e.prompt=Z5(n)},setIterations:(e,t)=>{e.iterations=t.payload},setSteps:(e,t)=>{e.steps=t.payload},setCfgScale:(e,t)=>{e.cfgScale=t.payload},setThreshold:(e,t)=>{e.threshold=t.payload},setPerlin:(e,t)=>{e.perlin=t.payload},setHeight:(e,t)=>{e.height=t.payload},setWidth:(e,t)=>{e.width=t.payload},setSampler:(e,t)=>{e.sampler=t.payload},setSeed:(e,t)=>{e.seed=t.payload,e.shouldRandomizeSeed=!1},setImg2imgStrength:(e,t)=>{e.img2imgStrength=t.payload},setGfpganStrength:(e,t)=>{e.gfpganStrength=t.payload},setUpscalingLevel:(e,t)=>{e.upscalingLevel=t.payload},setUpscalingStrength:(e,t)=>{e.upscalingStrength=t.payload},setShouldUseInitImage:(e,t)=>{e.shouldUseInitImage=t.payload},setInitialImagePath:(e,t)=>{const n=t.payload;e.shouldUseInitImage=!!n,e.initialImagePath=n},setMaskPath:(e,t)=>{e.maskPath=t.payload},setSeamless:(e,t)=>{e.seamless=t.payload},setShouldFitToWidthHeight:(e,t)=>{e.shouldFitToWidthHeight=t.payload},resetSeed:e=>{e.seed=-1},setParameter:(e,t)=>{const{key:n,value:r}=t.payload,o={...e,[n]:r};return n==="seed"&&(o.shouldRandomizeSeed=!1),n==="initialImagePath"&&r===""&&(o.shouldUseInitImage=!1),o},setShouldGenerateVariations:(e,t)=>{e.shouldGenerateVariations=t.payload},setVariationAmount:(e,t)=>{e.variationAmount=t.payload},setSeedWeights:(e,t)=>{e.seedWeights=t.payload},setAllParameters:(e,t)=>{const{type:n,sampler:r,prompt:o,seed:i,variations:s,steps:u,cfg_scale:c,threshold:f,perlin:d,seamless:h,width:m,height:g,strength:b,fit:S,init_image_path:E,mask_image_path:w}=t.payload.image;n==="img2img"?(E&&(e.initialImagePath=E),w&&(e.maskPath=w),b&&(e.img2imgStrength=b),typeof S=="boolean"&&(e.shouldFitToWidthHeight=S),e.shouldUseInitImage=!0):e.shouldUseInitImage=!1,s&&s.length>0?(e.seedWeights=K5(s),e.shouldGenerateVariations=!0):e.shouldGenerateVariations=!1,i&&(e.seed=i,e.shouldRandomizeSeed=!1),o&&(e.prompt=Z5(o)),r&&(e.sampler=r),u&&(e.steps=u),c&&(e.cfgScale=c),f&&(e.threshold=f),d&&(e.perlin=d),typeof h=="boolean"&&(e.seamless=h),m&&(e.width=m),g&&(e.height=g)},resetOptionsState:e=>({...e,...RT}),setShouldRunGFPGAN:(e,t)=>{e.shouldRunGFPGAN=t.payload},setShouldRunESRGAN:(e,t)=>{e.shouldRunESRGAN=t.payload},setShouldRandomizeSeed:(e,t)=>{e.shouldRandomizeSeed=t.payload},setShowAdvancedOptions:(e,t)=>{e.showAdvancedOptions=t.payload}}}),{setPrompt:DT,setIterations:Xce,setSteps:zT,setCfgScale:FT,setThreshold:Qce,setPerlin:Jce,setHeight:BT,setWidth:q5,setSampler:$T,setSeed:Td,setSeamless:efe,setImg2imgStrength:VT,setGfpganStrength:Y5,setUpscalingLevel:X5,setUpscalingStrength:Q5,setShouldUseInitImage:tfe,setInitialImagePath:Lu,setMaskPath:nd,resetSeed:f0e,resetOptionsState:d0e,setShouldFitToWidthHeight:WT,setParameter:p0e,setShouldGenerateVariations:nfe,setSeedWeights:HT,setVariationAmount:rfe,setAllParameters:jT,setShouldRunGFPGAN:ofe,setShouldRunESRGAN:ife,setShouldRandomizeSeed:afe,setShowAdvancedOptions:sfe}=NT.actions,lfe=NT.reducer;var Cn={exports:{}};/** + * @license + * Lodash <https://lodash.com/> + * Copyright OpenJS Foundation and other contributors <https://openjsf.org/> + * Released under MIT license <https://lodash.com/license> + * Based on Underscore.js 1.8.3 <http://underscorejs.org/LICENSE> + * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors + */(function(e,t){(function(){var n,r="4.17.21",o=200,i="Unsupported core-js use. Try https://npms.io/search?q=ponyfill.",s="Expected a function",u="Invalid `variable` option passed into `_.template`",c="__lodash_hash_undefined__",f=500,d="__lodash_placeholder__",h=1,m=2,g=4,b=1,S=2,E=1,w=2,x=4,_=8,L=16,T=32,R=64,N=128,F=256,K=512,W=30,J="...",ve=800,xe=16,he=1,fe=2,me=3,ne=1/0,H=9007199254740991,Y=17976931348623157e292,Z=0/0,M=4294967295,j=M-1,se=M>>>1,ce=[["ary",N],["bind",E],["bindKey",w],["curry",_],["curryRight",L],["flip",K],["partial",T],["partialRight",R],["rearg",F]],ye="[object Arguments]",be="[object Array]",Le="[object AsyncFunction]",de="[object Boolean]",_e="[object Date]",De="[object DOMException]",st="[object Error]",Tt="[object Function]",gn="[object GeneratorFunction]",Se="[object Map]",Ie="[object Number]",tt="[object Null]",ze="[object Object]",$t="[object Promise]",vn="[object Proxy]",lt="[object RegExp]",Ct="[object Set]",Qt="[object String]",Gt="[object Symbol]",pe="[object Undefined]",Ee="[object WeakMap]",pt="[object WeakSet]",ut="[object ArrayBuffer]",ie="[object DataView]",Ge="[object Float32Array]",Et="[object Float64Array]",kn="[object Int8Array]",zn="[object Int16Array]",kr="[object Int32Array]",Fo="[object Uint8Array]",bi="[object Uint8ClampedArray]",Kn="[object Uint16Array]",Zr="[object Uint32Array]",ns=/\b__p \+= '';/g,Xs=/\b(__p \+=) '' \+/g,Hm=/(__e\(.*?\)|\b__t\)) \+\n'';/g,Hu=/&(?:amp|lt|gt|quot|#39);/g,ta=/[&<>"']/g,jm=RegExp(Hu.source),xi=RegExp(ta.source),Um=/<%-([\s\S]+?)%>/g,Gm=/<%([\s\S]+?)%>/g,Md=/<%=([\s\S]+?)%>/g,Zm=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,Km=/^\w*$/,vo=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,ju=/[\\^$.*+?()[\]{}|]/g,qm=RegExp(ju.source),Uu=/^\s+/,Ym=/\s/,Xm=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,na=/\{\n\/\* \[wrapped with (.+)\] \*/,Qm=/,? & /,Jm=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,eg=/[()=,{}\[\]\/\s]/,tg=/\\(\\)?/g,ng=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,Si=/\w*$/,rg=/^[-+]0x[0-9a-f]+$/i,og=/^0b[01]+$/i,ig=/^\[object .+?Constructor\]$/,ag=/^0o[0-7]+$/i,sg=/^(?:0|[1-9]\d*)$/,lg=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,ra=/($^)/,ug=/['\n\r\u2028\u2029\\]/g,wi="\\ud800-\\udfff",Gu="\\u0300-\\u036f",cg="\\ufe20-\\ufe2f",Qs="\\u20d0-\\u20ff",Zu=Gu+cg+Qs,Od="\\u2700-\\u27bf",Rd="a-z\\xdf-\\xf6\\xf8-\\xff",fg="\\xac\\xb1\\xd7\\xf7",Nd="\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf",dg="\\u2000-\\u206f",pg=" \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000",Dd="A-Z\\xc0-\\xd6\\xd8-\\xde",zd="\\ufe0e\\ufe0f",Fd=fg+Nd+dg+pg,Ku="['\u2019]",hg="["+wi+"]",Bd="["+Fd+"]",Js="["+Zu+"]",$d="\\d+",el="["+Od+"]",tl="["+Rd+"]",Vd="[^"+wi+Fd+$d+Od+Rd+Dd+"]",qu="\\ud83c[\\udffb-\\udfff]",Wd="(?:"+Js+"|"+qu+")",Hd="[^"+wi+"]",Yu="(?:\\ud83c[\\udde6-\\uddff]){2}",Xu="[\\ud800-\\udbff][\\udc00-\\udfff]",Ci="["+Dd+"]",jd="\\u200d",Ud="(?:"+tl+"|"+Vd+")",mg="(?:"+Ci+"|"+Vd+")",nl="(?:"+Ku+"(?:d|ll|m|re|s|t|ve))?",Gd="(?:"+Ku+"(?:D|LL|M|RE|S|T|VE))?",Zd=Wd+"?",Kd="["+zd+"]?",rl="(?:"+jd+"(?:"+[Hd,Yu,Xu].join("|")+")"+Kd+Zd+")*",Qu="\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",Ju="\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])",ol=Kd+Zd+rl,gg="(?:"+[el,Yu,Xu].join("|")+")"+ol,qd="(?:"+[Hd+Js+"?",Js,Yu,Xu,hg].join("|")+")",ec=RegExp(Ku,"g"),Yd=RegExp(Js,"g"),yo=RegExp(qu+"(?="+qu+")|"+qd+ol,"g"),rs=RegExp([Ci+"?"+tl+"+"+nl+"(?="+[Bd,Ci,"$"].join("|")+")",mg+"+"+Gd+"(?="+[Bd,Ci+Ud,"$"].join("|")+")",Ci+"?"+Ud+"+"+nl,Ci+"+"+Gd,Ju,Qu,$d,gg].join("|"),"g"),vg=RegExp("["+jd+wi+Zu+zd+"]"),Xd=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,yg=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],Qd=-1,_t={};_t[Ge]=_t[Et]=_t[kn]=_t[zn]=_t[kr]=_t[Fo]=_t[bi]=_t[Kn]=_t[Zr]=!0,_t[ye]=_t[be]=_t[ut]=_t[de]=_t[ie]=_t[_e]=_t[st]=_t[Tt]=_t[Se]=_t[Ie]=_t[ze]=_t[lt]=_t[Ct]=_t[Qt]=_t[Ee]=!1;var St={};St[ye]=St[be]=St[ut]=St[ie]=St[de]=St[_e]=St[Ge]=St[Et]=St[kn]=St[zn]=St[kr]=St[Se]=St[Ie]=St[ze]=St[lt]=St[Ct]=St[Qt]=St[Gt]=St[Fo]=St[bi]=St[Kn]=St[Zr]=!0,St[st]=St[Tt]=St[Ee]=!1;var Jd={\u00C0:"A",\u00C1:"A",\u00C2:"A",\u00C3:"A",\u00C4:"A",\u00C5:"A",\u00E0:"a",\u00E1:"a",\u00E2:"a",\u00E3:"a",\u00E4:"a",\u00E5:"a",\u00C7:"C",\u00E7:"c",\u00D0:"D",\u00F0:"d",\u00C8:"E",\u00C9:"E",\u00CA:"E",\u00CB:"E",\u00E8:"e",\u00E9:"e",\u00EA:"e",\u00EB:"e",\u00CC:"I",\u00CD:"I",\u00CE:"I",\u00CF:"I",\u00EC:"i",\u00ED:"i",\u00EE:"i",\u00EF:"i",\u00D1:"N",\u00F1:"n",\u00D2:"O",\u00D3:"O",\u00D4:"O",\u00D5:"O",\u00D6:"O",\u00D8:"O",\u00F2:"o",\u00F3:"o",\u00F4:"o",\u00F5:"o",\u00F6:"o",\u00F8:"o",\u00D9:"U",\u00DA:"U",\u00DB:"U",\u00DC:"U",\u00F9:"u",\u00FA:"u",\u00FB:"u",\u00FC:"u",\u00DD:"Y",\u00FD:"y",\u00FF:"y",\u00C6:"Ae",\u00E6:"ae",\u00DE:"Th",\u00FE:"th",\u00DF:"ss",\u0100:"A",\u0102:"A",\u0104:"A",\u0101:"a",\u0103:"a",\u0105:"a",\u0106:"C",\u0108:"C",\u010A:"C",\u010C:"C",\u0107:"c",\u0109:"c",\u010B:"c",\u010D:"c",\u010E:"D",\u0110:"D",\u010F:"d",\u0111:"d",\u0112:"E",\u0114:"E",\u0116:"E",\u0118:"E",\u011A:"E",\u0113:"e",\u0115:"e",\u0117:"e",\u0119:"e",\u011B:"e",\u011C:"G",\u011E:"G",\u0120:"G",\u0122:"G",\u011D:"g",\u011F:"g",\u0121:"g",\u0123:"g",\u0124:"H",\u0126:"H",\u0125:"h",\u0127:"h",\u0128:"I",\u012A:"I",\u012C:"I",\u012E:"I",\u0130:"I",\u0129:"i",\u012B:"i",\u012D:"i",\u012F:"i",\u0131:"i",\u0134:"J",\u0135:"j",\u0136:"K",\u0137:"k",\u0138:"k",\u0139:"L",\u013B:"L",\u013D:"L",\u013F:"L",\u0141:"L",\u013A:"l",\u013C:"l",\u013E:"l",\u0140:"l",\u0142:"l",\u0143:"N",\u0145:"N",\u0147:"N",\u014A:"N",\u0144:"n",\u0146:"n",\u0148:"n",\u014B:"n",\u014C:"O",\u014E:"O",\u0150:"O",\u014D:"o",\u014F:"o",\u0151:"o",\u0154:"R",\u0156:"R",\u0158:"R",\u0155:"r",\u0157:"r",\u0159:"r",\u015A:"S",\u015C:"S",\u015E:"S",\u0160:"S",\u015B:"s",\u015D:"s",\u015F:"s",\u0161:"s",\u0162:"T",\u0164:"T",\u0166:"T",\u0163:"t",\u0165:"t",\u0167:"t",\u0168:"U",\u016A:"U",\u016C:"U",\u016E:"U",\u0170:"U",\u0172:"U",\u0169:"u",\u016B:"u",\u016D:"u",\u016F:"u",\u0171:"u",\u0173:"u",\u0174:"W",\u0175:"w",\u0176:"Y",\u0177:"y",\u0178:"Y",\u0179:"Z",\u017B:"Z",\u017D:"Z",\u017A:"z",\u017C:"z",\u017E:"z",\u0132:"IJ",\u0133:"ij",\u0152:"Oe",\u0153:"oe",\u0149:"'n",\u017F:"s"},bg={"&":"&","<":"<",">":">",'"':""","'":"'"},I={"&":"&","<":"<",">":">",""":'"',"'":"'"},z={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},U=parseFloat,we=parseInt,Ze=typeof Bi=="object"&&Bi&&Bi.Object===Object&&Bi,ht=typeof self=="object"&&self&&self.Object===Object&&self,$e=Ze||ht||Function("return this")(),He=t&&!t.nodeType&&t,nt=He&&!0&&e&&!e.nodeType&&e,qn=nt&&nt.exports===He,En=qn&&Ze.process,yn=function(){try{var $=nt&&nt.require&&nt.require("util").types;return $||En&&En.binding&&En.binding("util")}catch{}}(),il=yn&&yn.isArrayBuffer,al=yn&&yn.isDate,tc=yn&&yn.isMap,a6=yn&&yn.isRegExp,s6=yn&&yn.isSet,l6=yn&&yn.isTypedArray;function Er($,X,G){switch(G.length){case 0:return $.call(X);case 1:return $.call(X,G[0]);case 2:return $.call(X,G[0],G[1]);case 3:return $.call(X,G[0],G[1],G[2])}return $.apply(X,G)}function WI($,X,G,Ce){for(var Fe=-1,rt=$==null?0:$.length;++Fe<rt;){var fn=$[Fe];X(Ce,fn,G(fn),$)}return Ce}function Kr($,X){for(var G=-1,Ce=$==null?0:$.length;++G<Ce&&X($[G],G,$)!==!1;);return $}function HI($,X){for(var G=$==null?0:$.length;G--&&X($[G],G,$)!==!1;);return $}function u6($,X){for(var G=-1,Ce=$==null?0:$.length;++G<Ce;)if(!X($[G],G,$))return!1;return!0}function oa($,X){for(var G=-1,Ce=$==null?0:$.length,Fe=0,rt=[];++G<Ce;){var fn=$[G];X(fn,G,$)&&(rt[Fe++]=fn)}return rt}function ep($,X){var G=$==null?0:$.length;return!!G&&sl($,X,0)>-1}function xg($,X,G){for(var Ce=-1,Fe=$==null?0:$.length;++Ce<Fe;)if(G(X,$[Ce]))return!0;return!1}function Nt($,X){for(var G=-1,Ce=$==null?0:$.length,Fe=Array(Ce);++G<Ce;)Fe[G]=X($[G],G,$);return Fe}function ia($,X){for(var G=-1,Ce=X.length,Fe=$.length;++G<Ce;)$[Fe+G]=X[G];return $}function Sg($,X,G,Ce){var Fe=-1,rt=$==null?0:$.length;for(Ce&&rt&&(G=$[++Fe]);++Fe<rt;)G=X(G,$[Fe],Fe,$);return G}function jI($,X,G,Ce){var Fe=$==null?0:$.length;for(Ce&&Fe&&(G=$[--Fe]);Fe--;)G=X(G,$[Fe],Fe,$);return G}function wg($,X){for(var G=-1,Ce=$==null?0:$.length;++G<Ce;)if(X($[G],G,$))return!0;return!1}var UI=Cg("length");function GI($){return $.split("")}function ZI($){return $.match(Jm)||[]}function c6($,X,G){var Ce;return G($,function(Fe,rt,fn){if(X(Fe,rt,fn))return Ce=rt,!1}),Ce}function tp($,X,G,Ce){for(var Fe=$.length,rt=G+(Ce?1:-1);Ce?rt--:++rt<Fe;)if(X($[rt],rt,$))return rt;return-1}function sl($,X,G){return X===X?iM($,X,G):tp($,f6,G)}function KI($,X,G,Ce){for(var Fe=G-1,rt=$.length;++Fe<rt;)if(Ce($[Fe],X))return Fe;return-1}function f6($){return $!==$}function d6($,X){var G=$==null?0:$.length;return G?kg($,X)/G:Z}function Cg($){return function(X){return X==null?n:X[$]}}function _g($){return function(X){return $==null?n:$[X]}}function p6($,X,G,Ce,Fe){return Fe($,function(rt,fn,kt){G=Ce?(Ce=!1,rt):X(G,rt,fn,kt)}),G}function qI($,X){var G=$.length;for($.sort(X);G--;)$[G]=$[G].value;return $}function kg($,X){for(var G,Ce=-1,Fe=$.length;++Ce<Fe;){var rt=X($[Ce]);rt!==n&&(G=G===n?rt:G+rt)}return G}function Eg($,X){for(var G=-1,Ce=Array($);++G<$;)Ce[G]=X(G);return Ce}function YI($,X){return Nt(X,function(G){return[G,$[G]]})}function h6($){return $&&$.slice(0,y6($)+1).replace(Uu,"")}function Lr($){return function(X){return $(X)}}function Lg($,X){return Nt(X,function(G){return $[G]})}function nc($,X){return $.has(X)}function m6($,X){for(var G=-1,Ce=$.length;++G<Ce&&sl(X,$[G],0)>-1;);return G}function g6($,X){for(var G=$.length;G--&&sl(X,$[G],0)>-1;);return G}function XI($,X){for(var G=$.length,Ce=0;G--;)$[G]===X&&++Ce;return Ce}var QI=_g(Jd),JI=_g(bg);function eM($){return"\\"+z[$]}function tM($,X){return $==null?n:$[X]}function ll($){return vg.test($)}function nM($){return Xd.test($)}function rM($){for(var X,G=[];!(X=$.next()).done;)G.push(X.value);return G}function Pg($){var X=-1,G=Array($.size);return $.forEach(function(Ce,Fe){G[++X]=[Fe,Ce]}),G}function v6($,X){return function(G){return $(X(G))}}function aa($,X){for(var G=-1,Ce=$.length,Fe=0,rt=[];++G<Ce;){var fn=$[G];(fn===X||fn===d)&&($[G]=d,rt[Fe++]=G)}return rt}function np($){var X=-1,G=Array($.size);return $.forEach(function(Ce){G[++X]=Ce}),G}function oM($){var X=-1,G=Array($.size);return $.forEach(function(Ce){G[++X]=[Ce,Ce]}),G}function iM($,X,G){for(var Ce=G-1,Fe=$.length;++Ce<Fe;)if($[Ce]===X)return Ce;return-1}function aM($,X,G){for(var Ce=G+1;Ce--;)if($[Ce]===X)return Ce;return Ce}function ul($){return ll($)?lM($):UI($)}function bo($){return ll($)?uM($):GI($)}function y6($){for(var X=$.length;X--&&Ym.test($.charAt(X)););return X}var sM=_g(I);function lM($){for(var X=yo.lastIndex=0;yo.test($);)++X;return X}function uM($){return $.match(yo)||[]}function cM($){return $.match(rs)||[]}var fM=function $(X){X=X==null?$e:cl.defaults($e.Object(),X,cl.pick($e,yg));var G=X.Array,Ce=X.Date,Fe=X.Error,rt=X.Function,fn=X.Math,kt=X.Object,Ag=X.RegExp,dM=X.String,qr=X.TypeError,rp=G.prototype,pM=rt.prototype,fl=kt.prototype,op=X["__core-js_shared__"],ip=pM.toString,mt=fl.hasOwnProperty,hM=0,b6=function(){var a=/[^.]+$/.exec(op&&op.keys&&op.keys.IE_PROTO||"");return a?"Symbol(src)_1."+a:""}(),ap=fl.toString,mM=ip.call(kt),gM=$e._,vM=Ag("^"+ip.call(mt).replace(ju,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),sp=qn?X.Buffer:n,sa=X.Symbol,lp=X.Uint8Array,x6=sp?sp.allocUnsafe:n,up=v6(kt.getPrototypeOf,kt),S6=kt.create,w6=fl.propertyIsEnumerable,cp=rp.splice,C6=sa?sa.isConcatSpreadable:n,rc=sa?sa.iterator:n,os=sa?sa.toStringTag:n,fp=function(){try{var a=us(kt,"defineProperty");return a({},"",{}),a}catch{}}(),yM=X.clearTimeout!==$e.clearTimeout&&X.clearTimeout,bM=Ce&&Ce.now!==$e.Date.now&&Ce.now,xM=X.setTimeout!==$e.setTimeout&&X.setTimeout,dp=fn.ceil,pp=fn.floor,Tg=kt.getOwnPropertySymbols,SM=sp?sp.isBuffer:n,_6=X.isFinite,wM=rp.join,CM=v6(kt.keys,kt),dn=fn.max,Fn=fn.min,_M=Ce.now,kM=X.parseInt,k6=fn.random,EM=rp.reverse,Ig=us(X,"DataView"),oc=us(X,"Map"),Mg=us(X,"Promise"),dl=us(X,"Set"),ic=us(X,"WeakMap"),ac=us(kt,"create"),hp=ic&&new ic,pl={},LM=cs(Ig),PM=cs(oc),AM=cs(Mg),TM=cs(dl),IM=cs(ic),mp=sa?sa.prototype:n,sc=mp?mp.valueOf:n,E6=mp?mp.toString:n;function P(a){if(Zt(a)&&!Be(a)&&!(a instanceof qe)){if(a instanceof Yr)return a;if(mt.call(a,"__wrapped__"))return L9(a)}return new Yr(a)}var hl=function(){function a(){}return function(l){if(!Vt(l))return{};if(S6)return S6(l);a.prototype=l;var p=new a;return a.prototype=n,p}}();function gp(){}function Yr(a,l){this.__wrapped__=a,this.__actions__=[],this.__chain__=!!l,this.__index__=0,this.__values__=n}P.templateSettings={escape:Um,evaluate:Gm,interpolate:Md,variable:"",imports:{_:P}},P.prototype=gp.prototype,P.prototype.constructor=P,Yr.prototype=hl(gp.prototype),Yr.prototype.constructor=Yr;function qe(a){this.__wrapped__=a,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=M,this.__views__=[]}function MM(){var a=new qe(this.__wrapped__);return a.__actions__=cr(this.__actions__),a.__dir__=this.__dir__,a.__filtered__=this.__filtered__,a.__iteratees__=cr(this.__iteratees__),a.__takeCount__=this.__takeCount__,a.__views__=cr(this.__views__),a}function OM(){if(this.__filtered__){var a=new qe(this);a.__dir__=-1,a.__filtered__=!0}else a=this.clone(),a.__dir__*=-1;return a}function RM(){var a=this.__wrapped__.value(),l=this.__dir__,p=Be(a),v=l<0,k=p?a.length:0,A=GO(0,k,this.__views__),O=A.start,D=A.end,V=D-O,ee=v?D:O-1,te=this.__iteratees__,ae=te.length,ge=0,Pe=Fn(V,this.__takeCount__);if(!p||!v&&k==V&&Pe==V)return Y6(a,this.__actions__);var Oe=[];e:for(;V--&&ge<Pe;){ee+=l;for(var We=-1,Re=a[ee];++We<ae;){var Ke=te[We],Xe=Ke.iteratee,Tr=Ke.type,Qn=Xe(Re);if(Tr==fe)Re=Qn;else if(!Qn){if(Tr==he)continue e;break e}}Oe[ge++]=Re}return Oe}qe.prototype=hl(gp.prototype),qe.prototype.constructor=qe;function is(a){var l=-1,p=a==null?0:a.length;for(this.clear();++l<p;){var v=a[l];this.set(v[0],v[1])}}function NM(){this.__data__=ac?ac(null):{},this.size=0}function DM(a){var l=this.has(a)&&delete this.__data__[a];return this.size-=l?1:0,l}function zM(a){var l=this.__data__;if(ac){var p=l[a];return p===c?n:p}return mt.call(l,a)?l[a]:n}function FM(a){var l=this.__data__;return ac?l[a]!==n:mt.call(l,a)}function BM(a,l){var p=this.__data__;return this.size+=this.has(a)?0:1,p[a]=ac&&l===n?c:l,this}is.prototype.clear=NM,is.prototype.delete=DM,is.prototype.get=zM,is.prototype.has=FM,is.prototype.set=BM;function _i(a){var l=-1,p=a==null?0:a.length;for(this.clear();++l<p;){var v=a[l];this.set(v[0],v[1])}}function $M(){this.__data__=[],this.size=0}function VM(a){var l=this.__data__,p=vp(l,a);if(p<0)return!1;var v=l.length-1;return p==v?l.pop():cp.call(l,p,1),--this.size,!0}function WM(a){var l=this.__data__,p=vp(l,a);return p<0?n:l[p][1]}function HM(a){return vp(this.__data__,a)>-1}function jM(a,l){var p=this.__data__,v=vp(p,a);return v<0?(++this.size,p.push([a,l])):p[v][1]=l,this}_i.prototype.clear=$M,_i.prototype.delete=VM,_i.prototype.get=WM,_i.prototype.has=HM,_i.prototype.set=jM;function ki(a){var l=-1,p=a==null?0:a.length;for(this.clear();++l<p;){var v=a[l];this.set(v[0],v[1])}}function UM(){this.size=0,this.__data__={hash:new is,map:new(oc||_i),string:new is}}function GM(a){var l=Ap(this,a).delete(a);return this.size-=l?1:0,l}function ZM(a){return Ap(this,a).get(a)}function KM(a){return Ap(this,a).has(a)}function qM(a,l){var p=Ap(this,a),v=p.size;return p.set(a,l),this.size+=p.size==v?0:1,this}ki.prototype.clear=UM,ki.prototype.delete=GM,ki.prototype.get=ZM,ki.prototype.has=KM,ki.prototype.set=qM;function as(a){var l=-1,p=a==null?0:a.length;for(this.__data__=new ki;++l<p;)this.add(a[l])}function YM(a){return this.__data__.set(a,c),this}function XM(a){return this.__data__.has(a)}as.prototype.add=as.prototype.push=YM,as.prototype.has=XM;function xo(a){var l=this.__data__=new _i(a);this.size=l.size}function QM(){this.__data__=new _i,this.size=0}function JM(a){var l=this.__data__,p=l.delete(a);return this.size=l.size,p}function eO(a){return this.__data__.get(a)}function tO(a){return this.__data__.has(a)}function nO(a,l){var p=this.__data__;if(p instanceof _i){var v=p.__data__;if(!oc||v.length<o-1)return v.push([a,l]),this.size=++p.size,this;p=this.__data__=new ki(v)}return p.set(a,l),this.size=p.size,this}xo.prototype.clear=QM,xo.prototype.delete=JM,xo.prototype.get=eO,xo.prototype.has=tO,xo.prototype.set=nO;function L6(a,l){var p=Be(a),v=!p&&fs(a),k=!p&&!v&&da(a),A=!p&&!v&&!k&&yl(a),O=p||v||k||A,D=O?Eg(a.length,dM):[],V=D.length;for(var ee in a)(l||mt.call(a,ee))&&!(O&&(ee=="length"||k&&(ee=="offset"||ee=="parent")||A&&(ee=="buffer"||ee=="byteLength"||ee=="byteOffset")||Ai(ee,V)))&&D.push(ee);return D}function P6(a){var l=a.length;return l?a[Hg(0,l-1)]:n}function rO(a,l){return Tp(cr(a),ss(l,0,a.length))}function oO(a){return Tp(cr(a))}function Og(a,l,p){(p!==n&&!So(a[l],p)||p===n&&!(l in a))&&Ei(a,l,p)}function lc(a,l,p){var v=a[l];(!(mt.call(a,l)&&So(v,p))||p===n&&!(l in a))&&Ei(a,l,p)}function vp(a,l){for(var p=a.length;p--;)if(So(a[p][0],l))return p;return-1}function iO(a,l,p,v){return la(a,function(k,A,O){l(v,k,p(k),O)}),v}function A6(a,l){return a&&$o(l,bn(l),a)}function aO(a,l){return a&&$o(l,dr(l),a)}function Ei(a,l,p){l=="__proto__"&&fp?fp(a,l,{configurable:!0,enumerable:!0,value:p,writable:!0}):a[l]=p}function Rg(a,l){for(var p=-1,v=l.length,k=G(v),A=a==null;++p<v;)k[p]=A?n:hv(a,l[p]);return k}function ss(a,l,p){return a===a&&(p!==n&&(a=a<=p?a:p),l!==n&&(a=a>=l?a:l)),a}function Xr(a,l,p,v,k,A){var O,D=l&h,V=l&m,ee=l&g;if(p&&(O=k?p(a,v,k,A):p(a)),O!==n)return O;if(!Vt(a))return a;var te=Be(a);if(te){if(O=KO(a),!D)return cr(a,O)}else{var ae=Bn(a),ge=ae==Tt||ae==gn;if(da(a))return J6(a,D);if(ae==ze||ae==ye||ge&&!k){if(O=V||ge?{}:y9(a),!D)return V?zO(a,aO(O,a)):DO(a,A6(O,a))}else{if(!St[ae])return k?a:{};O=qO(a,ae,D)}}A||(A=new xo);var Pe=A.get(a);if(Pe)return Pe;A.set(a,O),Z9(a)?a.forEach(function(Re){O.add(Xr(Re,l,p,Re,a,A))}):U9(a)&&a.forEach(function(Re,Ke){O.set(Ke,Xr(Re,l,p,Ke,a,A))});var Oe=ee?V?ev:Jg:V?dr:bn,We=te?n:Oe(a);return Kr(We||a,function(Re,Ke){We&&(Ke=Re,Re=a[Ke]),lc(O,Ke,Xr(Re,l,p,Ke,a,A))}),O}function sO(a){var l=bn(a);return function(p){return T6(p,a,l)}}function T6(a,l,p){var v=p.length;if(a==null)return!v;for(a=kt(a);v--;){var k=p[v],A=l[k],O=a[k];if(O===n&&!(k in a)||!A(O))return!1}return!0}function I6(a,l,p){if(typeof a!="function")throw new qr(s);return mc(function(){a.apply(n,p)},l)}function uc(a,l,p,v){var k=-1,A=ep,O=!0,D=a.length,V=[],ee=l.length;if(!D)return V;p&&(l=Nt(l,Lr(p))),v?(A=xg,O=!1):l.length>=o&&(A=nc,O=!1,l=new as(l));e:for(;++k<D;){var te=a[k],ae=p==null?te:p(te);if(te=v||te!==0?te:0,O&&ae===ae){for(var ge=ee;ge--;)if(l[ge]===ae)continue e;V.push(te)}else A(l,ae,v)||V.push(te)}return V}var la=o9(Bo),M6=o9(Dg,!0);function lO(a,l){var p=!0;return la(a,function(v,k,A){return p=!!l(v,k,A),p}),p}function yp(a,l,p){for(var v=-1,k=a.length;++v<k;){var A=a[v],O=l(A);if(O!=null&&(D===n?O===O&&!Ar(O):p(O,D)))var D=O,V=A}return V}function uO(a,l,p,v){var k=a.length;for(p=Ve(p),p<0&&(p=-p>k?0:k+p),v=v===n||v>k?k:Ve(v),v<0&&(v+=k),v=p>v?0:q9(v);p<v;)a[p++]=l;return a}function O6(a,l){var p=[];return la(a,function(v,k,A){l(v,k,A)&&p.push(v)}),p}function Ln(a,l,p,v,k){var A=-1,O=a.length;for(p||(p=XO),k||(k=[]);++A<O;){var D=a[A];l>0&&p(D)?l>1?Ln(D,l-1,p,v,k):ia(k,D):v||(k[k.length]=D)}return k}var Ng=i9(),R6=i9(!0);function Bo(a,l){return a&&Ng(a,l,bn)}function Dg(a,l){return a&&R6(a,l,bn)}function bp(a,l){return oa(l,function(p){return Ti(a[p])})}function ls(a,l){l=ca(l,a);for(var p=0,v=l.length;a!=null&&p<v;)a=a[Vo(l[p++])];return p&&p==v?a:n}function N6(a,l,p){var v=l(a);return Be(a)?v:ia(v,p(a))}function Yn(a){return a==null?a===n?pe:tt:os&&os in kt(a)?UO(a):oR(a)}function zg(a,l){return a>l}function cO(a,l){return a!=null&&mt.call(a,l)}function fO(a,l){return a!=null&&l in kt(a)}function dO(a,l,p){return a>=Fn(l,p)&&a<dn(l,p)}function Fg(a,l,p){for(var v=p?xg:ep,k=a[0].length,A=a.length,O=A,D=G(A),V=1/0,ee=[];O--;){var te=a[O];O&&l&&(te=Nt(te,Lr(l))),V=Fn(te.length,V),D[O]=!p&&(l||k>=120&&te.length>=120)?new as(O&&te):n}te=a[0];var ae=-1,ge=D[0];e:for(;++ae<k&&ee.length<V;){var Pe=te[ae],Oe=l?l(Pe):Pe;if(Pe=p||Pe!==0?Pe:0,!(ge?nc(ge,Oe):v(ee,Oe,p))){for(O=A;--O;){var We=D[O];if(!(We?nc(We,Oe):v(a[O],Oe,p)))continue e}ge&&ge.push(Oe),ee.push(Pe)}}return ee}function pO(a,l,p,v){return Bo(a,function(k,A,O){l(v,p(k),A,O)}),v}function cc(a,l,p){l=ca(l,a),a=w9(a,l);var v=a==null?a:a[Vo(Jr(l))];return v==null?n:Er(v,a,p)}function D6(a){return Zt(a)&&Yn(a)==ye}function hO(a){return Zt(a)&&Yn(a)==ut}function mO(a){return Zt(a)&&Yn(a)==_e}function fc(a,l,p,v,k){return a===l?!0:a==null||l==null||!Zt(a)&&!Zt(l)?a!==a&&l!==l:gO(a,l,p,v,fc,k)}function gO(a,l,p,v,k,A){var O=Be(a),D=Be(l),V=O?be:Bn(a),ee=D?be:Bn(l);V=V==ye?ze:V,ee=ee==ye?ze:ee;var te=V==ze,ae=ee==ze,ge=V==ee;if(ge&&da(a)){if(!da(l))return!1;O=!0,te=!1}if(ge&&!te)return A||(A=new xo),O||yl(a)?m9(a,l,p,v,k,A):HO(a,l,V,p,v,k,A);if(!(p&b)){var Pe=te&&mt.call(a,"__wrapped__"),Oe=ae&&mt.call(l,"__wrapped__");if(Pe||Oe){var We=Pe?a.value():a,Re=Oe?l.value():l;return A||(A=new xo),k(We,Re,p,v,A)}}return ge?(A||(A=new xo),jO(a,l,p,v,k,A)):!1}function vO(a){return Zt(a)&&Bn(a)==Se}function Bg(a,l,p,v){var k=p.length,A=k,O=!v;if(a==null)return!A;for(a=kt(a);k--;){var D=p[k];if(O&&D[2]?D[1]!==a[D[0]]:!(D[0]in a))return!1}for(;++k<A;){D=p[k];var V=D[0],ee=a[V],te=D[1];if(O&&D[2]){if(ee===n&&!(V in a))return!1}else{var ae=new xo;if(v)var ge=v(ee,te,V,a,l,ae);if(!(ge===n?fc(te,ee,b|S,v,ae):ge))return!1}}return!0}function z6(a){if(!Vt(a)||JO(a))return!1;var l=Ti(a)?vM:ig;return l.test(cs(a))}function yO(a){return Zt(a)&&Yn(a)==lt}function bO(a){return Zt(a)&&Bn(a)==Ct}function xO(a){return Zt(a)&&Dp(a.length)&&!!_t[Yn(a)]}function F6(a){return typeof a=="function"?a:a==null?pr:typeof a=="object"?Be(a)?V6(a[0],a[1]):$6(a):ax(a)}function $g(a){if(!hc(a))return CM(a);var l=[];for(var p in kt(a))mt.call(a,p)&&p!="constructor"&&l.push(p);return l}function SO(a){if(!Vt(a))return rR(a);var l=hc(a),p=[];for(var v in a)v=="constructor"&&(l||!mt.call(a,v))||p.push(v);return p}function Vg(a,l){return a<l}function B6(a,l){var p=-1,v=fr(a)?G(a.length):[];return la(a,function(k,A,O){v[++p]=l(k,A,O)}),v}function $6(a){var l=nv(a);return l.length==1&&l[0][2]?x9(l[0][0],l[0][1]):function(p){return p===a||Bg(p,a,l)}}function V6(a,l){return ov(a)&&b9(l)?x9(Vo(a),l):function(p){var v=hv(p,a);return v===n&&v===l?mv(p,a):fc(l,v,b|S)}}function xp(a,l,p,v,k){a!==l&&Ng(l,function(A,O){if(k||(k=new xo),Vt(A))wO(a,l,O,p,xp,v,k);else{var D=v?v(av(a,O),A,O+"",a,l,k):n;D===n&&(D=A),Og(a,O,D)}},dr)}function wO(a,l,p,v,k,A,O){var D=av(a,p),V=av(l,p),ee=O.get(V);if(ee){Og(a,p,ee);return}var te=A?A(D,V,p+"",a,l,O):n,ae=te===n;if(ae){var ge=Be(V),Pe=!ge&&da(V),Oe=!ge&&!Pe&&yl(V);te=V,ge||Pe||Oe?Be(D)?te=D:Jt(D)?te=cr(D):Pe?(ae=!1,te=J6(V,!0)):Oe?(ae=!1,te=e9(V,!0)):te=[]:gc(V)||fs(V)?(te=D,fs(D)?te=Y9(D):(!Vt(D)||Ti(D))&&(te=y9(V))):ae=!1}ae&&(O.set(V,te),k(te,V,v,A,O),O.delete(V)),Og(a,p,te)}function W6(a,l){var p=a.length;if(!!p)return l+=l<0?p:0,Ai(l,p)?a[l]:n}function H6(a,l,p){l.length?l=Nt(l,function(A){return Be(A)?function(O){return ls(O,A.length===1?A[0]:A)}:A}):l=[pr];var v=-1;l=Nt(l,Lr(Me()));var k=B6(a,function(A,O,D){var V=Nt(l,function(ee){return ee(A)});return{criteria:V,index:++v,value:A}});return qI(k,function(A,O){return NO(A,O,p)})}function CO(a,l){return j6(a,l,function(p,v){return mv(a,v)})}function j6(a,l,p){for(var v=-1,k=l.length,A={};++v<k;){var O=l[v],D=ls(a,O);p(D,O)&&dc(A,ca(O,a),D)}return A}function _O(a){return function(l){return ls(l,a)}}function Wg(a,l,p,v){var k=v?KI:sl,A=-1,O=l.length,D=a;for(a===l&&(l=cr(l)),p&&(D=Nt(a,Lr(p)));++A<O;)for(var V=0,ee=l[A],te=p?p(ee):ee;(V=k(D,te,V,v))>-1;)D!==a&&cp.call(D,V,1),cp.call(a,V,1);return a}function U6(a,l){for(var p=a?l.length:0,v=p-1;p--;){var k=l[p];if(p==v||k!==A){var A=k;Ai(k)?cp.call(a,k,1):Gg(a,k)}}return a}function Hg(a,l){return a+pp(k6()*(l-a+1))}function kO(a,l,p,v){for(var k=-1,A=dn(dp((l-a)/(p||1)),0),O=G(A);A--;)O[v?A:++k]=a,a+=p;return O}function jg(a,l){var p="";if(!a||l<1||l>H)return p;do l%2&&(p+=a),l=pp(l/2),l&&(a+=a);while(l);return p}function je(a,l){return sv(S9(a,l,pr),a+"")}function EO(a){return P6(bl(a))}function LO(a,l){var p=bl(a);return Tp(p,ss(l,0,p.length))}function dc(a,l,p,v){if(!Vt(a))return a;l=ca(l,a);for(var k=-1,A=l.length,O=A-1,D=a;D!=null&&++k<A;){var V=Vo(l[k]),ee=p;if(V==="__proto__"||V==="constructor"||V==="prototype")return a;if(k!=O){var te=D[V];ee=v?v(te,V,D):n,ee===n&&(ee=Vt(te)?te:Ai(l[k+1])?[]:{})}lc(D,V,ee),D=D[V]}return a}var G6=hp?function(a,l){return hp.set(a,l),a}:pr,PO=fp?function(a,l){return fp(a,"toString",{configurable:!0,enumerable:!1,value:vv(l),writable:!0})}:pr;function AO(a){return Tp(bl(a))}function Qr(a,l,p){var v=-1,k=a.length;l<0&&(l=-l>k?0:k+l),p=p>k?k:p,p<0&&(p+=k),k=l>p?0:p-l>>>0,l>>>=0;for(var A=G(k);++v<k;)A[v]=a[v+l];return A}function TO(a,l){var p;return la(a,function(v,k,A){return p=l(v,k,A),!p}),!!p}function Sp(a,l,p){var v=0,k=a==null?v:a.length;if(typeof l=="number"&&l===l&&k<=se){for(;v<k;){var A=v+k>>>1,O=a[A];O!==null&&!Ar(O)&&(p?O<=l:O<l)?v=A+1:k=A}return k}return Ug(a,l,pr,p)}function Ug(a,l,p,v){var k=0,A=a==null?0:a.length;if(A===0)return 0;l=p(l);for(var O=l!==l,D=l===null,V=Ar(l),ee=l===n;k<A;){var te=pp((k+A)/2),ae=p(a[te]),ge=ae!==n,Pe=ae===null,Oe=ae===ae,We=Ar(ae);if(O)var Re=v||Oe;else ee?Re=Oe&&(v||ge):D?Re=Oe&&ge&&(v||!Pe):V?Re=Oe&&ge&&!Pe&&(v||!We):Pe||We?Re=!1:Re=v?ae<=l:ae<l;Re?k=te+1:A=te}return Fn(A,j)}function Z6(a,l){for(var p=-1,v=a.length,k=0,A=[];++p<v;){var O=a[p],D=l?l(O):O;if(!p||!So(D,V)){var V=D;A[k++]=O===0?0:O}}return A}function K6(a){return typeof a=="number"?a:Ar(a)?Z:+a}function Pr(a){if(typeof a=="string")return a;if(Be(a))return Nt(a,Pr)+"";if(Ar(a))return E6?E6.call(a):"";var l=a+"";return l=="0"&&1/a==-ne?"-0":l}function ua(a,l,p){var v=-1,k=ep,A=a.length,O=!0,D=[],V=D;if(p)O=!1,k=xg;else if(A>=o){var ee=l?null:VO(a);if(ee)return np(ee);O=!1,k=nc,V=new as}else V=l?[]:D;e:for(;++v<A;){var te=a[v],ae=l?l(te):te;if(te=p||te!==0?te:0,O&&ae===ae){for(var ge=V.length;ge--;)if(V[ge]===ae)continue e;l&&V.push(ae),D.push(te)}else k(V,ae,p)||(V!==D&&V.push(ae),D.push(te))}return D}function Gg(a,l){return l=ca(l,a),a=w9(a,l),a==null||delete a[Vo(Jr(l))]}function q6(a,l,p,v){return dc(a,l,p(ls(a,l)),v)}function wp(a,l,p,v){for(var k=a.length,A=v?k:-1;(v?A--:++A<k)&&l(a[A],A,a););return p?Qr(a,v?0:A,v?A+1:k):Qr(a,v?A+1:0,v?k:A)}function Y6(a,l){var p=a;return p instanceof qe&&(p=p.value()),Sg(l,function(v,k){return k.func.apply(k.thisArg,ia([v],k.args))},p)}function Zg(a,l,p){var v=a.length;if(v<2)return v?ua(a[0]):[];for(var k=-1,A=G(v);++k<v;)for(var O=a[k],D=-1;++D<v;)D!=k&&(A[k]=uc(A[k]||O,a[D],l,p));return ua(Ln(A,1),l,p)}function X6(a,l,p){for(var v=-1,k=a.length,A=l.length,O={};++v<k;){var D=v<A?l[v]:n;p(O,a[v],D)}return O}function Kg(a){return Jt(a)?a:[]}function qg(a){return typeof a=="function"?a:pr}function ca(a,l){return Be(a)?a:ov(a,l)?[a]:E9(ct(a))}var IO=je;function fa(a,l,p){var v=a.length;return p=p===n?v:p,!l&&p>=v?a:Qr(a,l,p)}var Q6=yM||function(a){return $e.clearTimeout(a)};function J6(a,l){if(l)return a.slice();var p=a.length,v=x6?x6(p):new a.constructor(p);return a.copy(v),v}function Yg(a){var l=new a.constructor(a.byteLength);return new lp(l).set(new lp(a)),l}function MO(a,l){var p=l?Yg(a.buffer):a.buffer;return new a.constructor(p,a.byteOffset,a.byteLength)}function OO(a){var l=new a.constructor(a.source,Si.exec(a));return l.lastIndex=a.lastIndex,l}function RO(a){return sc?kt(sc.call(a)):{}}function e9(a,l){var p=l?Yg(a.buffer):a.buffer;return new a.constructor(p,a.byteOffset,a.length)}function t9(a,l){if(a!==l){var p=a!==n,v=a===null,k=a===a,A=Ar(a),O=l!==n,D=l===null,V=l===l,ee=Ar(l);if(!D&&!ee&&!A&&a>l||A&&O&&V&&!D&&!ee||v&&O&&V||!p&&V||!k)return 1;if(!v&&!A&&!ee&&a<l||ee&&p&&k&&!v&&!A||D&&p&&k||!O&&k||!V)return-1}return 0}function NO(a,l,p){for(var v=-1,k=a.criteria,A=l.criteria,O=k.length,D=p.length;++v<O;){var V=t9(k[v],A[v]);if(V){if(v>=D)return V;var ee=p[v];return V*(ee=="desc"?-1:1)}}return a.index-l.index}function n9(a,l,p,v){for(var k=-1,A=a.length,O=p.length,D=-1,V=l.length,ee=dn(A-O,0),te=G(V+ee),ae=!v;++D<V;)te[D]=l[D];for(;++k<O;)(ae||k<A)&&(te[p[k]]=a[k]);for(;ee--;)te[D++]=a[k++];return te}function r9(a,l,p,v){for(var k=-1,A=a.length,O=-1,D=p.length,V=-1,ee=l.length,te=dn(A-D,0),ae=G(te+ee),ge=!v;++k<te;)ae[k]=a[k];for(var Pe=k;++V<ee;)ae[Pe+V]=l[V];for(;++O<D;)(ge||k<A)&&(ae[Pe+p[O]]=a[k++]);return ae}function cr(a,l){var p=-1,v=a.length;for(l||(l=G(v));++p<v;)l[p]=a[p];return l}function $o(a,l,p,v){var k=!p;p||(p={});for(var A=-1,O=l.length;++A<O;){var D=l[A],V=v?v(p[D],a[D],D,p,a):n;V===n&&(V=a[D]),k?Ei(p,D,V):lc(p,D,V)}return p}function DO(a,l){return $o(a,rv(a),l)}function zO(a,l){return $o(a,g9(a),l)}function Cp(a,l){return function(p,v){var k=Be(p)?WI:iO,A=l?l():{};return k(p,a,Me(v,2),A)}}function ml(a){return je(function(l,p){var v=-1,k=p.length,A=k>1?p[k-1]:n,O=k>2?p[2]:n;for(A=a.length>3&&typeof A=="function"?(k--,A):n,O&&Xn(p[0],p[1],O)&&(A=k<3?n:A,k=1),l=kt(l);++v<k;){var D=p[v];D&&a(l,D,v,A)}return l})}function o9(a,l){return function(p,v){if(p==null)return p;if(!fr(p))return a(p,v);for(var k=p.length,A=l?k:-1,O=kt(p);(l?A--:++A<k)&&v(O[A],A,O)!==!1;);return p}}function i9(a){return function(l,p,v){for(var k=-1,A=kt(l),O=v(l),D=O.length;D--;){var V=O[a?D:++k];if(p(A[V],V,A)===!1)break}return l}}function FO(a,l,p){var v=l&E,k=pc(a);function A(){var O=this&&this!==$e&&this instanceof A?k:a;return O.apply(v?p:this,arguments)}return A}function a9(a){return function(l){l=ct(l);var p=ll(l)?bo(l):n,v=p?p[0]:l.charAt(0),k=p?fa(p,1).join(""):l.slice(1);return v[a]()+k}}function gl(a){return function(l){return Sg(ox(rx(l).replace(ec,"")),a,"")}}function pc(a){return function(){var l=arguments;switch(l.length){case 0:return new a;case 1:return new a(l[0]);case 2:return new a(l[0],l[1]);case 3:return new a(l[0],l[1],l[2]);case 4:return new a(l[0],l[1],l[2],l[3]);case 5:return new a(l[0],l[1],l[2],l[3],l[4]);case 6:return new a(l[0],l[1],l[2],l[3],l[4],l[5]);case 7:return new a(l[0],l[1],l[2],l[3],l[4],l[5],l[6])}var p=hl(a.prototype),v=a.apply(p,l);return Vt(v)?v:p}}function BO(a,l,p){var v=pc(a);function k(){for(var A=arguments.length,O=G(A),D=A,V=vl(k);D--;)O[D]=arguments[D];var ee=A<3&&O[0]!==V&&O[A-1]!==V?[]:aa(O,V);if(A-=ee.length,A<p)return f9(a,l,_p,k.placeholder,n,O,ee,n,n,p-A);var te=this&&this!==$e&&this instanceof k?v:a;return Er(te,this,O)}return k}function s9(a){return function(l,p,v){var k=kt(l);if(!fr(l)){var A=Me(p,3);l=bn(l),p=function(D){return A(k[D],D,k)}}var O=a(l,p,v);return O>-1?k[A?l[O]:O]:n}}function l9(a){return Pi(function(l){var p=l.length,v=p,k=Yr.prototype.thru;for(a&&l.reverse();v--;){var A=l[v];if(typeof A!="function")throw new qr(s);if(k&&!O&&Pp(A)=="wrapper")var O=new Yr([],!0)}for(v=O?v:p;++v<p;){A=l[v];var D=Pp(A),V=D=="wrapper"?tv(A):n;V&&iv(V[0])&&V[1]==(N|_|T|F)&&!V[4].length&&V[9]==1?O=O[Pp(V[0])].apply(O,V[3]):O=A.length==1&&iv(A)?O[D]():O.thru(A)}return function(){var ee=arguments,te=ee[0];if(O&&ee.length==1&&Be(te))return O.plant(te).value();for(var ae=0,ge=p?l[ae].apply(this,ee):te;++ae<p;)ge=l[ae].call(this,ge);return ge}})}function _p(a,l,p,v,k,A,O,D,V,ee){var te=l&N,ae=l&E,ge=l&w,Pe=l&(_|L),Oe=l&K,We=ge?n:pc(a);function Re(){for(var Ke=arguments.length,Xe=G(Ke),Tr=Ke;Tr--;)Xe[Tr]=arguments[Tr];if(Pe)var Qn=vl(Re),Ir=XI(Xe,Qn);if(v&&(Xe=n9(Xe,v,k,Pe)),A&&(Xe=r9(Xe,A,O,Pe)),Ke-=Ir,Pe&&Ke<ee){var en=aa(Xe,Qn);return f9(a,l,_p,Re.placeholder,p,Xe,en,D,V,ee-Ke)}var wo=ae?p:this,Mi=ge?wo[a]:a;return Ke=Xe.length,D?Xe=iR(Xe,D):Oe&&Ke>1&&Xe.reverse(),te&&V<Ke&&(Xe.length=V),this&&this!==$e&&this instanceof Re&&(Mi=We||pc(Mi)),Mi.apply(wo,Xe)}return Re}function u9(a,l){return function(p,v){return pO(p,a,l(v),{})}}function kp(a,l){return function(p,v){var k;if(p===n&&v===n)return l;if(p!==n&&(k=p),v!==n){if(k===n)return v;typeof p=="string"||typeof v=="string"?(p=Pr(p),v=Pr(v)):(p=K6(p),v=K6(v)),k=a(p,v)}return k}}function Xg(a){return Pi(function(l){return l=Nt(l,Lr(Me())),je(function(p){var v=this;return a(l,function(k){return Er(k,v,p)})})})}function Ep(a,l){l=l===n?" ":Pr(l);var p=l.length;if(p<2)return p?jg(l,a):l;var v=jg(l,dp(a/ul(l)));return ll(l)?fa(bo(v),0,a).join(""):v.slice(0,a)}function $O(a,l,p,v){var k=l&E,A=pc(a);function O(){for(var D=-1,V=arguments.length,ee=-1,te=v.length,ae=G(te+V),ge=this&&this!==$e&&this instanceof O?A:a;++ee<te;)ae[ee]=v[ee];for(;V--;)ae[ee++]=arguments[++D];return Er(ge,k?p:this,ae)}return O}function c9(a){return function(l,p,v){return v&&typeof v!="number"&&Xn(l,p,v)&&(p=v=n),l=Ii(l),p===n?(p=l,l=0):p=Ii(p),v=v===n?l<p?1:-1:Ii(v),kO(l,p,v,a)}}function Lp(a){return function(l,p){return typeof l=="string"&&typeof p=="string"||(l=eo(l),p=eo(p)),a(l,p)}}function f9(a,l,p,v,k,A,O,D,V,ee){var te=l&_,ae=te?O:n,ge=te?n:O,Pe=te?A:n,Oe=te?n:A;l|=te?T:R,l&=~(te?R:T),l&x||(l&=~(E|w));var We=[a,l,k,Pe,ae,Oe,ge,D,V,ee],Re=p.apply(n,We);return iv(a)&&C9(Re,We),Re.placeholder=v,_9(Re,a,l)}function Qg(a){var l=fn[a];return function(p,v){if(p=eo(p),v=v==null?0:Fn(Ve(v),292),v&&_6(p)){var k=(ct(p)+"e").split("e"),A=l(k[0]+"e"+(+k[1]+v));return k=(ct(A)+"e").split("e"),+(k[0]+"e"+(+k[1]-v))}return l(p)}}var VO=dl&&1/np(new dl([,-0]))[1]==ne?function(a){return new dl(a)}:xv;function d9(a){return function(l){var p=Bn(l);return p==Se?Pg(l):p==Ct?oM(l):YI(l,a(l))}}function Li(a,l,p,v,k,A,O,D){var V=l&w;if(!V&&typeof a!="function")throw new qr(s);var ee=v?v.length:0;if(ee||(l&=~(T|R),v=k=n),O=O===n?O:dn(Ve(O),0),D=D===n?D:Ve(D),ee-=k?k.length:0,l&R){var te=v,ae=k;v=k=n}var ge=V?n:tv(a),Pe=[a,l,p,v,k,te,ae,A,O,D];if(ge&&nR(Pe,ge),a=Pe[0],l=Pe[1],p=Pe[2],v=Pe[3],k=Pe[4],D=Pe[9]=Pe[9]===n?V?0:a.length:dn(Pe[9]-ee,0),!D&&l&(_|L)&&(l&=~(_|L)),!l||l==E)var Oe=FO(a,l,p);else l==_||l==L?Oe=BO(a,l,D):(l==T||l==(E|T))&&!k.length?Oe=$O(a,l,p,v):Oe=_p.apply(n,Pe);var We=ge?G6:C9;return _9(We(Oe,Pe),a,l)}function p9(a,l,p,v){return a===n||So(a,fl[p])&&!mt.call(v,p)?l:a}function h9(a,l,p,v,k,A){return Vt(a)&&Vt(l)&&(A.set(l,a),xp(a,l,n,h9,A),A.delete(l)),a}function WO(a){return gc(a)?n:a}function m9(a,l,p,v,k,A){var O=p&b,D=a.length,V=l.length;if(D!=V&&!(O&&V>D))return!1;var ee=A.get(a),te=A.get(l);if(ee&&te)return ee==l&&te==a;var ae=-1,ge=!0,Pe=p&S?new as:n;for(A.set(a,l),A.set(l,a);++ae<D;){var Oe=a[ae],We=l[ae];if(v)var Re=O?v(We,Oe,ae,l,a,A):v(Oe,We,ae,a,l,A);if(Re!==n){if(Re)continue;ge=!1;break}if(Pe){if(!wg(l,function(Ke,Xe){if(!nc(Pe,Xe)&&(Oe===Ke||k(Oe,Ke,p,v,A)))return Pe.push(Xe)})){ge=!1;break}}else if(!(Oe===We||k(Oe,We,p,v,A))){ge=!1;break}}return A.delete(a),A.delete(l),ge}function HO(a,l,p,v,k,A,O){switch(p){case ie:if(a.byteLength!=l.byteLength||a.byteOffset!=l.byteOffset)return!1;a=a.buffer,l=l.buffer;case ut:return!(a.byteLength!=l.byteLength||!A(new lp(a),new lp(l)));case de:case _e:case Ie:return So(+a,+l);case st:return a.name==l.name&&a.message==l.message;case lt:case Qt:return a==l+"";case Se:var D=Pg;case Ct:var V=v&b;if(D||(D=np),a.size!=l.size&&!V)return!1;var ee=O.get(a);if(ee)return ee==l;v|=S,O.set(a,l);var te=m9(D(a),D(l),v,k,A,O);return O.delete(a),te;case Gt:if(sc)return sc.call(a)==sc.call(l)}return!1}function jO(a,l,p,v,k,A){var O=p&b,D=Jg(a),V=D.length,ee=Jg(l),te=ee.length;if(V!=te&&!O)return!1;for(var ae=V;ae--;){var ge=D[ae];if(!(O?ge in l:mt.call(l,ge)))return!1}var Pe=A.get(a),Oe=A.get(l);if(Pe&&Oe)return Pe==l&&Oe==a;var We=!0;A.set(a,l),A.set(l,a);for(var Re=O;++ae<V;){ge=D[ae];var Ke=a[ge],Xe=l[ge];if(v)var Tr=O?v(Xe,Ke,ge,l,a,A):v(Ke,Xe,ge,a,l,A);if(!(Tr===n?Ke===Xe||k(Ke,Xe,p,v,A):Tr)){We=!1;break}Re||(Re=ge=="constructor")}if(We&&!Re){var Qn=a.constructor,Ir=l.constructor;Qn!=Ir&&"constructor"in a&&"constructor"in l&&!(typeof Qn=="function"&&Qn instanceof Qn&&typeof Ir=="function"&&Ir instanceof Ir)&&(We=!1)}return A.delete(a),A.delete(l),We}function Pi(a){return sv(S9(a,n,T9),a+"")}function Jg(a){return N6(a,bn,rv)}function ev(a){return N6(a,dr,g9)}var tv=hp?function(a){return hp.get(a)}:xv;function Pp(a){for(var l=a.name+"",p=pl[l],v=mt.call(pl,l)?p.length:0;v--;){var k=p[v],A=k.func;if(A==null||A==a)return k.name}return l}function vl(a){var l=mt.call(P,"placeholder")?P:a;return l.placeholder}function Me(){var a=P.iteratee||yv;return a=a===yv?F6:a,arguments.length?a(arguments[0],arguments[1]):a}function Ap(a,l){var p=a.__data__;return QO(l)?p[typeof l=="string"?"string":"hash"]:p.map}function nv(a){for(var l=bn(a),p=l.length;p--;){var v=l[p],k=a[v];l[p]=[v,k,b9(k)]}return l}function us(a,l){var p=tM(a,l);return z6(p)?p:n}function UO(a){var l=mt.call(a,os),p=a[os];try{a[os]=n;var v=!0}catch{}var k=ap.call(a);return v&&(l?a[os]=p:delete a[os]),k}var rv=Tg?function(a){return a==null?[]:(a=kt(a),oa(Tg(a),function(l){return w6.call(a,l)}))}:Sv,g9=Tg?function(a){for(var l=[];a;)ia(l,rv(a)),a=up(a);return l}:Sv,Bn=Yn;(Ig&&Bn(new Ig(new ArrayBuffer(1)))!=ie||oc&&Bn(new oc)!=Se||Mg&&Bn(Mg.resolve())!=$t||dl&&Bn(new dl)!=Ct||ic&&Bn(new ic)!=Ee)&&(Bn=function(a){var l=Yn(a),p=l==ze?a.constructor:n,v=p?cs(p):"";if(v)switch(v){case LM:return ie;case PM:return Se;case AM:return $t;case TM:return Ct;case IM:return Ee}return l});function GO(a,l,p){for(var v=-1,k=p.length;++v<k;){var A=p[v],O=A.size;switch(A.type){case"drop":a+=O;break;case"dropRight":l-=O;break;case"take":l=Fn(l,a+O);break;case"takeRight":a=dn(a,l-O);break}}return{start:a,end:l}}function ZO(a){var l=a.match(na);return l?l[1].split(Qm):[]}function v9(a,l,p){l=ca(l,a);for(var v=-1,k=l.length,A=!1;++v<k;){var O=Vo(l[v]);if(!(A=a!=null&&p(a,O)))break;a=a[O]}return A||++v!=k?A:(k=a==null?0:a.length,!!k&&Dp(k)&&Ai(O,k)&&(Be(a)||fs(a)))}function KO(a){var l=a.length,p=new a.constructor(l);return l&&typeof a[0]=="string"&&mt.call(a,"index")&&(p.index=a.index,p.input=a.input),p}function y9(a){return typeof a.constructor=="function"&&!hc(a)?hl(up(a)):{}}function qO(a,l,p){var v=a.constructor;switch(l){case ut:return Yg(a);case de:case _e:return new v(+a);case ie:return MO(a,p);case Ge:case Et:case kn:case zn:case kr:case Fo:case bi:case Kn:case Zr:return e9(a,p);case Se:return new v;case Ie:case Qt:return new v(a);case lt:return OO(a);case Ct:return new v;case Gt:return RO(a)}}function YO(a,l){var p=l.length;if(!p)return a;var v=p-1;return l[v]=(p>1?"& ":"")+l[v],l=l.join(p>2?", ":" "),a.replace(Xm,`{ +/* [wrapped with `+l+`] */ +`)}function XO(a){return Be(a)||fs(a)||!!(C6&&a&&a[C6])}function Ai(a,l){var p=typeof a;return l=l??H,!!l&&(p=="number"||p!="symbol"&&sg.test(a))&&a>-1&&a%1==0&&a<l}function Xn(a,l,p){if(!Vt(p))return!1;var v=typeof l;return(v=="number"?fr(p)&&Ai(l,p.length):v=="string"&&l in p)?So(p[l],a):!1}function ov(a,l){if(Be(a))return!1;var p=typeof a;return p=="number"||p=="symbol"||p=="boolean"||a==null||Ar(a)?!0:Km.test(a)||!Zm.test(a)||l!=null&&a in kt(l)}function QO(a){var l=typeof a;return l=="string"||l=="number"||l=="symbol"||l=="boolean"?a!=="__proto__":a===null}function iv(a){var l=Pp(a),p=P[l];if(typeof p!="function"||!(l in qe.prototype))return!1;if(a===p)return!0;var v=tv(p);return!!v&&a===v[0]}function JO(a){return!!b6&&b6 in a}var eR=op?Ti:wv;function hc(a){var l=a&&a.constructor,p=typeof l=="function"&&l.prototype||fl;return a===p}function b9(a){return a===a&&!Vt(a)}function x9(a,l){return function(p){return p==null?!1:p[a]===l&&(l!==n||a in kt(p))}}function tR(a){var l=Rp(a,function(v){return p.size===f&&p.clear(),v}),p=l.cache;return l}function nR(a,l){var p=a[1],v=l[1],k=p|v,A=k<(E|w|N),O=v==N&&p==_||v==N&&p==F&&a[7].length<=l[8]||v==(N|F)&&l[7].length<=l[8]&&p==_;if(!(A||O))return a;v&E&&(a[2]=l[2],k|=p&E?0:x);var D=l[3];if(D){var V=a[3];a[3]=V?n9(V,D,l[4]):D,a[4]=V?aa(a[3],d):l[4]}return D=l[5],D&&(V=a[5],a[5]=V?r9(V,D,l[6]):D,a[6]=V?aa(a[5],d):l[6]),D=l[7],D&&(a[7]=D),v&N&&(a[8]=a[8]==null?l[8]:Fn(a[8],l[8])),a[9]==null&&(a[9]=l[9]),a[0]=l[0],a[1]=k,a}function rR(a){var l=[];if(a!=null)for(var p in kt(a))l.push(p);return l}function oR(a){return ap.call(a)}function S9(a,l,p){return l=dn(l===n?a.length-1:l,0),function(){for(var v=arguments,k=-1,A=dn(v.length-l,0),O=G(A);++k<A;)O[k]=v[l+k];k=-1;for(var D=G(l+1);++k<l;)D[k]=v[k];return D[l]=p(O),Er(a,this,D)}}function w9(a,l){return l.length<2?a:ls(a,Qr(l,0,-1))}function iR(a,l){for(var p=a.length,v=Fn(l.length,p),k=cr(a);v--;){var A=l[v];a[v]=Ai(A,p)?k[A]:n}return a}function av(a,l){if(!(l==="constructor"&&typeof a[l]=="function")&&l!="__proto__")return a[l]}var C9=k9(G6),mc=xM||function(a,l){return $e.setTimeout(a,l)},sv=k9(PO);function _9(a,l,p){var v=l+"";return sv(a,YO(v,aR(ZO(v),p)))}function k9(a){var l=0,p=0;return function(){var v=_M(),k=xe-(v-p);if(p=v,k>0){if(++l>=ve)return arguments[0]}else l=0;return a.apply(n,arguments)}}function Tp(a,l){var p=-1,v=a.length,k=v-1;for(l=l===n?v:l;++p<l;){var A=Hg(p,k),O=a[A];a[A]=a[p],a[p]=O}return a.length=l,a}var E9=tR(function(a){var l=[];return a.charCodeAt(0)===46&&l.push(""),a.replace(vo,function(p,v,k,A){l.push(k?A.replace(tg,"$1"):v||p)}),l});function Vo(a){if(typeof a=="string"||Ar(a))return a;var l=a+"";return l=="0"&&1/a==-ne?"-0":l}function cs(a){if(a!=null){try{return ip.call(a)}catch{}try{return a+""}catch{}}return""}function aR(a,l){return Kr(ce,function(p){var v="_."+p[0];l&p[1]&&!ep(a,v)&&a.push(v)}),a.sort()}function L9(a){if(a instanceof qe)return a.clone();var l=new Yr(a.__wrapped__,a.__chain__);return l.__actions__=cr(a.__actions__),l.__index__=a.__index__,l.__values__=a.__values__,l}function sR(a,l,p){(p?Xn(a,l,p):l===n)?l=1:l=dn(Ve(l),0);var v=a==null?0:a.length;if(!v||l<1)return[];for(var k=0,A=0,O=G(dp(v/l));k<v;)O[A++]=Qr(a,k,k+=l);return O}function lR(a){for(var l=-1,p=a==null?0:a.length,v=0,k=[];++l<p;){var A=a[l];A&&(k[v++]=A)}return k}function uR(){var a=arguments.length;if(!a)return[];for(var l=G(a-1),p=arguments[0],v=a;v--;)l[v-1]=arguments[v];return ia(Be(p)?cr(p):[p],Ln(l,1))}var cR=je(function(a,l){return Jt(a)?uc(a,Ln(l,1,Jt,!0)):[]}),fR=je(function(a,l){var p=Jr(l);return Jt(p)&&(p=n),Jt(a)?uc(a,Ln(l,1,Jt,!0),Me(p,2)):[]}),dR=je(function(a,l){var p=Jr(l);return Jt(p)&&(p=n),Jt(a)?uc(a,Ln(l,1,Jt,!0),n,p):[]});function pR(a,l,p){var v=a==null?0:a.length;return v?(l=p||l===n?1:Ve(l),Qr(a,l<0?0:l,v)):[]}function hR(a,l,p){var v=a==null?0:a.length;return v?(l=p||l===n?1:Ve(l),l=v-l,Qr(a,0,l<0?0:l)):[]}function mR(a,l){return a&&a.length?wp(a,Me(l,3),!0,!0):[]}function gR(a,l){return a&&a.length?wp(a,Me(l,3),!0):[]}function vR(a,l,p,v){var k=a==null?0:a.length;return k?(p&&typeof p!="number"&&Xn(a,l,p)&&(p=0,v=k),uO(a,l,p,v)):[]}function P9(a,l,p){var v=a==null?0:a.length;if(!v)return-1;var k=p==null?0:Ve(p);return k<0&&(k=dn(v+k,0)),tp(a,Me(l,3),k)}function A9(a,l,p){var v=a==null?0:a.length;if(!v)return-1;var k=v-1;return p!==n&&(k=Ve(p),k=p<0?dn(v+k,0):Fn(k,v-1)),tp(a,Me(l,3),k,!0)}function T9(a){var l=a==null?0:a.length;return l?Ln(a,1):[]}function yR(a){var l=a==null?0:a.length;return l?Ln(a,ne):[]}function bR(a,l){var p=a==null?0:a.length;return p?(l=l===n?1:Ve(l),Ln(a,l)):[]}function xR(a){for(var l=-1,p=a==null?0:a.length,v={};++l<p;){var k=a[l];v[k[0]]=k[1]}return v}function I9(a){return a&&a.length?a[0]:n}function SR(a,l,p){var v=a==null?0:a.length;if(!v)return-1;var k=p==null?0:Ve(p);return k<0&&(k=dn(v+k,0)),sl(a,l,k)}function wR(a){var l=a==null?0:a.length;return l?Qr(a,0,-1):[]}var CR=je(function(a){var l=Nt(a,Kg);return l.length&&l[0]===a[0]?Fg(l):[]}),_R=je(function(a){var l=Jr(a),p=Nt(a,Kg);return l===Jr(p)?l=n:p.pop(),p.length&&p[0]===a[0]?Fg(p,Me(l,2)):[]}),kR=je(function(a){var l=Jr(a),p=Nt(a,Kg);return l=typeof l=="function"?l:n,l&&p.pop(),p.length&&p[0]===a[0]?Fg(p,n,l):[]});function ER(a,l){return a==null?"":wM.call(a,l)}function Jr(a){var l=a==null?0:a.length;return l?a[l-1]:n}function LR(a,l,p){var v=a==null?0:a.length;if(!v)return-1;var k=v;return p!==n&&(k=Ve(p),k=k<0?dn(v+k,0):Fn(k,v-1)),l===l?aM(a,l,k):tp(a,f6,k,!0)}function PR(a,l){return a&&a.length?W6(a,Ve(l)):n}var AR=je(M9);function M9(a,l){return a&&a.length&&l&&l.length?Wg(a,l):a}function TR(a,l,p){return a&&a.length&&l&&l.length?Wg(a,l,Me(p,2)):a}function IR(a,l,p){return a&&a.length&&l&&l.length?Wg(a,l,n,p):a}var MR=Pi(function(a,l){var p=a==null?0:a.length,v=Rg(a,l);return U6(a,Nt(l,function(k){return Ai(k,p)?+k:k}).sort(t9)),v});function OR(a,l){var p=[];if(!(a&&a.length))return p;var v=-1,k=[],A=a.length;for(l=Me(l,3);++v<A;){var O=a[v];l(O,v,a)&&(p.push(O),k.push(v))}return U6(a,k),p}function lv(a){return a==null?a:EM.call(a)}function RR(a,l,p){var v=a==null?0:a.length;return v?(p&&typeof p!="number"&&Xn(a,l,p)?(l=0,p=v):(l=l==null?0:Ve(l),p=p===n?v:Ve(p)),Qr(a,l,p)):[]}function NR(a,l){return Sp(a,l)}function DR(a,l,p){return Ug(a,l,Me(p,2))}function zR(a,l){var p=a==null?0:a.length;if(p){var v=Sp(a,l);if(v<p&&So(a[v],l))return v}return-1}function FR(a,l){return Sp(a,l,!0)}function BR(a,l,p){return Ug(a,l,Me(p,2),!0)}function $R(a,l){var p=a==null?0:a.length;if(p){var v=Sp(a,l,!0)-1;if(So(a[v],l))return v}return-1}function VR(a){return a&&a.length?Z6(a):[]}function WR(a,l){return a&&a.length?Z6(a,Me(l,2)):[]}function HR(a){var l=a==null?0:a.length;return l?Qr(a,1,l):[]}function jR(a,l,p){return a&&a.length?(l=p||l===n?1:Ve(l),Qr(a,0,l<0?0:l)):[]}function UR(a,l,p){var v=a==null?0:a.length;return v?(l=p||l===n?1:Ve(l),l=v-l,Qr(a,l<0?0:l,v)):[]}function GR(a,l){return a&&a.length?wp(a,Me(l,3),!1,!0):[]}function ZR(a,l){return a&&a.length?wp(a,Me(l,3)):[]}var KR=je(function(a){return ua(Ln(a,1,Jt,!0))}),qR=je(function(a){var l=Jr(a);return Jt(l)&&(l=n),ua(Ln(a,1,Jt,!0),Me(l,2))}),YR=je(function(a){var l=Jr(a);return l=typeof l=="function"?l:n,ua(Ln(a,1,Jt,!0),n,l)});function XR(a){return a&&a.length?ua(a):[]}function QR(a,l){return a&&a.length?ua(a,Me(l,2)):[]}function JR(a,l){return l=typeof l=="function"?l:n,a&&a.length?ua(a,n,l):[]}function uv(a){if(!(a&&a.length))return[];var l=0;return a=oa(a,function(p){if(Jt(p))return l=dn(p.length,l),!0}),Eg(l,function(p){return Nt(a,Cg(p))})}function O9(a,l){if(!(a&&a.length))return[];var p=uv(a);return l==null?p:Nt(p,function(v){return Er(l,n,v)})}var eN=je(function(a,l){return Jt(a)?uc(a,l):[]}),tN=je(function(a){return Zg(oa(a,Jt))}),nN=je(function(a){var l=Jr(a);return Jt(l)&&(l=n),Zg(oa(a,Jt),Me(l,2))}),rN=je(function(a){var l=Jr(a);return l=typeof l=="function"?l:n,Zg(oa(a,Jt),n,l)}),oN=je(uv);function iN(a,l){return X6(a||[],l||[],lc)}function aN(a,l){return X6(a||[],l||[],dc)}var sN=je(function(a){var l=a.length,p=l>1?a[l-1]:n;return p=typeof p=="function"?(a.pop(),p):n,O9(a,p)});function R9(a){var l=P(a);return l.__chain__=!0,l}function lN(a,l){return l(a),a}function Ip(a,l){return l(a)}var uN=Pi(function(a){var l=a.length,p=l?a[0]:0,v=this.__wrapped__,k=function(A){return Rg(A,a)};return l>1||this.__actions__.length||!(v instanceof qe)||!Ai(p)?this.thru(k):(v=v.slice(p,+p+(l?1:0)),v.__actions__.push({func:Ip,args:[k],thisArg:n}),new Yr(v,this.__chain__).thru(function(A){return l&&!A.length&&A.push(n),A}))});function cN(){return R9(this)}function fN(){return new Yr(this.value(),this.__chain__)}function dN(){this.__values__===n&&(this.__values__=K9(this.value()));var a=this.__index__>=this.__values__.length,l=a?n:this.__values__[this.__index__++];return{done:a,value:l}}function pN(){return this}function hN(a){for(var l,p=this;p instanceof gp;){var v=L9(p);v.__index__=0,v.__values__=n,l?k.__wrapped__=v:l=v;var k=v;p=p.__wrapped__}return k.__wrapped__=a,l}function mN(){var a=this.__wrapped__;if(a instanceof qe){var l=a;return this.__actions__.length&&(l=new qe(this)),l=l.reverse(),l.__actions__.push({func:Ip,args:[lv],thisArg:n}),new Yr(l,this.__chain__)}return this.thru(lv)}function gN(){return Y6(this.__wrapped__,this.__actions__)}var vN=Cp(function(a,l,p){mt.call(a,p)?++a[p]:Ei(a,p,1)});function yN(a,l,p){var v=Be(a)?u6:lO;return p&&Xn(a,l,p)&&(l=n),v(a,Me(l,3))}function bN(a,l){var p=Be(a)?oa:O6;return p(a,Me(l,3))}var xN=s9(P9),SN=s9(A9);function wN(a,l){return Ln(Mp(a,l),1)}function CN(a,l){return Ln(Mp(a,l),ne)}function _N(a,l,p){return p=p===n?1:Ve(p),Ln(Mp(a,l),p)}function N9(a,l){var p=Be(a)?Kr:la;return p(a,Me(l,3))}function D9(a,l){var p=Be(a)?HI:M6;return p(a,Me(l,3))}var kN=Cp(function(a,l,p){mt.call(a,p)?a[p].push(l):Ei(a,p,[l])});function EN(a,l,p,v){a=fr(a)?a:bl(a),p=p&&!v?Ve(p):0;var k=a.length;return p<0&&(p=dn(k+p,0)),zp(a)?p<=k&&a.indexOf(l,p)>-1:!!k&&sl(a,l,p)>-1}var LN=je(function(a,l,p){var v=-1,k=typeof l=="function",A=fr(a)?G(a.length):[];return la(a,function(O){A[++v]=k?Er(l,O,p):cc(O,l,p)}),A}),PN=Cp(function(a,l,p){Ei(a,p,l)});function Mp(a,l){var p=Be(a)?Nt:B6;return p(a,Me(l,3))}function AN(a,l,p,v){return a==null?[]:(Be(l)||(l=l==null?[]:[l]),p=v?n:p,Be(p)||(p=p==null?[]:[p]),H6(a,l,p))}var TN=Cp(function(a,l,p){a[p?0:1].push(l)},function(){return[[],[]]});function IN(a,l,p){var v=Be(a)?Sg:p6,k=arguments.length<3;return v(a,Me(l,4),p,k,la)}function MN(a,l,p){var v=Be(a)?jI:p6,k=arguments.length<3;return v(a,Me(l,4),p,k,M6)}function ON(a,l){var p=Be(a)?oa:O6;return p(a,Np(Me(l,3)))}function RN(a){var l=Be(a)?P6:EO;return l(a)}function NN(a,l,p){(p?Xn(a,l,p):l===n)?l=1:l=Ve(l);var v=Be(a)?rO:LO;return v(a,l)}function DN(a){var l=Be(a)?oO:AO;return l(a)}function zN(a){if(a==null)return 0;if(fr(a))return zp(a)?ul(a):a.length;var l=Bn(a);return l==Se||l==Ct?a.size:$g(a).length}function FN(a,l,p){var v=Be(a)?wg:TO;return p&&Xn(a,l,p)&&(l=n),v(a,Me(l,3))}var BN=je(function(a,l){if(a==null)return[];var p=l.length;return p>1&&Xn(a,l[0],l[1])?l=[]:p>2&&Xn(l[0],l[1],l[2])&&(l=[l[0]]),H6(a,Ln(l,1),[])}),Op=bM||function(){return $e.Date.now()};function $N(a,l){if(typeof l!="function")throw new qr(s);return a=Ve(a),function(){if(--a<1)return l.apply(this,arguments)}}function z9(a,l,p){return l=p?n:l,l=a&&l==null?a.length:l,Li(a,N,n,n,n,n,l)}function F9(a,l){var p;if(typeof l!="function")throw new qr(s);return a=Ve(a),function(){return--a>0&&(p=l.apply(this,arguments)),a<=1&&(l=n),p}}var cv=je(function(a,l,p){var v=E;if(p.length){var k=aa(p,vl(cv));v|=T}return Li(a,v,l,p,k)}),B9=je(function(a,l,p){var v=E|w;if(p.length){var k=aa(p,vl(B9));v|=T}return Li(l,v,a,p,k)});function $9(a,l,p){l=p?n:l;var v=Li(a,_,n,n,n,n,n,l);return v.placeholder=$9.placeholder,v}function V9(a,l,p){l=p?n:l;var v=Li(a,L,n,n,n,n,n,l);return v.placeholder=V9.placeholder,v}function W9(a,l,p){var v,k,A,O,D,V,ee=0,te=!1,ae=!1,ge=!0;if(typeof a!="function")throw new qr(s);l=eo(l)||0,Vt(p)&&(te=!!p.leading,ae="maxWait"in p,A=ae?dn(eo(p.maxWait)||0,l):A,ge="trailing"in p?!!p.trailing:ge);function Pe(en){var wo=v,Mi=k;return v=k=n,ee=en,O=a.apply(Mi,wo),O}function Oe(en){return ee=en,D=mc(Ke,l),te?Pe(en):O}function We(en){var wo=en-V,Mi=en-ee,sx=l-wo;return ae?Fn(sx,A-Mi):sx}function Re(en){var wo=en-V,Mi=en-ee;return V===n||wo>=l||wo<0||ae&&Mi>=A}function Ke(){var en=Op();if(Re(en))return Xe(en);D=mc(Ke,We(en))}function Xe(en){return D=n,ge&&v?Pe(en):(v=k=n,O)}function Tr(){D!==n&&Q6(D),ee=0,v=V=k=D=n}function Qn(){return D===n?O:Xe(Op())}function Ir(){var en=Op(),wo=Re(en);if(v=arguments,k=this,V=en,wo){if(D===n)return Oe(V);if(ae)return Q6(D),D=mc(Ke,l),Pe(V)}return D===n&&(D=mc(Ke,l)),O}return Ir.cancel=Tr,Ir.flush=Qn,Ir}var VN=je(function(a,l){return I6(a,1,l)}),WN=je(function(a,l,p){return I6(a,eo(l)||0,p)});function HN(a){return Li(a,K)}function Rp(a,l){if(typeof a!="function"||l!=null&&typeof l!="function")throw new qr(s);var p=function(){var v=arguments,k=l?l.apply(this,v):v[0],A=p.cache;if(A.has(k))return A.get(k);var O=a.apply(this,v);return p.cache=A.set(k,O)||A,O};return p.cache=new(Rp.Cache||ki),p}Rp.Cache=ki;function Np(a){if(typeof a!="function")throw new qr(s);return function(){var l=arguments;switch(l.length){case 0:return!a.call(this);case 1:return!a.call(this,l[0]);case 2:return!a.call(this,l[0],l[1]);case 3:return!a.call(this,l[0],l[1],l[2])}return!a.apply(this,l)}}function jN(a){return F9(2,a)}var UN=IO(function(a,l){l=l.length==1&&Be(l[0])?Nt(l[0],Lr(Me())):Nt(Ln(l,1),Lr(Me()));var p=l.length;return je(function(v){for(var k=-1,A=Fn(v.length,p);++k<A;)v[k]=l[k].call(this,v[k]);return Er(a,this,v)})}),fv=je(function(a,l){var p=aa(l,vl(fv));return Li(a,T,n,l,p)}),H9=je(function(a,l){var p=aa(l,vl(H9));return Li(a,R,n,l,p)}),GN=Pi(function(a,l){return Li(a,F,n,n,n,l)});function ZN(a,l){if(typeof a!="function")throw new qr(s);return l=l===n?l:Ve(l),je(a,l)}function KN(a,l){if(typeof a!="function")throw new qr(s);return l=l==null?0:dn(Ve(l),0),je(function(p){var v=p[l],k=fa(p,0,l);return v&&ia(k,v),Er(a,this,k)})}function qN(a,l,p){var v=!0,k=!0;if(typeof a!="function")throw new qr(s);return Vt(p)&&(v="leading"in p?!!p.leading:v,k="trailing"in p?!!p.trailing:k),W9(a,l,{leading:v,maxWait:l,trailing:k})}function YN(a){return z9(a,1)}function XN(a,l){return fv(qg(l),a)}function QN(){if(!arguments.length)return[];var a=arguments[0];return Be(a)?a:[a]}function JN(a){return Xr(a,g)}function eD(a,l){return l=typeof l=="function"?l:n,Xr(a,g,l)}function tD(a){return Xr(a,h|g)}function nD(a,l){return l=typeof l=="function"?l:n,Xr(a,h|g,l)}function rD(a,l){return l==null||T6(a,l,bn(l))}function So(a,l){return a===l||a!==a&&l!==l}var oD=Lp(zg),iD=Lp(function(a,l){return a>=l}),fs=D6(function(){return arguments}())?D6:function(a){return Zt(a)&&mt.call(a,"callee")&&!w6.call(a,"callee")},Be=G.isArray,aD=il?Lr(il):hO;function fr(a){return a!=null&&Dp(a.length)&&!Ti(a)}function Jt(a){return Zt(a)&&fr(a)}function sD(a){return a===!0||a===!1||Zt(a)&&Yn(a)==de}var da=SM||wv,lD=al?Lr(al):mO;function uD(a){return Zt(a)&&a.nodeType===1&&!gc(a)}function cD(a){if(a==null)return!0;if(fr(a)&&(Be(a)||typeof a=="string"||typeof a.splice=="function"||da(a)||yl(a)||fs(a)))return!a.length;var l=Bn(a);if(l==Se||l==Ct)return!a.size;if(hc(a))return!$g(a).length;for(var p in a)if(mt.call(a,p))return!1;return!0}function fD(a,l){return fc(a,l)}function dD(a,l,p){p=typeof p=="function"?p:n;var v=p?p(a,l):n;return v===n?fc(a,l,n,p):!!v}function dv(a){if(!Zt(a))return!1;var l=Yn(a);return l==st||l==De||typeof a.message=="string"&&typeof a.name=="string"&&!gc(a)}function pD(a){return typeof a=="number"&&_6(a)}function Ti(a){if(!Vt(a))return!1;var l=Yn(a);return l==Tt||l==gn||l==Le||l==vn}function j9(a){return typeof a=="number"&&a==Ve(a)}function Dp(a){return typeof a=="number"&&a>-1&&a%1==0&&a<=H}function Vt(a){var l=typeof a;return a!=null&&(l=="object"||l=="function")}function Zt(a){return a!=null&&typeof a=="object"}var U9=tc?Lr(tc):vO;function hD(a,l){return a===l||Bg(a,l,nv(l))}function mD(a,l,p){return p=typeof p=="function"?p:n,Bg(a,l,nv(l),p)}function gD(a){return G9(a)&&a!=+a}function vD(a){if(eR(a))throw new Fe(i);return z6(a)}function yD(a){return a===null}function bD(a){return a==null}function G9(a){return typeof a=="number"||Zt(a)&&Yn(a)==Ie}function gc(a){if(!Zt(a)||Yn(a)!=ze)return!1;var l=up(a);if(l===null)return!0;var p=mt.call(l,"constructor")&&l.constructor;return typeof p=="function"&&p instanceof p&&ip.call(p)==mM}var pv=a6?Lr(a6):yO;function xD(a){return j9(a)&&a>=-H&&a<=H}var Z9=s6?Lr(s6):bO;function zp(a){return typeof a=="string"||!Be(a)&&Zt(a)&&Yn(a)==Qt}function Ar(a){return typeof a=="symbol"||Zt(a)&&Yn(a)==Gt}var yl=l6?Lr(l6):xO;function SD(a){return a===n}function wD(a){return Zt(a)&&Bn(a)==Ee}function CD(a){return Zt(a)&&Yn(a)==pt}var _D=Lp(Vg),kD=Lp(function(a,l){return a<=l});function K9(a){if(!a)return[];if(fr(a))return zp(a)?bo(a):cr(a);if(rc&&a[rc])return rM(a[rc]());var l=Bn(a),p=l==Se?Pg:l==Ct?np:bl;return p(a)}function Ii(a){if(!a)return a===0?a:0;if(a=eo(a),a===ne||a===-ne){var l=a<0?-1:1;return l*Y}return a===a?a:0}function Ve(a){var l=Ii(a),p=l%1;return l===l?p?l-p:l:0}function q9(a){return a?ss(Ve(a),0,M):0}function eo(a){if(typeof a=="number")return a;if(Ar(a))return Z;if(Vt(a)){var l=typeof a.valueOf=="function"?a.valueOf():a;a=Vt(l)?l+"":l}if(typeof a!="string")return a===0?a:+a;a=h6(a);var p=og.test(a);return p||ag.test(a)?we(a.slice(2),p?2:8):rg.test(a)?Z:+a}function Y9(a){return $o(a,dr(a))}function ED(a){return a?ss(Ve(a),-H,H):a===0?a:0}function ct(a){return a==null?"":Pr(a)}var LD=ml(function(a,l){if(hc(l)||fr(l)){$o(l,bn(l),a);return}for(var p in l)mt.call(l,p)&&lc(a,p,l[p])}),X9=ml(function(a,l){$o(l,dr(l),a)}),Fp=ml(function(a,l,p,v){$o(l,dr(l),a,v)}),PD=ml(function(a,l,p,v){$o(l,bn(l),a,v)}),AD=Pi(Rg);function TD(a,l){var p=hl(a);return l==null?p:A6(p,l)}var ID=je(function(a,l){a=kt(a);var p=-1,v=l.length,k=v>2?l[2]:n;for(k&&Xn(l[0],l[1],k)&&(v=1);++p<v;)for(var A=l[p],O=dr(A),D=-1,V=O.length;++D<V;){var ee=O[D],te=a[ee];(te===n||So(te,fl[ee])&&!mt.call(a,ee))&&(a[ee]=A[ee])}return a}),MD=je(function(a){return a.push(n,h9),Er(Q9,n,a)});function OD(a,l){return c6(a,Me(l,3),Bo)}function RD(a,l){return c6(a,Me(l,3),Dg)}function ND(a,l){return a==null?a:Ng(a,Me(l,3),dr)}function DD(a,l){return a==null?a:R6(a,Me(l,3),dr)}function zD(a,l){return a&&Bo(a,Me(l,3))}function FD(a,l){return a&&Dg(a,Me(l,3))}function BD(a){return a==null?[]:bp(a,bn(a))}function $D(a){return a==null?[]:bp(a,dr(a))}function hv(a,l,p){var v=a==null?n:ls(a,l);return v===n?p:v}function VD(a,l){return a!=null&&v9(a,l,cO)}function mv(a,l){return a!=null&&v9(a,l,fO)}var WD=u9(function(a,l,p){l!=null&&typeof l.toString!="function"&&(l=ap.call(l)),a[l]=p},vv(pr)),HD=u9(function(a,l,p){l!=null&&typeof l.toString!="function"&&(l=ap.call(l)),mt.call(a,l)?a[l].push(p):a[l]=[p]},Me),jD=je(cc);function bn(a){return fr(a)?L6(a):$g(a)}function dr(a){return fr(a)?L6(a,!0):SO(a)}function UD(a,l){var p={};return l=Me(l,3),Bo(a,function(v,k,A){Ei(p,l(v,k,A),v)}),p}function GD(a,l){var p={};return l=Me(l,3),Bo(a,function(v,k,A){Ei(p,k,l(v,k,A))}),p}var ZD=ml(function(a,l,p){xp(a,l,p)}),Q9=ml(function(a,l,p,v){xp(a,l,p,v)}),KD=Pi(function(a,l){var p={};if(a==null)return p;var v=!1;l=Nt(l,function(A){return A=ca(A,a),v||(v=A.length>1),A}),$o(a,ev(a),p),v&&(p=Xr(p,h|m|g,WO));for(var k=l.length;k--;)Gg(p,l[k]);return p});function qD(a,l){return J9(a,Np(Me(l)))}var YD=Pi(function(a,l){return a==null?{}:CO(a,l)});function J9(a,l){if(a==null)return{};var p=Nt(ev(a),function(v){return[v]});return l=Me(l),j6(a,p,function(v,k){return l(v,k[0])})}function XD(a,l,p){l=ca(l,a);var v=-1,k=l.length;for(k||(k=1,a=n);++v<k;){var A=a==null?n:a[Vo(l[v])];A===n&&(v=k,A=p),a=Ti(A)?A.call(a):A}return a}function QD(a,l,p){return a==null?a:dc(a,l,p)}function JD(a,l,p,v){return v=typeof v=="function"?v:n,a==null?a:dc(a,l,p,v)}var ex=d9(bn),tx=d9(dr);function ez(a,l,p){var v=Be(a),k=v||da(a)||yl(a);if(l=Me(l,4),p==null){var A=a&&a.constructor;k?p=v?new A:[]:Vt(a)?p=Ti(A)?hl(up(a)):{}:p={}}return(k?Kr:Bo)(a,function(O,D,V){return l(p,O,D,V)}),p}function tz(a,l){return a==null?!0:Gg(a,l)}function nz(a,l,p){return a==null?a:q6(a,l,qg(p))}function rz(a,l,p,v){return v=typeof v=="function"?v:n,a==null?a:q6(a,l,qg(p),v)}function bl(a){return a==null?[]:Lg(a,bn(a))}function oz(a){return a==null?[]:Lg(a,dr(a))}function iz(a,l,p){return p===n&&(p=l,l=n),p!==n&&(p=eo(p),p=p===p?p:0),l!==n&&(l=eo(l),l=l===l?l:0),ss(eo(a),l,p)}function az(a,l,p){return l=Ii(l),p===n?(p=l,l=0):p=Ii(p),a=eo(a),dO(a,l,p)}function sz(a,l,p){if(p&&typeof p!="boolean"&&Xn(a,l,p)&&(l=p=n),p===n&&(typeof l=="boolean"?(p=l,l=n):typeof a=="boolean"&&(p=a,a=n)),a===n&&l===n?(a=0,l=1):(a=Ii(a),l===n?(l=a,a=0):l=Ii(l)),a>l){var v=a;a=l,l=v}if(p||a%1||l%1){var k=k6();return Fn(a+k*(l-a+U("1e-"+((k+"").length-1))),l)}return Hg(a,l)}var lz=gl(function(a,l,p){return l=l.toLowerCase(),a+(p?nx(l):l)});function nx(a){return gv(ct(a).toLowerCase())}function rx(a){return a=ct(a),a&&a.replace(lg,QI).replace(Yd,"")}function uz(a,l,p){a=ct(a),l=Pr(l);var v=a.length;p=p===n?v:ss(Ve(p),0,v);var k=p;return p-=l.length,p>=0&&a.slice(p,k)==l}function cz(a){return a=ct(a),a&&xi.test(a)?a.replace(ta,JI):a}function fz(a){return a=ct(a),a&&qm.test(a)?a.replace(ju,"\\$&"):a}var dz=gl(function(a,l,p){return a+(p?"-":"")+l.toLowerCase()}),pz=gl(function(a,l,p){return a+(p?" ":"")+l.toLowerCase()}),hz=a9("toLowerCase");function mz(a,l,p){a=ct(a),l=Ve(l);var v=l?ul(a):0;if(!l||v>=l)return a;var k=(l-v)/2;return Ep(pp(k),p)+a+Ep(dp(k),p)}function gz(a,l,p){a=ct(a),l=Ve(l);var v=l?ul(a):0;return l&&v<l?a+Ep(l-v,p):a}function vz(a,l,p){a=ct(a),l=Ve(l);var v=l?ul(a):0;return l&&v<l?Ep(l-v,p)+a:a}function yz(a,l,p){return p||l==null?l=0:l&&(l=+l),kM(ct(a).replace(Uu,""),l||0)}function bz(a,l,p){return(p?Xn(a,l,p):l===n)?l=1:l=Ve(l),jg(ct(a),l)}function xz(){var a=arguments,l=ct(a[0]);return a.length<3?l:l.replace(a[1],a[2])}var Sz=gl(function(a,l,p){return a+(p?"_":"")+l.toLowerCase()});function wz(a,l,p){return p&&typeof p!="number"&&Xn(a,l,p)&&(l=p=n),p=p===n?M:p>>>0,p?(a=ct(a),a&&(typeof l=="string"||l!=null&&!pv(l))&&(l=Pr(l),!l&&ll(a))?fa(bo(a),0,p):a.split(l,p)):[]}var Cz=gl(function(a,l,p){return a+(p?" ":"")+gv(l)});function _z(a,l,p){return a=ct(a),p=p==null?0:ss(Ve(p),0,a.length),l=Pr(l),a.slice(p,p+l.length)==l}function kz(a,l,p){var v=P.templateSettings;p&&Xn(a,l,p)&&(l=n),a=ct(a),l=Fp({},l,v,p9);var k=Fp({},l.imports,v.imports,p9),A=bn(k),O=Lg(k,A),D,V,ee=0,te=l.interpolate||ra,ae="__p += '",ge=Ag((l.escape||ra).source+"|"+te.source+"|"+(te===Md?ng:ra).source+"|"+(l.evaluate||ra).source+"|$","g"),Pe="//# sourceURL="+(mt.call(l,"sourceURL")?(l.sourceURL+"").replace(/\s/g," "):"lodash.templateSources["+ ++Qd+"]")+` +`;a.replace(ge,function(Re,Ke,Xe,Tr,Qn,Ir){return Xe||(Xe=Tr),ae+=a.slice(ee,Ir).replace(ug,eM),Ke&&(D=!0,ae+=`' + +__e(`+Ke+`) + +'`),Qn&&(V=!0,ae+=`'; +`+Qn+`; +__p += '`),Xe&&(ae+=`' + +((__t = (`+Xe+`)) == null ? '' : __t) + +'`),ee=Ir+Re.length,Re}),ae+=`'; +`;var Oe=mt.call(l,"variable")&&l.variable;if(!Oe)ae=`with (obj) { +`+ae+` +} +`;else if(eg.test(Oe))throw new Fe(u);ae=(V?ae.replace(ns,""):ae).replace(Xs,"$1").replace(Hm,"$1;"),ae="function("+(Oe||"obj")+`) { +`+(Oe?"":`obj || (obj = {}); +`)+"var __t, __p = ''"+(D?", __e = _.escape":"")+(V?`, __j = Array.prototype.join; +function print() { __p += __j.call(arguments, '') } +`:`; +`)+ae+`return __p +}`;var We=ix(function(){return rt(A,Pe+"return "+ae).apply(n,O)});if(We.source=ae,dv(We))throw We;return We}function Ez(a){return ct(a).toLowerCase()}function Lz(a){return ct(a).toUpperCase()}function Pz(a,l,p){if(a=ct(a),a&&(p||l===n))return h6(a);if(!a||!(l=Pr(l)))return a;var v=bo(a),k=bo(l),A=m6(v,k),O=g6(v,k)+1;return fa(v,A,O).join("")}function Az(a,l,p){if(a=ct(a),a&&(p||l===n))return a.slice(0,y6(a)+1);if(!a||!(l=Pr(l)))return a;var v=bo(a),k=g6(v,bo(l))+1;return fa(v,0,k).join("")}function Tz(a,l,p){if(a=ct(a),a&&(p||l===n))return a.replace(Uu,"");if(!a||!(l=Pr(l)))return a;var v=bo(a),k=m6(v,bo(l));return fa(v,k).join("")}function Iz(a,l){var p=W,v=J;if(Vt(l)){var k="separator"in l?l.separator:k;p="length"in l?Ve(l.length):p,v="omission"in l?Pr(l.omission):v}a=ct(a);var A=a.length;if(ll(a)){var O=bo(a);A=O.length}if(p>=A)return a;var D=p-ul(v);if(D<1)return v;var V=O?fa(O,0,D).join(""):a.slice(0,D);if(k===n)return V+v;if(O&&(D+=V.length-D),pv(k)){if(a.slice(D).search(k)){var ee,te=V;for(k.global||(k=Ag(k.source,ct(Si.exec(k))+"g")),k.lastIndex=0;ee=k.exec(te);)var ae=ee.index;V=V.slice(0,ae===n?D:ae)}}else if(a.indexOf(Pr(k),D)!=D){var ge=V.lastIndexOf(k);ge>-1&&(V=V.slice(0,ge))}return V+v}function Mz(a){return a=ct(a),a&&jm.test(a)?a.replace(Hu,sM):a}var Oz=gl(function(a,l,p){return a+(p?" ":"")+l.toUpperCase()}),gv=a9("toUpperCase");function ox(a,l,p){return a=ct(a),l=p?n:l,l===n?nM(a)?cM(a):ZI(a):a.match(l)||[]}var ix=je(function(a,l){try{return Er(a,n,l)}catch(p){return dv(p)?p:new Fe(p)}}),Rz=Pi(function(a,l){return Kr(l,function(p){p=Vo(p),Ei(a,p,cv(a[p],a))}),a});function Nz(a){var l=a==null?0:a.length,p=Me();return a=l?Nt(a,function(v){if(typeof v[1]!="function")throw new qr(s);return[p(v[0]),v[1]]}):[],je(function(v){for(var k=-1;++k<l;){var A=a[k];if(Er(A[0],this,v))return Er(A[1],this,v)}})}function Dz(a){return sO(Xr(a,h))}function vv(a){return function(){return a}}function zz(a,l){return a==null||a!==a?l:a}var Fz=l9(),Bz=l9(!0);function pr(a){return a}function yv(a){return F6(typeof a=="function"?a:Xr(a,h))}function $z(a){return $6(Xr(a,h))}function Vz(a,l){return V6(a,Xr(l,h))}var Wz=je(function(a,l){return function(p){return cc(p,a,l)}}),Hz=je(function(a,l){return function(p){return cc(a,p,l)}});function bv(a,l,p){var v=bn(l),k=bp(l,v);p==null&&!(Vt(l)&&(k.length||!v.length))&&(p=l,l=a,a=this,k=bp(l,bn(l)));var A=!(Vt(p)&&"chain"in p)||!!p.chain,O=Ti(a);return Kr(k,function(D){var V=l[D];a[D]=V,O&&(a.prototype[D]=function(){var ee=this.__chain__;if(A||ee){var te=a(this.__wrapped__),ae=te.__actions__=cr(this.__actions__);return ae.push({func:V,args:arguments,thisArg:a}),te.__chain__=ee,te}return V.apply(a,ia([this.value()],arguments))})}),a}function jz(){return $e._===this&&($e._=gM),this}function xv(){}function Uz(a){return a=Ve(a),je(function(l){return W6(l,a)})}var Gz=Xg(Nt),Zz=Xg(u6),Kz=Xg(wg);function ax(a){return ov(a)?Cg(Vo(a)):_O(a)}function qz(a){return function(l){return a==null?n:ls(a,l)}}var Yz=c9(),Xz=c9(!0);function Sv(){return[]}function wv(){return!1}function Qz(){return{}}function Jz(){return""}function eF(){return!0}function tF(a,l){if(a=Ve(a),a<1||a>H)return[];var p=M,v=Fn(a,M);l=Me(l),a-=M;for(var k=Eg(v,l);++p<a;)l(p);return k}function nF(a){return Be(a)?Nt(a,Vo):Ar(a)?[a]:cr(E9(ct(a)))}function rF(a){var l=++hM;return ct(a)+l}var oF=kp(function(a,l){return a+l},0),iF=Qg("ceil"),aF=kp(function(a,l){return a/l},1),sF=Qg("floor");function lF(a){return a&&a.length?yp(a,pr,zg):n}function uF(a,l){return a&&a.length?yp(a,Me(l,2),zg):n}function cF(a){return d6(a,pr)}function fF(a,l){return d6(a,Me(l,2))}function dF(a){return a&&a.length?yp(a,pr,Vg):n}function pF(a,l){return a&&a.length?yp(a,Me(l,2),Vg):n}var hF=kp(function(a,l){return a*l},1),mF=Qg("round"),gF=kp(function(a,l){return a-l},0);function vF(a){return a&&a.length?kg(a,pr):0}function yF(a,l){return a&&a.length?kg(a,Me(l,2)):0}return P.after=$N,P.ary=z9,P.assign=LD,P.assignIn=X9,P.assignInWith=Fp,P.assignWith=PD,P.at=AD,P.before=F9,P.bind=cv,P.bindAll=Rz,P.bindKey=B9,P.castArray=QN,P.chain=R9,P.chunk=sR,P.compact=lR,P.concat=uR,P.cond=Nz,P.conforms=Dz,P.constant=vv,P.countBy=vN,P.create=TD,P.curry=$9,P.curryRight=V9,P.debounce=W9,P.defaults=ID,P.defaultsDeep=MD,P.defer=VN,P.delay=WN,P.difference=cR,P.differenceBy=fR,P.differenceWith=dR,P.drop=pR,P.dropRight=hR,P.dropRightWhile=mR,P.dropWhile=gR,P.fill=vR,P.filter=bN,P.flatMap=wN,P.flatMapDeep=CN,P.flatMapDepth=_N,P.flatten=T9,P.flattenDeep=yR,P.flattenDepth=bR,P.flip=HN,P.flow=Fz,P.flowRight=Bz,P.fromPairs=xR,P.functions=BD,P.functionsIn=$D,P.groupBy=kN,P.initial=wR,P.intersection=CR,P.intersectionBy=_R,P.intersectionWith=kR,P.invert=WD,P.invertBy=HD,P.invokeMap=LN,P.iteratee=yv,P.keyBy=PN,P.keys=bn,P.keysIn=dr,P.map=Mp,P.mapKeys=UD,P.mapValues=GD,P.matches=$z,P.matchesProperty=Vz,P.memoize=Rp,P.merge=ZD,P.mergeWith=Q9,P.method=Wz,P.methodOf=Hz,P.mixin=bv,P.negate=Np,P.nthArg=Uz,P.omit=KD,P.omitBy=qD,P.once=jN,P.orderBy=AN,P.over=Gz,P.overArgs=UN,P.overEvery=Zz,P.overSome=Kz,P.partial=fv,P.partialRight=H9,P.partition=TN,P.pick=YD,P.pickBy=J9,P.property=ax,P.propertyOf=qz,P.pull=AR,P.pullAll=M9,P.pullAllBy=TR,P.pullAllWith=IR,P.pullAt=MR,P.range=Yz,P.rangeRight=Xz,P.rearg=GN,P.reject=ON,P.remove=OR,P.rest=ZN,P.reverse=lv,P.sampleSize=NN,P.set=QD,P.setWith=JD,P.shuffle=DN,P.slice=RR,P.sortBy=BN,P.sortedUniq=VR,P.sortedUniqBy=WR,P.split=wz,P.spread=KN,P.tail=HR,P.take=jR,P.takeRight=UR,P.takeRightWhile=GR,P.takeWhile=ZR,P.tap=lN,P.throttle=qN,P.thru=Ip,P.toArray=K9,P.toPairs=ex,P.toPairsIn=tx,P.toPath=nF,P.toPlainObject=Y9,P.transform=ez,P.unary=YN,P.union=KR,P.unionBy=qR,P.unionWith=YR,P.uniq=XR,P.uniqBy=QR,P.uniqWith=JR,P.unset=tz,P.unzip=uv,P.unzipWith=O9,P.update=nz,P.updateWith=rz,P.values=bl,P.valuesIn=oz,P.without=eN,P.words=ox,P.wrap=XN,P.xor=tN,P.xorBy=nN,P.xorWith=rN,P.zip=oN,P.zipObject=iN,P.zipObjectDeep=aN,P.zipWith=sN,P.entries=ex,P.entriesIn=tx,P.extend=X9,P.extendWith=Fp,bv(P,P),P.add=oF,P.attempt=ix,P.camelCase=lz,P.capitalize=nx,P.ceil=iF,P.clamp=iz,P.clone=JN,P.cloneDeep=tD,P.cloneDeepWith=nD,P.cloneWith=eD,P.conformsTo=rD,P.deburr=rx,P.defaultTo=zz,P.divide=aF,P.endsWith=uz,P.eq=So,P.escape=cz,P.escapeRegExp=fz,P.every=yN,P.find=xN,P.findIndex=P9,P.findKey=OD,P.findLast=SN,P.findLastIndex=A9,P.findLastKey=RD,P.floor=sF,P.forEach=N9,P.forEachRight=D9,P.forIn=ND,P.forInRight=DD,P.forOwn=zD,P.forOwnRight=FD,P.get=hv,P.gt=oD,P.gte=iD,P.has=VD,P.hasIn=mv,P.head=I9,P.identity=pr,P.includes=EN,P.indexOf=SR,P.inRange=az,P.invoke=jD,P.isArguments=fs,P.isArray=Be,P.isArrayBuffer=aD,P.isArrayLike=fr,P.isArrayLikeObject=Jt,P.isBoolean=sD,P.isBuffer=da,P.isDate=lD,P.isElement=uD,P.isEmpty=cD,P.isEqual=fD,P.isEqualWith=dD,P.isError=dv,P.isFinite=pD,P.isFunction=Ti,P.isInteger=j9,P.isLength=Dp,P.isMap=U9,P.isMatch=hD,P.isMatchWith=mD,P.isNaN=gD,P.isNative=vD,P.isNil=bD,P.isNull=yD,P.isNumber=G9,P.isObject=Vt,P.isObjectLike=Zt,P.isPlainObject=gc,P.isRegExp=pv,P.isSafeInteger=xD,P.isSet=Z9,P.isString=zp,P.isSymbol=Ar,P.isTypedArray=yl,P.isUndefined=SD,P.isWeakMap=wD,P.isWeakSet=CD,P.join=ER,P.kebabCase=dz,P.last=Jr,P.lastIndexOf=LR,P.lowerCase=pz,P.lowerFirst=hz,P.lt=_D,P.lte=kD,P.max=lF,P.maxBy=uF,P.mean=cF,P.meanBy=fF,P.min=dF,P.minBy=pF,P.stubArray=Sv,P.stubFalse=wv,P.stubObject=Qz,P.stubString=Jz,P.stubTrue=eF,P.multiply=hF,P.nth=PR,P.noConflict=jz,P.noop=xv,P.now=Op,P.pad=mz,P.padEnd=gz,P.padStart=vz,P.parseInt=yz,P.random=sz,P.reduce=IN,P.reduceRight=MN,P.repeat=bz,P.replace=xz,P.result=XD,P.round=mF,P.runInContext=$,P.sample=RN,P.size=zN,P.snakeCase=Sz,P.some=FN,P.sortedIndex=NR,P.sortedIndexBy=DR,P.sortedIndexOf=zR,P.sortedLastIndex=FR,P.sortedLastIndexBy=BR,P.sortedLastIndexOf=$R,P.startCase=Cz,P.startsWith=_z,P.subtract=gF,P.sum=vF,P.sumBy=yF,P.template=kz,P.times=tF,P.toFinite=Ii,P.toInteger=Ve,P.toLength=q9,P.toLower=Ez,P.toNumber=eo,P.toSafeInteger=ED,P.toString=ct,P.toUpper=Lz,P.trim=Pz,P.trimEnd=Az,P.trimStart=Tz,P.truncate=Iz,P.unescape=Mz,P.uniqueId=rF,P.upperCase=Oz,P.upperFirst=gv,P.each=N9,P.eachRight=D9,P.first=I9,bv(P,function(){var a={};return Bo(P,function(l,p){mt.call(P.prototype,p)||(a[p]=l)}),a}(),{chain:!1}),P.VERSION=r,Kr(["bind","bindKey","curry","curryRight","partial","partialRight"],function(a){P[a].placeholder=P}),Kr(["drop","take"],function(a,l){qe.prototype[a]=function(p){p=p===n?1:dn(Ve(p),0);var v=this.__filtered__&&!l?new qe(this):this.clone();return v.__filtered__?v.__takeCount__=Fn(p,v.__takeCount__):v.__views__.push({size:Fn(p,M),type:a+(v.__dir__<0?"Right":"")}),v},qe.prototype[a+"Right"]=function(p){return this.reverse()[a](p).reverse()}}),Kr(["filter","map","takeWhile"],function(a,l){var p=l+1,v=p==he||p==me;qe.prototype[a]=function(k){var A=this.clone();return A.__iteratees__.push({iteratee:Me(k,3),type:p}),A.__filtered__=A.__filtered__||v,A}}),Kr(["head","last"],function(a,l){var p="take"+(l?"Right":"");qe.prototype[a]=function(){return this[p](1).value()[0]}}),Kr(["initial","tail"],function(a,l){var p="drop"+(l?"":"Right");qe.prototype[a]=function(){return this.__filtered__?new qe(this):this[p](1)}}),qe.prototype.compact=function(){return this.filter(pr)},qe.prototype.find=function(a){return this.filter(a).head()},qe.prototype.findLast=function(a){return this.reverse().find(a)},qe.prototype.invokeMap=je(function(a,l){return typeof a=="function"?new qe(this):this.map(function(p){return cc(p,a,l)})}),qe.prototype.reject=function(a){return this.filter(Np(Me(a)))},qe.prototype.slice=function(a,l){a=Ve(a);var p=this;return p.__filtered__&&(a>0||l<0)?new qe(p):(a<0?p=p.takeRight(-a):a&&(p=p.drop(a)),l!==n&&(l=Ve(l),p=l<0?p.dropRight(-l):p.take(l-a)),p)},qe.prototype.takeRightWhile=function(a){return this.reverse().takeWhile(a).reverse()},qe.prototype.toArray=function(){return this.take(M)},Bo(qe.prototype,function(a,l){var p=/^(?:filter|find|map|reject)|While$/.test(l),v=/^(?:head|last)$/.test(l),k=P[v?"take"+(l=="last"?"Right":""):l],A=v||/^find/.test(l);!k||(P.prototype[l]=function(){var O=this.__wrapped__,D=v?[1]:arguments,V=O instanceof qe,ee=D[0],te=V||Be(O),ae=function(Ke){var Xe=k.apply(P,ia([Ke],D));return v&&ge?Xe[0]:Xe};te&&p&&typeof ee=="function"&&ee.length!=1&&(V=te=!1);var ge=this.__chain__,Pe=!!this.__actions__.length,Oe=A&&!ge,We=V&&!Pe;if(!A&&te){O=We?O:new qe(this);var Re=a.apply(O,D);return Re.__actions__.push({func:Ip,args:[ae],thisArg:n}),new Yr(Re,ge)}return Oe&&We?a.apply(this,D):(Re=this.thru(ae),Oe?v?Re.value()[0]:Re.value():Re)})}),Kr(["pop","push","shift","sort","splice","unshift"],function(a){var l=rp[a],p=/^(?:push|sort|unshift)$/.test(a)?"tap":"thru",v=/^(?:pop|shift)$/.test(a);P.prototype[a]=function(){var k=arguments;if(v&&!this.__chain__){var A=this.value();return l.apply(Be(A)?A:[],k)}return this[p](function(O){return l.apply(Be(O)?O:[],k)})}}),Bo(qe.prototype,function(a,l){var p=P[l];if(p){var v=p.name+"";mt.call(pl,v)||(pl[v]=[]),pl[v].push({name:l,func:p})}}),pl[_p(n,w).name]=[{name:"wrapper",func:n}],qe.prototype.clone=MM,qe.prototype.reverse=OM,qe.prototype.value=RM,P.prototype.at=uN,P.prototype.chain=cN,P.prototype.commit=fN,P.prototype.next=dN,P.prototype.plant=hN,P.prototype.reverse=mN,P.prototype.toJSON=P.prototype.valueOf=P.prototype.value=gN,P.prototype.first=P.prototype.head,rc&&(P.prototype[rc]=pN),P},cl=fM();nt?((nt.exports=cl)._=cl,He._=cl):$e._=cl}).call(Bi)})(Cn,Cn.exports);const ufe=Cn.exports,cfe={currentImageUuid:"",images:[],areMoreImagesAvailable:!0},UT=Wb({name:"gallery",initialState:cfe,reducers:{setCurrentImage:(e,t)=>{e.currentImage=t.payload,e.currentImageUuid=t.payload.uuid},removeImage:(e,t)=>{const n=t.payload,r=e.images.filter(o=>o.uuid!==n);if(n===e.currentImageUuid){const o=e.images.findIndex(s=>s.uuid===n),i=Cn.exports.clamp(o,0,r.length-1);e.currentImage=r.length?r[i]:void 0,e.currentImageUuid=r.length?r[i].uuid:""}e.images=r},addImage:(e,t)=>{const n=t.payload,{uuid:r,mtime:o}=n;e.images.unshift(n),e.currentImageUuid=r,e.intermediateImage=void 0,e.currentImage=n,e.latest_mtime=o},setIntermediateImage:(e,t)=>{e.intermediateImage=t.payload},clearIntermediateImage:e=>{e.intermediateImage=void 0},addGalleryImages:(e,t)=>{const{images:n,areMoreImagesAvailable:r}=t.payload;if(n.length>0){if(e.images=e.images.concat(n).sort((o,i)=>i.mtime-o.mtime),!e.currentImage){const o=n[0];e.currentImage=o,e.currentImageUuid=o.uuid}e.latest_mtime=n[0].mtime,e.earliest_mtime=n[n.length-1].mtime}r!==void 0&&(e.areMoreImagesAvailable=r)}}}),{addImage:wh,clearIntermediateImage:_7,removeImage:ffe,setCurrentImage:dfe,addGalleryImages:pfe,setIntermediateImage:hfe}=UT.actions,mfe=UT.reducer,gfe={isConnected:!1,isProcessing:!1,log:[],shouldShowLogViewer:!1,shouldDisplayInProgress:!1,shouldDisplayGuides:!0,isGFPGANAvailable:!0,isESRGANAvailable:!0,socketId:"",shouldConfirmOnDelete:!0,openAccordions:[0],currentStep:0,totalSteps:0,currentIteration:0,totalIterations:0,currentStatus:"Disconnected",currentStatusHasSteps:!1,model:"",model_id:"",model_hash:"",app_id:"",app_version:"",hasError:!1,wasErrorSeen:!0},vfe=gfe,GT=Wb({name:"system",initialState:vfe,reducers:{setShouldDisplayInProgress:(e,t)=>{e.shouldDisplayInProgress=t.payload},setIsProcessing:(e,t)=>{e.isProcessing=t.payload},setCurrentStatus:(e,t)=>{e.currentStatus=t.payload},setSystemStatus:(e,t)=>({...e,...t.payload}),errorOccurred:e=>{e.hasError=!0,e.isProcessing=!1,e.currentStep=0,e.totalSteps=0,e.currentIteration=0,e.totalIterations=0,e.currentStatusHasSteps=!1,e.currentStatus="Server error",e.wasErrorSeen=!1},errorSeen:e=>{e.hasError=!1,e.wasErrorSeen=!0,e.currentStatus=e.isConnected?"Connected":"Disconnected"},addLogEntry:(e,t)=>{const{timestamp:n,message:r,level:o}=t.payload,s={timestamp:n,message:r,level:o||"info"};e.log.push(s)},setShouldShowLogViewer:(e,t)=>{e.shouldShowLogViewer=t.payload},setIsConnected:(e,t)=>{e.isConnected=t.payload,e.isProcessing=!1,e.currentStep=0,e.totalSteps=0,e.currentIteration=0,e.totalIterations=0,e.currentStatusHasSteps=!1,e.hasError=!1},setSocketId:(e,t)=>{e.socketId=t.payload},setShouldConfirmOnDelete:(e,t)=>{e.shouldConfirmOnDelete=t.payload},setOpenAccordions:(e,t)=>{e.openAccordions=t.payload},setSystemConfig:(e,t)=>({...e,...t.payload}),setShouldDisplayGuides:(e,t)=>{e.shouldDisplayGuides=t.payload},processingCanceled:e=>{e.isProcessing=!1,e.currentStep=0,e.totalSteps=0,e.currentIteration=0,e.totalIterations=0,e.currentStatusHasSteps=!1,e.currentStatus="Processing canceled"}}}),{setShouldDisplayInProgress:yfe,setIsProcessing:s1,addLogEntry:er,setShouldShowLogViewer:bfe,setIsConnected:k7,setSocketId:h0e,setShouldConfirmOnDelete:ZT,setOpenAccordions:xfe,setSystemStatus:Sfe,setCurrentStatus:E7,setSystemConfig:wfe,setShouldDisplayGuides:Cfe,processingCanceled:_fe,errorOccurred:kfe,errorSeen:KT}=GT.actions,Efe=GT.reducer,gi=Object.create(null);gi.open="0";gi.close="1";gi.ping="2";gi.pong="3";gi.message="4";gi.upgrade="5";gi.noop="6";const l1=Object.create(null);Object.keys(gi).forEach(e=>{l1[gi[e]]=e});const Lfe={type:"error",data:"parser error"},Pfe=typeof Blob=="function"||typeof Blob<"u"&&Object.prototype.toString.call(Blob)==="[object BlobConstructor]",Afe=typeof ArrayBuffer=="function",Tfe=e=>typeof ArrayBuffer.isView=="function"?ArrayBuffer.isView(e):e&&e.buffer instanceof ArrayBuffer,qT=({type:e,data:t},n,r)=>Pfe&&t instanceof Blob?n?r(t):L7(t,r):Afe&&(t instanceof ArrayBuffer||Tfe(t))?n?r(t):L7(new Blob([t]),r):r(gi[e]+(t||"")),L7=(e,t)=>{const n=new FileReader;return n.onload=function(){const r=n.result.split(",")[1];t("b"+r)},n.readAsDataURL(e)},P7="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",Vc=typeof Uint8Array>"u"?[]:new Uint8Array(256);for(let e=0;e<P7.length;e++)Vc[P7.charCodeAt(e)]=e;const Ife=e=>{let t=e.length*.75,n=e.length,r,o=0,i,s,u,c;e[e.length-1]==="="&&(t--,e[e.length-2]==="="&&t--);const f=new ArrayBuffer(t),d=new Uint8Array(f);for(r=0;r<n;r+=4)i=Vc[e.charCodeAt(r)],s=Vc[e.charCodeAt(r+1)],u=Vc[e.charCodeAt(r+2)],c=Vc[e.charCodeAt(r+3)],d[o++]=i<<2|s>>4,d[o++]=(s&15)<<4|u>>2,d[o++]=(u&3)<<6|c&63;return f},Mfe=typeof ArrayBuffer=="function",YT=(e,t)=>{if(typeof e!="string")return{type:"message",data:XT(e,t)};const n=e.charAt(0);return n==="b"?{type:"message",data:Ofe(e.substring(1),t)}:l1[n]?e.length>1?{type:l1[n],data:e.substring(1)}:{type:l1[n]}:Lfe},Ofe=(e,t)=>{if(Mfe){const n=Ife(e);return XT(n,t)}else return{base64:!0,data:e}},XT=(e,t)=>{switch(t){case"blob":return e instanceof ArrayBuffer?new Blob([e]):e;case"arraybuffer":default:return e}},QT=String.fromCharCode(30),Rfe=(e,t)=>{const n=e.length,r=new Array(n);let o=0;e.forEach((i,s)=>{qT(i,!1,u=>{r[s]=u,++o===n&&t(r.join(QT))})})},Nfe=(e,t)=>{const n=e.split(QT),r=[];for(let o=0;o<n.length;o++){const i=YT(n[o],t);if(r.push(i),i.type==="error")break}return r},JT=4;function cn(e){if(e)return Dfe(e)}function Dfe(e){for(var t in cn.prototype)e[t]=cn.prototype[t];return e}cn.prototype.on=cn.prototype.addEventListener=function(e,t){return this._callbacks=this._callbacks||{},(this._callbacks["$"+e]=this._callbacks["$"+e]||[]).push(t),this};cn.prototype.once=function(e,t){function n(){this.off(e,n),t.apply(this,arguments)}return n.fn=t,this.on(e,n),this};cn.prototype.off=cn.prototype.removeListener=cn.prototype.removeAllListeners=cn.prototype.removeEventListener=function(e,t){if(this._callbacks=this._callbacks||{},arguments.length==0)return this._callbacks={},this;var n=this._callbacks["$"+e];if(!n)return this;if(arguments.length==1)return delete this._callbacks["$"+e],this;for(var r,o=0;o<n.length;o++)if(r=n[o],r===t||r.fn===t){n.splice(o,1);break}return n.length===0&&delete this._callbacks["$"+e],this};cn.prototype.emit=function(e){this._callbacks=this._callbacks||{};for(var t=new Array(arguments.length-1),n=this._callbacks["$"+e],r=1;r<arguments.length;r++)t[r-1]=arguments[r];if(n){n=n.slice(0);for(var r=0,o=n.length;r<o;++r)n[r].apply(this,t)}return this};cn.prototype.emitReserved=cn.prototype.emit;cn.prototype.listeners=function(e){return this._callbacks=this._callbacks||{},this._callbacks["$"+e]||[]};cn.prototype.hasListeners=function(e){return!!this.listeners(e).length};const Ma=(()=>typeof self<"u"?self:typeof window<"u"?window:Function("return this")())();function eI(e,...t){return t.reduce((n,r)=>(e.hasOwnProperty(r)&&(n[r]=e[r]),n),{})}const zfe=setTimeout,Ffe=clearTimeout;function $m(e,t){t.useNativeTimers?(e.setTimeoutFn=zfe.bind(Ma),e.clearTimeoutFn=Ffe.bind(Ma)):(e.setTimeoutFn=setTimeout.bind(Ma),e.clearTimeoutFn=clearTimeout.bind(Ma))}const Bfe=1.33;function $fe(e){return typeof e=="string"?Vfe(e):Math.ceil((e.byteLength||e.size)*Bfe)}function Vfe(e){let t=0,n=0;for(let r=0,o=e.length;r<o;r++)t=e.charCodeAt(r),t<128?n+=1:t<2048?n+=2:t<55296||t>=57344?n+=3:(r++,n+=4);return n}class Wfe extends Error{constructor(t,n,r){super(t),this.description=n,this.context=r,this.type="TransportError"}}class tI extends cn{constructor(t){super(),this.writable=!1,$m(this,t),this.opts=t,this.query=t.query,this.readyState="",this.socket=t.socket}onError(t,n,r){return super.emitReserved("error",new Wfe(t,n,r)),this}open(){return(this.readyState==="closed"||this.readyState==="")&&(this.readyState="opening",this.doOpen()),this}close(){return(this.readyState==="opening"||this.readyState==="open")&&(this.doClose(),this.onClose()),this}send(t){this.readyState==="open"&&this.write(t)}onOpen(){this.readyState="open",this.writable=!0,super.emitReserved("open")}onData(t){const n=YT(t,this.socket.binaryType);this.onPacket(n)}onPacket(t){super.emitReserved("packet",t)}onClose(t){this.readyState="closed",super.emitReserved("close",t)}}const nI="0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz-_".split(""),J5=64,Hfe={};let A7=0,Ch=0,T7;function I7(e){let t="";do t=nI[e%J5]+t,e=Math.floor(e/J5);while(e>0);return t}function rI(){const e=I7(+new Date);return e!==T7?(A7=0,T7=e):e+"."+I7(A7++)}for(;Ch<J5;Ch++)Hfe[nI[Ch]]=Ch;function oI(e){let t="";for(let n in e)e.hasOwnProperty(n)&&(t.length&&(t+="&"),t+=encodeURIComponent(n)+"="+encodeURIComponent(e[n]));return t}function jfe(e){let t={},n=e.split("&");for(let r=0,o=n.length;r<o;r++){let i=n[r].split("=");t[decodeURIComponent(i[0])]=decodeURIComponent(i[1])}return t}let iI=!1;try{iI=typeof XMLHttpRequest<"u"&&"withCredentials"in new XMLHttpRequest}catch{}const Ufe=iI;function aI(e){const t=e.xdomain;try{if(typeof XMLHttpRequest<"u"&&(!t||Ufe))return new XMLHttpRequest}catch{}if(!t)try{return new Ma[["Active"].concat("Object").join("X")]("Microsoft.XMLHTTP")}catch{}}function Gfe(){}const Zfe=function(){return new aI({xdomain:!1}).responseType!=null}();class Kfe extends tI{constructor(t){if(super(t),this.polling=!1,typeof location<"u"){const r=location.protocol==="https:";let o=location.port;o||(o=r?"443":"80"),this.xd=typeof location<"u"&&t.hostname!==location.hostname||o!==t.port,this.xs=t.secure!==r}const n=t&&t.forceBase64;this.supportsBinary=Zfe&&!n}get name(){return"polling"}doOpen(){this.poll()}pause(t){this.readyState="pausing";const n=()=>{this.readyState="paused",t()};if(this.polling||!this.writable){let r=0;this.polling&&(r++,this.once("pollComplete",function(){--r||n()})),this.writable||(r++,this.once("drain",function(){--r||n()}))}else n()}poll(){this.polling=!0,this.doPoll(),this.emitReserved("poll")}onData(t){const n=r=>{if(this.readyState==="opening"&&r.type==="open"&&this.onOpen(),r.type==="close")return this.onClose({description:"transport closed by the server"}),!1;this.onPacket(r)};Nfe(t,this.socket.binaryType).forEach(n),this.readyState!=="closed"&&(this.polling=!1,this.emitReserved("pollComplete"),this.readyState==="open"&&this.poll())}doClose(){const t=()=>{this.write([{type:"close"}])};this.readyState==="open"?t():this.once("open",t)}write(t){this.writable=!1,Rfe(t,n=>{this.doWrite(n,()=>{this.writable=!0,this.emitReserved("drain")})})}uri(){let t=this.query||{};const n=this.opts.secure?"https":"http";let r="";this.opts.timestampRequests!==!1&&(t[this.opts.timestampParam]=rI()),!this.supportsBinary&&!t.sid&&(t.b64=1),this.opts.port&&(n==="https"&&Number(this.opts.port)!==443||n==="http"&&Number(this.opts.port)!==80)&&(r=":"+this.opts.port);const o=oI(t),i=this.opts.hostname.indexOf(":")!==-1;return n+"://"+(i?"["+this.opts.hostname+"]":this.opts.hostname)+r+this.opts.path+(o.length?"?"+o:"")}request(t={}){return Object.assign(t,{xd:this.xd,xs:this.xs},this.opts),new di(this.uri(),t)}doWrite(t,n){const r=this.request({method:"POST",data:t});r.on("success",n),r.on("error",(o,i)=>{this.onError("xhr post error",o,i)})}doPoll(){const t=this.request();t.on("data",this.onData.bind(this)),t.on("error",(n,r)=>{this.onError("xhr poll error",n,r)}),this.pollXhr=t}}class di extends cn{constructor(t,n){super(),$m(this,n),this.opts=n,this.method=n.method||"GET",this.uri=t,this.async=n.async!==!1,this.data=n.data!==void 0?n.data:null,this.create()}create(){const t=eI(this.opts,"agent","pfx","key","passphrase","cert","ca","ciphers","rejectUnauthorized","autoUnref");t.xdomain=!!this.opts.xd,t.xscheme=!!this.opts.xs;const n=this.xhr=new aI(t);try{n.open(this.method,this.uri,this.async);try{if(this.opts.extraHeaders){n.setDisableHeaderCheck&&n.setDisableHeaderCheck(!0);for(let r in this.opts.extraHeaders)this.opts.extraHeaders.hasOwnProperty(r)&&n.setRequestHeader(r,this.opts.extraHeaders[r])}}catch{}if(this.method==="POST")try{n.setRequestHeader("Content-type","text/plain;charset=UTF-8")}catch{}try{n.setRequestHeader("Accept","*/*")}catch{}"withCredentials"in n&&(n.withCredentials=this.opts.withCredentials),this.opts.requestTimeout&&(n.timeout=this.opts.requestTimeout),n.onreadystatechange=()=>{n.readyState===4&&(n.status===200||n.status===1223?this.onLoad():this.setTimeoutFn(()=>{this.onError(typeof n.status=="number"?n.status:0)},0))},n.send(this.data)}catch(r){this.setTimeoutFn(()=>{this.onError(r)},0);return}typeof document<"u"&&(this.index=di.requestsCount++,di.requests[this.index]=this)}onError(t){this.emitReserved("error",t,this.xhr),this.cleanup(!0)}cleanup(t){if(!(typeof this.xhr>"u"||this.xhr===null)){if(this.xhr.onreadystatechange=Gfe,t)try{this.xhr.abort()}catch{}typeof document<"u"&&delete di.requests[this.index],this.xhr=null}}onLoad(){const t=this.xhr.responseText;t!==null&&(this.emitReserved("data",t),this.emitReserved("success"),this.cleanup())}abort(){this.cleanup()}}di.requestsCount=0;di.requests={};if(typeof document<"u"){if(typeof attachEvent=="function")attachEvent("onunload",M7);else if(typeof addEventListener=="function"){const e="onpagehide"in Ma?"pagehide":"unload";addEventListener(e,M7,!1)}}function M7(){for(let e in di.requests)di.requests.hasOwnProperty(e)&&di.requests[e].abort()}const qfe=(()=>typeof Promise=="function"&&typeof Promise.resolve=="function"?t=>Promise.resolve().then(t):(t,n)=>n(t,0))(),_h=Ma.WebSocket||Ma.MozWebSocket,O7=!0,Yfe="arraybuffer",R7=typeof navigator<"u"&&typeof navigator.product=="string"&&navigator.product.toLowerCase()==="reactnative";class Xfe extends tI{constructor(t){super(t),this.supportsBinary=!t.forceBase64}get name(){return"websocket"}doOpen(){if(!this.check())return;const t=this.uri(),n=this.opts.protocols,r=R7?{}:eI(this.opts,"agent","perMessageDeflate","pfx","key","passphrase","cert","ca","ciphers","rejectUnauthorized","localAddress","protocolVersion","origin","maxPayload","family","checkServerIdentity");this.opts.extraHeaders&&(r.headers=this.opts.extraHeaders);try{this.ws=O7&&!R7?n?new _h(t,n):new _h(t):new _h(t,n,r)}catch(o){return this.emitReserved("error",o)}this.ws.binaryType=this.socket.binaryType||Yfe,this.addEventListeners()}addEventListeners(){this.ws.onopen=()=>{this.opts.autoUnref&&this.ws._socket.unref(),this.onOpen()},this.ws.onclose=t=>this.onClose({description:"websocket connection closed",context:t}),this.ws.onmessage=t=>this.onData(t.data),this.ws.onerror=t=>this.onError("websocket error",t)}write(t){this.writable=!1;for(let n=0;n<t.length;n++){const r=t[n],o=n===t.length-1;qT(r,this.supportsBinary,i=>{const s={};try{O7&&this.ws.send(i)}catch{}o&&qfe(()=>{this.writable=!0,this.emitReserved("drain")},this.setTimeoutFn)})}}doClose(){typeof this.ws<"u"&&(this.ws.close(),this.ws=null)}uri(){let t=this.query||{};const n=this.opts.secure?"wss":"ws";let r="";this.opts.port&&(n==="wss"&&Number(this.opts.port)!==443||n==="ws"&&Number(this.opts.port)!==80)&&(r=":"+this.opts.port),this.opts.timestampRequests&&(t[this.opts.timestampParam]=rI()),this.supportsBinary||(t.b64=1);const o=oI(t),i=this.opts.hostname.indexOf(":")!==-1;return n+"://"+(i?"["+this.opts.hostname+"]":this.opts.hostname)+r+this.opts.path+(o.length?"?"+o:"")}check(){return!!_h}}const Qfe={websocket:Xfe,polling:Kfe},Jfe=/^(?:(?![^:@]+:[^:@\/]*@)(http|https|ws|wss):\/\/)?((?:(([^:@]*)(?::([^:@]*))?)?@)?((?:[a-f0-9]{0,4}:){2,7}[a-f0-9]{0,4}|[^:\/?#]*)(?::(\d*))?)(((\/(?:[^?#](?![^?#\/]*\.[^?#\/.]+(?:[?#]|$)))*\/?)?([^?#\/]*))(?:\?([^#]*))?(?:#(.*))?)/,ede=["source","protocol","authority","userInfo","user","password","host","port","relative","path","directory","file","query","anchor"];function e4(e){const t=e,n=e.indexOf("["),r=e.indexOf("]");n!=-1&&r!=-1&&(e=e.substring(0,n)+e.substring(n,r).replace(/:/g,";")+e.substring(r,e.length));let o=Jfe.exec(e||""),i={},s=14;for(;s--;)i[ede[s]]=o[s]||"";return n!=-1&&r!=-1&&(i.source=t,i.host=i.host.substring(1,i.host.length-1).replace(/;/g,":"),i.authority=i.authority.replace("[","").replace("]","").replace(/;/g,":"),i.ipv6uri=!0),i.pathNames=tde(i,i.path),i.queryKey=nde(i,i.query),i}function tde(e,t){const n=/\/{2,9}/g,r=t.replace(n,"/").split("/");return(t.substr(0,1)=="/"||t.length===0)&&r.splice(0,1),t.substr(t.length-1,1)=="/"&&r.splice(r.length-1,1),r}function nde(e,t){const n={};return t.replace(/(?:^|&)([^&=]*)=?([^&]*)/g,function(r,o,i){o&&(n[o]=i)}),n}class Ea extends cn{constructor(t,n={}){super(),t&&typeof t=="object"&&(n=t,t=null),t?(t=e4(t),n.hostname=t.host,n.secure=t.protocol==="https"||t.protocol==="wss",n.port=t.port,t.query&&(n.query=t.query)):n.host&&(n.hostname=e4(n.host).host),$m(this,n),this.secure=n.secure!=null?n.secure:typeof location<"u"&&location.protocol==="https:",n.hostname&&!n.port&&(n.port=this.secure?"443":"80"),this.hostname=n.hostname||(typeof location<"u"?location.hostname:"localhost"),this.port=n.port||(typeof location<"u"&&location.port?location.port:this.secure?"443":"80"),this.transports=n.transports||["polling","websocket"],this.readyState="",this.writeBuffer=[],this.prevBufferLen=0,this.opts=Object.assign({path:"/engine.io",agent:!1,withCredentials:!1,upgrade:!0,timestampParam:"t",rememberUpgrade:!1,rejectUnauthorized:!0,perMessageDeflate:{threshold:1024},transportOptions:{},closeOnBeforeunload:!0},n),this.opts.path=this.opts.path.replace(/\/$/,"")+"/",typeof this.opts.query=="string"&&(this.opts.query=jfe(this.opts.query)),this.id=null,this.upgrades=null,this.pingInterval=null,this.pingTimeout=null,this.pingTimeoutTimer=null,typeof addEventListener=="function"&&(this.opts.closeOnBeforeunload&&addEventListener("beforeunload",()=>{this.transport&&(this.transport.removeAllListeners(),this.transport.close())},!1),this.hostname!=="localhost"&&(this.offlineEventListener=()=>{this.onClose("transport close",{description:"network connection lost"})},addEventListener("offline",this.offlineEventListener,!1))),this.open()}createTransport(t){const n=Object.assign({},this.opts.query);n.EIO=JT,n.transport=t,this.id&&(n.sid=this.id);const r=Object.assign({},this.opts.transportOptions[t],this.opts,{query:n,socket:this,hostname:this.hostname,secure:this.secure,port:this.port});return new Qfe[t](r)}open(){let t;if(this.opts.rememberUpgrade&&Ea.priorWebsocketSuccess&&this.transports.indexOf("websocket")!==-1)t="websocket";else if(this.transports.length===0){this.setTimeoutFn(()=>{this.emitReserved("error","No transports available")},0);return}else t=this.transports[0];this.readyState="opening";try{t=this.createTransport(t)}catch{this.transports.shift(),this.open();return}t.open(),this.setTransport(t)}setTransport(t){this.transport&&this.transport.removeAllListeners(),this.transport=t,t.on("drain",this.onDrain.bind(this)).on("packet",this.onPacket.bind(this)).on("error",this.onError.bind(this)).on("close",n=>this.onClose("transport close",n))}probe(t){let n=this.createTransport(t),r=!1;Ea.priorWebsocketSuccess=!1;const o=()=>{r||(n.send([{type:"ping",data:"probe"}]),n.once("packet",h=>{if(!r)if(h.type==="pong"&&h.data==="probe"){if(this.upgrading=!0,this.emitReserved("upgrading",n),!n)return;Ea.priorWebsocketSuccess=n.name==="websocket",this.transport.pause(()=>{r||this.readyState!=="closed"&&(d(),this.setTransport(n),n.send([{type:"upgrade"}]),this.emitReserved("upgrade",n),n=null,this.upgrading=!1,this.flush())})}else{const m=new Error("probe error");m.transport=n.name,this.emitReserved("upgradeError",m)}}))};function i(){r||(r=!0,d(),n.close(),n=null)}const s=h=>{const m=new Error("probe error: "+h);m.transport=n.name,i(),this.emitReserved("upgradeError",m)};function u(){s("transport closed")}function c(){s("socket closed")}function f(h){n&&h.name!==n.name&&i()}const d=()=>{n.removeListener("open",o),n.removeListener("error",s),n.removeListener("close",u),this.off("close",c),this.off("upgrading",f)};n.once("open",o),n.once("error",s),n.once("close",u),this.once("close",c),this.once("upgrading",f),n.open()}onOpen(){if(this.readyState="open",Ea.priorWebsocketSuccess=this.transport.name==="websocket",this.emitReserved("open"),this.flush(),this.readyState==="open"&&this.opts.upgrade&&this.transport.pause){let t=0;const n=this.upgrades.length;for(;t<n;t++)this.probe(this.upgrades[t])}}onPacket(t){if(this.readyState==="opening"||this.readyState==="open"||this.readyState==="closing")switch(this.emitReserved("packet",t),this.emitReserved("heartbeat"),t.type){case"open":this.onHandshake(JSON.parse(t.data));break;case"ping":this.resetPingTimeout(),this.sendPacket("pong"),this.emitReserved("ping"),this.emitReserved("pong");break;case"error":const n=new Error("server error");n.code=t.data,this.onError(n);break;case"message":this.emitReserved("data",t.data),this.emitReserved("message",t.data);break}}onHandshake(t){this.emitReserved("handshake",t),this.id=t.sid,this.transport.query.sid=t.sid,this.upgrades=this.filterUpgrades(t.upgrades),this.pingInterval=t.pingInterval,this.pingTimeout=t.pingTimeout,this.maxPayload=t.maxPayload,this.onOpen(),this.readyState!=="closed"&&this.resetPingTimeout()}resetPingTimeout(){this.clearTimeoutFn(this.pingTimeoutTimer),this.pingTimeoutTimer=this.setTimeoutFn(()=>{this.onClose("ping timeout")},this.pingInterval+this.pingTimeout),this.opts.autoUnref&&this.pingTimeoutTimer.unref()}onDrain(){this.writeBuffer.splice(0,this.prevBufferLen),this.prevBufferLen=0,this.writeBuffer.length===0?this.emitReserved("drain"):this.flush()}flush(){if(this.readyState!=="closed"&&this.transport.writable&&!this.upgrading&&this.writeBuffer.length){const t=this.getWritablePackets();this.transport.send(t),this.prevBufferLen=t.length,this.emitReserved("flush")}}getWritablePackets(){if(!(this.maxPayload&&this.transport.name==="polling"&&this.writeBuffer.length>1))return this.writeBuffer;let n=1;for(let r=0;r<this.writeBuffer.length;r++){const o=this.writeBuffer[r].data;if(o&&(n+=$fe(o)),r>0&&n>this.maxPayload)return this.writeBuffer.slice(0,r);n+=2}return this.writeBuffer}write(t,n,r){return this.sendPacket("message",t,n,r),this}send(t,n,r){return this.sendPacket("message",t,n,r),this}sendPacket(t,n,r,o){if(typeof n=="function"&&(o=n,n=void 0),typeof r=="function"&&(o=r,r=null),this.readyState==="closing"||this.readyState==="closed")return;r=r||{},r.compress=r.compress!==!1;const i={type:t,data:n,options:r};this.emitReserved("packetCreate",i),this.writeBuffer.push(i),o&&this.once("flush",o),this.flush()}close(){const t=()=>{this.onClose("forced close"),this.transport.close()},n=()=>{this.off("upgrade",n),this.off("upgradeError",n),t()},r=()=>{this.once("upgrade",n),this.once("upgradeError",n)};return(this.readyState==="opening"||this.readyState==="open")&&(this.readyState="closing",this.writeBuffer.length?this.once("drain",()=>{this.upgrading?r():t()}):this.upgrading?r():t()),this}onError(t){Ea.priorWebsocketSuccess=!1,this.emitReserved("error",t),this.onClose("transport error",t)}onClose(t,n){(this.readyState==="opening"||this.readyState==="open"||this.readyState==="closing")&&(this.clearTimeoutFn(this.pingTimeoutTimer),this.transport.removeAllListeners("close"),this.transport.close(),this.transport.removeAllListeners(),typeof removeEventListener=="function"&&removeEventListener("offline",this.offlineEventListener,!1),this.readyState="closed",this.id=null,this.emitReserved("close",t,n),this.writeBuffer=[],this.prevBufferLen=0)}filterUpgrades(t){const n=[];let r=0;const o=t.length;for(;r<o;r++)~this.transports.indexOf(t[r])&&n.push(t[r]);return n}}Ea.protocol=JT;function rde(e,t="",n){let r=e;n=n||typeof location<"u"&&location,e==null&&(e=n.protocol+"//"+n.host),typeof e=="string"&&(e.charAt(0)==="/"&&(e.charAt(1)==="/"?e=n.protocol+e:e=n.host+e),/^(https?|wss?):\/\//.test(e)||(typeof n<"u"?e=n.protocol+"//"+e:e="https://"+e),r=e4(e)),r.port||(/^(http|ws)$/.test(r.protocol)?r.port="80":/^(http|ws)s$/.test(r.protocol)&&(r.port="443")),r.path=r.path||"/";const i=r.host.indexOf(":")!==-1?"["+r.host+"]":r.host;return r.id=r.protocol+"://"+i+":"+r.port+t,r.href=r.protocol+"://"+i+(n&&n.port===r.port?"":":"+r.port),r}const ode=typeof ArrayBuffer=="function",ide=e=>typeof ArrayBuffer.isView=="function"?ArrayBuffer.isView(e):e.buffer instanceof ArrayBuffer,sI=Object.prototype.toString,ade=typeof Blob=="function"||typeof Blob<"u"&&sI.call(Blob)==="[object BlobConstructor]",sde=typeof File=="function"||typeof File<"u"&&sI.call(File)==="[object FileConstructor]";function Qb(e){return ode&&(e instanceof ArrayBuffer||ide(e))||ade&&e instanceof Blob||sde&&e instanceof File}function u1(e,t){if(!e||typeof e!="object")return!1;if(Array.isArray(e)){for(let n=0,r=e.length;n<r;n++)if(u1(e[n]))return!0;return!1}if(Qb(e))return!0;if(e.toJSON&&typeof e.toJSON=="function"&&arguments.length===1)return u1(e.toJSON(),!0);for(const n in e)if(Object.prototype.hasOwnProperty.call(e,n)&&u1(e[n]))return!0;return!1}function lde(e){const t=[],n=e.data,r=e;return r.data=t4(n,t),r.attachments=t.length,{packet:r,buffers:t}}function t4(e,t){if(!e)return e;if(Qb(e)){const n={_placeholder:!0,num:t.length};return t.push(e),n}else if(Array.isArray(e)){const n=new Array(e.length);for(let r=0;r<e.length;r++)n[r]=t4(e[r],t);return n}else if(typeof e=="object"&&!(e instanceof Date)){const n={};for(const r in e)Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=t4(e[r],t));return n}return e}function ude(e,t){return e.data=n4(e.data,t),e.attachments=void 0,e}function n4(e,t){if(!e)return e;if(e&&e._placeholder===!0){if(typeof e.num=="number"&&e.num>=0&&e.num<t.length)return t[e.num];throw new Error("illegal attachments")}else if(Array.isArray(e))for(let n=0;n<e.length;n++)e[n]=n4(e[n],t);else if(typeof e=="object")for(const n in e)Object.prototype.hasOwnProperty.call(e,n)&&(e[n]=n4(e[n],t));return e}const cde=5;var Qe;(function(e){e[e.CONNECT=0]="CONNECT",e[e.DISCONNECT=1]="DISCONNECT",e[e.EVENT=2]="EVENT",e[e.ACK=3]="ACK",e[e.CONNECT_ERROR=4]="CONNECT_ERROR",e[e.BINARY_EVENT=5]="BINARY_EVENT",e[e.BINARY_ACK=6]="BINARY_ACK"})(Qe||(Qe={}));class fde{constructor(t){this.replacer=t}encode(t){return(t.type===Qe.EVENT||t.type===Qe.ACK)&&u1(t)?(t.type=t.type===Qe.EVENT?Qe.BINARY_EVENT:Qe.BINARY_ACK,this.encodeAsBinary(t)):[this.encodeAsString(t)]}encodeAsString(t){let n=""+t.type;return(t.type===Qe.BINARY_EVENT||t.type===Qe.BINARY_ACK)&&(n+=t.attachments+"-"),t.nsp&&t.nsp!=="/"&&(n+=t.nsp+","),t.id!=null&&(n+=t.id),t.data!=null&&(n+=JSON.stringify(t.data,this.replacer)),n}encodeAsBinary(t){const n=lde(t),r=this.encodeAsString(n.packet),o=n.buffers;return o.unshift(r),o}}class Jb extends cn{constructor(t){super(),this.reviver=t}add(t){let n;if(typeof t=="string"){if(this.reconstructor)throw new Error("got plaintext data when reconstructing a packet");n=this.decodeString(t),n.type===Qe.BINARY_EVENT||n.type===Qe.BINARY_ACK?(this.reconstructor=new dde(n),n.attachments===0&&super.emitReserved("decoded",n)):super.emitReserved("decoded",n)}else if(Qb(t)||t.base64)if(this.reconstructor)n=this.reconstructor.takeBinaryData(t),n&&(this.reconstructor=null,super.emitReserved("decoded",n));else throw new Error("got binary data when not reconstructing a packet");else throw new Error("Unknown type: "+t)}decodeString(t){let n=0;const r={type:Number(t.charAt(0))};if(Qe[r.type]===void 0)throw new Error("unknown packet type "+r.type);if(r.type===Qe.BINARY_EVENT||r.type===Qe.BINARY_ACK){const i=n+1;for(;t.charAt(++n)!=="-"&&n!=t.length;);const s=t.substring(i,n);if(s!=Number(s)||t.charAt(n)!=="-")throw new Error("Illegal attachments");r.attachments=Number(s)}if(t.charAt(n+1)==="/"){const i=n+1;for(;++n&&!(t.charAt(n)===","||n===t.length););r.nsp=t.substring(i,n)}else r.nsp="/";const o=t.charAt(n+1);if(o!==""&&Number(o)==o){const i=n+1;for(;++n;){const s=t.charAt(n);if(s==null||Number(s)!=s){--n;break}if(n===t.length)break}r.id=Number(t.substring(i,n+1))}if(t.charAt(++n)){const i=this.tryParse(t.substr(n));if(Jb.isPayloadValid(r.type,i))r.data=i;else throw new Error("invalid payload")}return r}tryParse(t){try{return JSON.parse(t,this.reviver)}catch{return!1}}static isPayloadValid(t,n){switch(t){case Qe.CONNECT:return typeof n=="object";case Qe.DISCONNECT:return n===void 0;case Qe.CONNECT_ERROR:return typeof n=="string"||typeof n=="object";case Qe.EVENT:case Qe.BINARY_EVENT:return Array.isArray(n)&&n.length>0;case Qe.ACK:case Qe.BINARY_ACK:return Array.isArray(n)}}destroy(){this.reconstructor&&this.reconstructor.finishedReconstruction()}}class dde{constructor(t){this.packet=t,this.buffers=[],this.reconPack=t}takeBinaryData(t){if(this.buffers.push(t),this.buffers.length===this.reconPack.attachments){const n=ude(this.reconPack,this.buffers);return this.finishedReconstruction(),n}return null}finishedReconstruction(){this.reconPack=null,this.buffers=[]}}const pde=Object.freeze(Object.defineProperty({__proto__:null,protocol:cde,get PacketType(){return Qe},Encoder:fde,Decoder:Jb},Symbol.toStringTag,{value:"Module"}));function To(e,t,n){return e.on(t,n),function(){e.off(t,n)}}const hde=Object.freeze({connect:1,connect_error:1,disconnect:1,disconnecting:1,newListener:1,removeListener:1});class lI extends cn{constructor(t,n,r){super(),this.connected=!1,this.receiveBuffer=[],this.sendBuffer=[],this.ids=0,this.acks={},this.flags={},this.io=t,this.nsp=n,r&&r.auth&&(this.auth=r.auth),this.io._autoConnect&&this.open()}get disconnected(){return!this.connected}subEvents(){if(this.subs)return;const t=this.io;this.subs=[To(t,"open",this.onopen.bind(this)),To(t,"packet",this.onpacket.bind(this)),To(t,"error",this.onerror.bind(this)),To(t,"close",this.onclose.bind(this))]}get active(){return!!this.subs}connect(){return this.connected?this:(this.subEvents(),this.io._reconnecting||this.io.open(),this.io._readyState==="open"&&this.onopen(),this)}open(){return this.connect()}send(...t){return t.unshift("message"),this.emit.apply(this,t),this}emit(t,...n){if(hde.hasOwnProperty(t))throw new Error('"'+t.toString()+'" is a reserved event name');n.unshift(t);const r={type:Qe.EVENT,data:n};if(r.options={},r.options.compress=this.flags.compress!==!1,typeof n[n.length-1]=="function"){const s=this.ids++,u=n.pop();this._registerAckCallback(s,u),r.id=s}const o=this.io.engine&&this.io.engine.transport&&this.io.engine.transport.writable;return this.flags.volatile&&(!o||!this.connected)||(this.connected?(this.notifyOutgoingListeners(r),this.packet(r)):this.sendBuffer.push(r)),this.flags={},this}_registerAckCallback(t,n){const r=this.flags.timeout;if(r===void 0){this.acks[t]=n;return}const o=this.io.setTimeoutFn(()=>{delete this.acks[t];for(let i=0;i<this.sendBuffer.length;i++)this.sendBuffer[i].id===t&&this.sendBuffer.splice(i,1);n.call(this,new Error("operation has timed out"))},r);this.acks[t]=(...i)=>{this.io.clearTimeoutFn(o),n.apply(this,[null,...i])}}packet(t){t.nsp=this.nsp,this.io._packet(t)}onopen(){typeof this.auth=="function"?this.auth(t=>{this.packet({type:Qe.CONNECT,data:t})}):this.packet({type:Qe.CONNECT,data:this.auth})}onerror(t){this.connected||this.emitReserved("connect_error",t)}onclose(t,n){this.connected=!1,delete this.id,this.emitReserved("disconnect",t,n)}onpacket(t){if(t.nsp===this.nsp)switch(t.type){case Qe.CONNECT:if(t.data&&t.data.sid){const o=t.data.sid;this.onconnect(o)}else this.emitReserved("connect_error",new Error("It seems you are trying to reach a Socket.IO server in v2.x with a v3.x client, but they are not compatible (more information here: https://socket.io/docs/v3/migrating-from-2-x-to-3-0/)"));break;case Qe.EVENT:case Qe.BINARY_EVENT:this.onevent(t);break;case Qe.ACK:case Qe.BINARY_ACK:this.onack(t);break;case Qe.DISCONNECT:this.ondisconnect();break;case Qe.CONNECT_ERROR:this.destroy();const r=new Error(t.data.message);r.data=t.data.data,this.emitReserved("connect_error",r);break}}onevent(t){const n=t.data||[];t.id!=null&&n.push(this.ack(t.id)),this.connected?this.emitEvent(n):this.receiveBuffer.push(Object.freeze(n))}emitEvent(t){if(this._anyListeners&&this._anyListeners.length){const n=this._anyListeners.slice();for(const r of n)r.apply(this,t)}super.emit.apply(this,t)}ack(t){const n=this;let r=!1;return function(...o){r||(r=!0,n.packet({type:Qe.ACK,id:t,data:o}))}}onack(t){const n=this.acks[t.id];typeof n=="function"&&(n.apply(this,t.data),delete this.acks[t.id])}onconnect(t){this.id=t,this.connected=!0,this.emitBuffered(),this.emitReserved("connect")}emitBuffered(){this.receiveBuffer.forEach(t=>this.emitEvent(t)),this.receiveBuffer=[],this.sendBuffer.forEach(t=>{this.notifyOutgoingListeners(t),this.packet(t)}),this.sendBuffer=[]}ondisconnect(){this.destroy(),this.onclose("io server disconnect")}destroy(){this.subs&&(this.subs.forEach(t=>t()),this.subs=void 0),this.io._destroy(this)}disconnect(){return this.connected&&this.packet({type:Qe.DISCONNECT}),this.destroy(),this.connected&&this.onclose("io client disconnect"),this}close(){return this.disconnect()}compress(t){return this.flags.compress=t,this}get volatile(){return this.flags.volatile=!0,this}timeout(t){return this.flags.timeout=t,this}onAny(t){return this._anyListeners=this._anyListeners||[],this._anyListeners.push(t),this}prependAny(t){return this._anyListeners=this._anyListeners||[],this._anyListeners.unshift(t),this}offAny(t){if(!this._anyListeners)return this;if(t){const n=this._anyListeners;for(let r=0;r<n.length;r++)if(t===n[r])return n.splice(r,1),this}else this._anyListeners=[];return this}listenersAny(){return this._anyListeners||[]}onAnyOutgoing(t){return this._anyOutgoingListeners=this._anyOutgoingListeners||[],this._anyOutgoingListeners.push(t),this}prependAnyOutgoing(t){return this._anyOutgoingListeners=this._anyOutgoingListeners||[],this._anyOutgoingListeners.unshift(t),this}offAnyOutgoing(t){if(!this._anyOutgoingListeners)return this;if(t){const n=this._anyOutgoingListeners;for(let r=0;r<n.length;r++)if(t===n[r])return n.splice(r,1),this}else this._anyOutgoingListeners=[];return this}listenersAnyOutgoing(){return this._anyOutgoingListeners||[]}notifyOutgoingListeners(t){if(this._anyOutgoingListeners&&this._anyOutgoingListeners.length){const n=this._anyOutgoingListeners.slice();for(const r of n)r.apply(this,t.data)}}}function Vu(e){e=e||{},this.ms=e.min||100,this.max=e.max||1e4,this.factor=e.factor||2,this.jitter=e.jitter>0&&e.jitter<=1?e.jitter:0,this.attempts=0}Vu.prototype.duration=function(){var e=this.ms*Math.pow(this.factor,this.attempts++);if(this.jitter){var t=Math.random(),n=Math.floor(t*this.jitter*e);e=(Math.floor(t*10)&1)==0?e-n:e+n}return Math.min(e,this.max)|0};Vu.prototype.reset=function(){this.attempts=0};Vu.prototype.setMin=function(e){this.ms=e};Vu.prototype.setMax=function(e){this.max=e};Vu.prototype.setJitter=function(e){this.jitter=e};class r4 extends cn{constructor(t,n){var r;super(),this.nsps={},this.subs=[],t&&typeof t=="object"&&(n=t,t=void 0),n=n||{},n.path=n.path||"/socket.io",this.opts=n,$m(this,n),this.reconnection(n.reconnection!==!1),this.reconnectionAttempts(n.reconnectionAttempts||1/0),this.reconnectionDelay(n.reconnectionDelay||1e3),this.reconnectionDelayMax(n.reconnectionDelayMax||5e3),this.randomizationFactor((r=n.randomizationFactor)!==null&&r!==void 0?r:.5),this.backoff=new Vu({min:this.reconnectionDelay(),max:this.reconnectionDelayMax(),jitter:this.randomizationFactor()}),this.timeout(n.timeout==null?2e4:n.timeout),this._readyState="closed",this.uri=t;const o=n.parser||pde;this.encoder=new o.Encoder,this.decoder=new o.Decoder,this._autoConnect=n.autoConnect!==!1,this._autoConnect&&this.open()}reconnection(t){return arguments.length?(this._reconnection=!!t,this):this._reconnection}reconnectionAttempts(t){return t===void 0?this._reconnectionAttempts:(this._reconnectionAttempts=t,this)}reconnectionDelay(t){var n;return t===void 0?this._reconnectionDelay:(this._reconnectionDelay=t,(n=this.backoff)===null||n===void 0||n.setMin(t),this)}randomizationFactor(t){var n;return t===void 0?this._randomizationFactor:(this._randomizationFactor=t,(n=this.backoff)===null||n===void 0||n.setJitter(t),this)}reconnectionDelayMax(t){var n;return t===void 0?this._reconnectionDelayMax:(this._reconnectionDelayMax=t,(n=this.backoff)===null||n===void 0||n.setMax(t),this)}timeout(t){return arguments.length?(this._timeout=t,this):this._timeout}maybeReconnectOnOpen(){!this._reconnecting&&this._reconnection&&this.backoff.attempts===0&&this.reconnect()}open(t){if(~this._readyState.indexOf("open"))return this;this.engine=new Ea(this.uri,this.opts);const n=this.engine,r=this;this._readyState="opening",this.skipReconnect=!1;const o=To(n,"open",function(){r.onopen(),t&&t()}),i=To(n,"error",s=>{r.cleanup(),r._readyState="closed",this.emitReserved("error",s),t?t(s):r.maybeReconnectOnOpen()});if(this._timeout!==!1){const s=this._timeout;s===0&&o();const u=this.setTimeoutFn(()=>{o(),n.close(),n.emit("error",new Error("timeout"))},s);this.opts.autoUnref&&u.unref(),this.subs.push(function(){clearTimeout(u)})}return this.subs.push(o),this.subs.push(i),this}connect(t){return this.open(t)}onopen(){this.cleanup(),this._readyState="open",this.emitReserved("open");const t=this.engine;this.subs.push(To(t,"ping",this.onping.bind(this)),To(t,"data",this.ondata.bind(this)),To(t,"error",this.onerror.bind(this)),To(t,"close",this.onclose.bind(this)),To(this.decoder,"decoded",this.ondecoded.bind(this)))}onping(){this.emitReserved("ping")}ondata(t){try{this.decoder.add(t)}catch{this.onclose("parse error")}}ondecoded(t){this.emitReserved("packet",t)}onerror(t){this.emitReserved("error",t)}socket(t,n){let r=this.nsps[t];return r||(r=new lI(this,t,n),this.nsps[t]=r),r}_destroy(t){const n=Object.keys(this.nsps);for(const r of n)if(this.nsps[r].active)return;this._close()}_packet(t){const n=this.encoder.encode(t);for(let r=0;r<n.length;r++)this.engine.write(n[r],t.options)}cleanup(){this.subs.forEach(t=>t()),this.subs.length=0,this.decoder.destroy()}_close(){this.skipReconnect=!0,this._reconnecting=!1,this.onclose("forced close"),this.engine&&this.engine.close()}disconnect(){return this._close()}onclose(t,n){this.cleanup(),this.backoff.reset(),this._readyState="closed",this.emitReserved("close",t,n),this._reconnection&&!this.skipReconnect&&this.reconnect()}reconnect(){if(this._reconnecting||this.skipReconnect)return this;const t=this;if(this.backoff.attempts>=this._reconnectionAttempts)this.backoff.reset(),this.emitReserved("reconnect_failed"),this._reconnecting=!1;else{const n=this.backoff.duration();this._reconnecting=!0;const r=this.setTimeoutFn(()=>{t.skipReconnect||(this.emitReserved("reconnect_attempt",t.backoff.attempts),!t.skipReconnect&&t.open(o=>{o?(t._reconnecting=!1,t.reconnect(),this.emitReserved("reconnect_error",o)):t.onreconnect()}))},n);this.opts.autoUnref&&r.unref(),this.subs.push(function(){clearTimeout(r)})}}onreconnect(){const t=this.backoff.attempts;this._reconnecting=!1,this.backoff.reset(),this.emitReserved("reconnect",t)}}const Ic={};function c1(e,t){typeof e=="object"&&(t=e,e=void 0),t=t||{};const n=rde(e,t.path||"/socket.io"),r=n.source,o=n.id,i=n.path,s=Ic[o]&&i in Ic[o].nsps,u=t.forceNew||t["force new connection"]||t.multiplex===!1||s;let c;return u?c=new r4(r,t):(Ic[o]||(Ic[o]=new r4(r,t)),c=Ic[o]),n.query&&!t.query&&(t.query=n.queryKey),c.socket(n.path,t)}Object.assign(c1,{Manager:r4,Socket:lI,io:c1,connect:c1});let kh;const mde=new Uint8Array(16);function gde(){if(!kh&&(kh=typeof crypto<"u"&&crypto.getRandomValues&&crypto.getRandomValues.bind(crypto),!kh))throw new Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");return kh(mde)}const An=[];for(let e=0;e<256;++e)An.push((e+256).toString(16).slice(1));function vde(e,t=0){return(An[e[t+0]]+An[e[t+1]]+An[e[t+2]]+An[e[t+3]]+"-"+An[e[t+4]]+An[e[t+5]]+"-"+An[e[t+6]]+An[e[t+7]]+"-"+An[e[t+8]]+An[e[t+9]]+"-"+An[e[t+10]]+An[e[t+11]]+An[e[t+12]]+An[e[t+13]]+An[e[t+14]]+An[e[t+15]]).toLowerCase()}const yde=typeof crypto<"u"&&crypto.randomUUID&&crypto.randomUUID.bind(crypto),N7={randomUUID:yde};function Mc(e,t,n){if(N7.randomUUID&&!t&&!e)return N7.randomUUID();e=e||{};const r=e.random||(e.rng||gde)();if(r[6]=r[6]&15|64,r[8]=r[8]&63|128,t){n=n||0;for(let o=0;o<16;++o)t[n+o]=r[o];return t}return vde(r)}var bde=/d{1,4}|D{3,4}|m{1,4}|yy(?:yy)?|([HhMsTt])\1?|W{1,2}|[LlopSZN]|"[^"]*"|'[^']*'/g,xde=/\b(?:[A-Z]{1,3}[A-Z][TC])(?:[-+]\d{4})?|((?:Australian )?(?:Pacific|Mountain|Central|Eastern|Atlantic) (?:Standard|Daylight|Prevailing) Time)\b/g,Sde=/[^-+\dA-Z]/g;function tr(e,t,n,r){if(arguments.length===1&&typeof e=="string"&&!/\d/.test(e)&&(t=e,e=void 0),e=e||e===0?e:new Date,e instanceof Date||(e=new Date(e)),isNaN(e))throw TypeError("Invalid date");t=String(D7[t]||t||D7.default);var o=t.slice(0,4);(o==="UTC:"||o==="GMT:")&&(t=t.slice(4),n=!0,o==="GMT:"&&(r=!0));var i=function(){return n?"getUTC":"get"},s=function(){return e[i()+"Date"]()},u=function(){return e[i()+"Day"]()},c=function(){return e[i()+"Month"]()},f=function(){return e[i()+"FullYear"]()},d=function(){return e[i()+"Hours"]()},h=function(){return e[i()+"Minutes"]()},m=function(){return e[i()+"Seconds"]()},g=function(){return e[i()+"Milliseconds"]()},b=function(){return n?0:e.getTimezoneOffset()},S=function(){return wde(e)},E=function(){return Cde(e)},w={d:function(){return s()},dd:function(){return Mr(s())},ddd:function(){return hr.dayNames[u()]},DDD:function(){return z7({y:f(),m:c(),d:s(),_:i(),dayName:hr.dayNames[u()],short:!0})},dddd:function(){return hr.dayNames[u()+7]},DDDD:function(){return z7({y:f(),m:c(),d:s(),_:i(),dayName:hr.dayNames[u()+7]})},m:function(){return c()+1},mm:function(){return Mr(c()+1)},mmm:function(){return hr.monthNames[c()]},mmmm:function(){return hr.monthNames[c()+12]},yy:function(){return String(f()).slice(2)},yyyy:function(){return Mr(f(),4)},h:function(){return d()%12||12},hh:function(){return Mr(d()%12||12)},H:function(){return d()},HH:function(){return Mr(d())},M:function(){return h()},MM:function(){return Mr(h())},s:function(){return m()},ss:function(){return Mr(m())},l:function(){return Mr(g(),3)},L:function(){return Mr(Math.floor(g()/10))},t:function(){return d()<12?hr.timeNames[0]:hr.timeNames[1]},tt:function(){return d()<12?hr.timeNames[2]:hr.timeNames[3]},T:function(){return d()<12?hr.timeNames[4]:hr.timeNames[5]},TT:function(){return d()<12?hr.timeNames[6]:hr.timeNames[7]},Z:function(){return r?"GMT":n?"UTC":_de(e)},o:function(){return(b()>0?"-":"+")+Mr(Math.floor(Math.abs(b())/60)*100+Math.abs(b())%60,4)},p:function(){return(b()>0?"-":"+")+Mr(Math.floor(Math.abs(b())/60),2)+":"+Mr(Math.floor(Math.abs(b())%60),2)},S:function(){return["th","st","nd","rd"][s()%10>3?0:(s()%100-s()%10!=10)*s()%10]},W:function(){return S()},WW:function(){return Mr(S())},N:function(){return E()}};return t.replace(bde,function(x){return x in w?w[x]():x.slice(1,x.length-1)})}var D7={default:"ddd mmm dd yyyy HH:MM:ss",shortDate:"m/d/yy",paddedShortDate:"mm/dd/yyyy",mediumDate:"mmm d, yyyy",longDate:"mmmm d, yyyy",fullDate:"dddd, mmmm d, yyyy",shortTime:"h:MM TT",mediumTime:"h:MM:ss TT",longTime:"h:MM:ss TT Z",isoDate:"yyyy-mm-dd",isoTime:"HH:MM:ss",isoDateTime:"yyyy-mm-dd'T'HH:MM:sso",isoUtcDateTime:"UTC:yyyy-mm-dd'T'HH:MM:ss'Z'",expiresHeaderFormat:"ddd, dd mmm yyyy HH:MM:ss Z"},hr={dayNames:["Sun","Mon","Tue","Wed","Thu","Fri","Sat","Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],monthNames:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec","January","February","March","April","May","June","July","August","September","October","November","December"],timeNames:["a","p","am","pm","A","P","AM","PM"]},Mr=function(t){var n=arguments.length>1&&arguments[1]!==void 0?arguments[1]:2;return String(t).padStart(n,"0")},z7=function(t){var n=t.y,r=t.m,o=t.d,i=t._,s=t.dayName,u=t.short,c=u===void 0?!1:u,f=new Date,d=new Date;d.setDate(d[i+"Date"]()-1);var h=new Date;h.setDate(h[i+"Date"]()+1);var m=function(){return f[i+"Date"]()},g=function(){return f[i+"Month"]()},b=function(){return f[i+"FullYear"]()},S=function(){return d[i+"Date"]()},E=function(){return d[i+"Month"]()},w=function(){return d[i+"FullYear"]()},x=function(){return h[i+"Date"]()},_=function(){return h[i+"Month"]()},L=function(){return h[i+"FullYear"]()};return b()===n&&g()===r&&m()===o?c?"Tdy":"Today":w()===n&&E()===r&&S()===o?c?"Ysd":"Yesterday":L()===n&&_()===r&&x()===o?c?"Tmw":"Tomorrow":s},wde=function(t){var n=new Date(t.getFullYear(),t.getMonth(),t.getDate());n.setDate(n.getDate()-(n.getDay()+6)%7+3);var r=new Date(n.getFullYear(),0,4);r.setDate(r.getDate()-(r.getDay()+6)%7+3);var o=n.getTimezoneOffset()-r.getTimezoneOffset();n.setHours(n.getHours()-o);var i=(n-r)/(864e5*7);return 1+Math.floor(i)},Cde=function(t){var n=t.getDay();return n===0&&(n=7),n},_de=function(t){return(String(t).match(xde)||[""]).pop().replace(Sde,"").replace(/GMT\+0000/g,"UTC")};const o4=ir("socketio/generateImage"),kde=ir("socketio/runESRGAN"),Ede=ir("socketio/runGFPGAN"),Lde=ir("socketio/deleteImage"),uI=ir("socketio/requestImages"),Pde=ir("socketio/requestNewImages"),Ade=ir("socketio/cancelProcessing"),Tde=ir("socketio/uploadInitialImage"),Ide=ir("socketio/uploadMaskImage"),Mde=ir("socketio/requestSystemConfig"),Ode=e=>{const{dispatch:t,getState:n}=e;return{onConnect:()=>{try{t(k7(!0)),t(E7("Connected")),n().gallery.latest_mtime?t(Pde()):t(uI())}catch(r){console.error(r)}},onDisconnect:()=>{try{t(k7(!1)),t(E7("Disconnected")),t(er({timestamp:tr(new Date,"isoDateTime"),message:"Disconnected from server",level:"warning"}))}catch(r){console.error(r)}},onGenerationResult:r=>{try{const{url:o,mtime:i,metadata:s}=r,u=Mc();t(wh({uuid:u,url:o,mtime:i,metadata:s})),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Image generated: ${o}`}))}catch(o){console.error(o)}},onIntermediateResult:r=>{try{const o=Mc(),{url:i,metadata:s,mtime:u}=r;t(hfe({uuid:o,url:i,mtime:u,metadata:s})),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Intermediate image generated: ${i}`}))}catch(o){console.error(o)}},onPostprocessingResult:r=>{try{const{url:o,metadata:i,mtime:s}=r;t(wh({uuid:Mc(),url:o,mtime:s,metadata:i})),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Postprocessed: ${o}`}))}catch(o){console.error(o)}},onGFPGANResult:r=>{try{const{url:o,metadata:i,mtime:s}=r;t(wh({uuid:Mc(),url:o,mtime:s,metadata:i})),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Fixed faces: ${o}`}))}catch(o){console.error(o)}},onProgressUpdate:r=>{try{t(s1(!0)),t(Sfe(r))}catch(o){console.error(o)}},onError:r=>{const{message:o,additionalData:i}=r;try{t(er({timestamp:tr(new Date,"isoDateTime"),message:`Server error: ${o}`,level:"error"})),t(kfe()),t(_7())}catch(s){console.error(s)}},onGalleryImages:r=>{const{images:o,areMoreImagesAvailable:i}=r,s=o.map(u=>{const{url:c,metadata:f,mtime:d}=u;return{uuid:Mc(),url:c,mtime:d,metadata:f}});t(pfe({images:s,areMoreImagesAvailable:i})),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Loaded ${o.length} images`}))},onProcessingCanceled:()=>{t(_fe());const{intermediateImage:r}=n().gallery;r&&(t(wh(r)),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Intermediate image saved: ${r.url}`})),t(_7())),t(er({timestamp:tr(new Date,"isoDateTime"),message:"Processing canceled",level:"warning"}))},onImageDeleted:r=>{const{url:o,uuid:i}=r;t(ffe(i));const{initialImagePath:s,maskPath:u}=n().options;s===o&&t(Lu("")),u===o&&t(nd("")),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Image deleted: ${o}`}))},onInitialImageUploaded:r=>{const{url:o}=r;t(Lu(o)),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Initial image uploaded: ${o}`}))},onMaskImageUploaded:r=>{const{url:o}=r;t(nd(o)),t(er({timestamp:tr(new Date,"isoDateTime"),message:`Mask image uploaded: ${o}`}))},onSystemConfig:r=>{t(wfe(r))}}},Rde=["ddim","plms","k_lms","k_dpm_2","k_dpm_2_a","k_euler","k_euler_a","k_heun"],Nde=[64,128,192,256,320,384,448,512,576,640,704,768,832,896,960,1024,1088,1152,1216,1280,1344,1408,1472,1536,1600,1664,1728,1792,1856,1920,1984,2048],Dde=[64,128,192,256,320,384,448,512,576,640,704,768,832,896,960,1024,1088,1152,1216,1280,1344,1408,1472,1536,1600,1664,1728,1792,1856,1920,1984,2048],zde=[{key:"2x",value:2},{key:"4x",value:4}],e6=0,t6=4294967295,cI=(e,t)=>Math.floor(Math.random()*(t-e+1)+e),Fde=(e,t)=>{const{prompt:n,iterations:r,steps:o,cfgScale:i,threshold:s,perlin:u,height:c,width:f,sampler:d,seed:h,seamless:m,shouldUseInitImage:g,img2imgStrength:b,initialImagePath:S,maskPath:E,shouldFitToWidthHeight:w,shouldGenerateVariations:x,variationAmount:_,seedWeights:L,shouldRunESRGAN:T,upscalingLevel:R,upscalingStrength:N,shouldRunGFPGAN:F,gfpganStrength:K,shouldRandomizeSeed:W}=e,{shouldDisplayInProgress:J}=t,ve={prompt:n,iterations:r,steps:o,cfg_scale:i,threshold:s,perlin:u,height:c,width:f,sampler_name:d,seed:h,seamless:m,progress_images:J};ve.seed=W?cI(e6,t6):h,g&&(ve.init_img=S,ve.strength=b,ve.fit=w,E&&(ve.init_mask=E)),x?(ve.variation_amount=_,L&&(ve.with_variations=qce(L))):ve.variation_amount=0;let xe=!1,he=!1;return T&&(xe={level:R,strength:N}),F&&(he={strength:K}),{generationParameters:ve,esrganParameters:xe,gfpganParameters:he}},Bde=(e,t)=>{const{dispatch:n,getState:r}=e;return{emitGenerateImage:()=>{n(s1(!0));const{generationParameters:o,esrganParameters:i,gfpganParameters:s}=Fde(r().options,r().system);t.emit("generateImage",o,i,s),n(er({timestamp:tr(new Date,"isoDateTime"),message:`Image generation requested: ${JSON.stringify({...o,...i,...s})}`}))},emitRunESRGAN:o=>{n(s1(!0));const{upscalingLevel:i,upscalingStrength:s}=r().options,u={upscale:[i,s]};t.emit("runPostprocessing",o,{type:"esrgan",...u}),n(er({timestamp:tr(new Date,"isoDateTime"),message:`ESRGAN upscale requested: ${JSON.stringify({file:o.url,...u})}`}))},emitRunGFPGAN:o=>{n(s1(!0));const{gfpganStrength:i}=r().options,s={gfpgan_strength:i};t.emit("runPostprocessing",o,{type:"gfpgan",...s}),n(er({timestamp:tr(new Date,"isoDateTime"),message:`GFPGAN fix faces requested: ${JSON.stringify({file:o.url,...s})}`}))},emitDeleteImage:o=>{const{url:i,uuid:s}=o;t.emit("deleteImage",i,s)},emitRequestImages:()=>{const{earliest_mtime:o}=r().gallery;t.emit("requestImages",o)},emitRequestNewImages:()=>{const{latest_mtime:o}=r().gallery;t.emit("requestLatestImages",o)},emitCancelProcessing:()=>{t.emit("cancel")},emitUploadInitialImage:o=>{t.emit("uploadInitialImage",o,o.name)},emitUploadMaskImage:o=>{t.emit("uploadMaskImage",o,o.name)},emitRequestSystemConfig:()=>{t.emit("requestSystemConfig")}}},$de=()=>{const{hostname:e,port:t}=new URL(window.location.href),n=c1(`http://${e}:${t}`,{timeout:6e4});let r=!1;return i=>s=>u=>{const{onConnect:c,onDisconnect:f,onError:d,onPostprocessingResult:h,onGenerationResult:m,onIntermediateResult:g,onProgressUpdate:b,onGalleryImages:S,onProcessingCanceled:E,onImageDeleted:w,onInitialImageUploaded:x,onMaskImageUploaded:_,onSystemConfig:L}=Ode(i),{emitGenerateImage:T,emitRunESRGAN:R,emitRunGFPGAN:N,emitDeleteImage:F,emitRequestImages:K,emitRequestNewImages:W,emitCancelProcessing:J,emitUploadInitialImage:ve,emitUploadMaskImage:xe,emitRequestSystemConfig:he}=Bde(i,n);switch(r||(n.on("connect",()=>c()),n.on("disconnect",()=>f()),n.on("error",fe=>d(fe)),n.on("generationResult",fe=>m(fe)),n.on("postprocessingResult",fe=>h(fe)),n.on("intermediateResult",fe=>g(fe)),n.on("progressUpdate",fe=>b(fe)),n.on("galleryImages",fe=>S(fe)),n.on("processingCanceled",()=>{E()}),n.on("imageDeleted",fe=>{w(fe)}),n.on("initialImageUploaded",fe=>{x(fe)}),n.on("maskImageUploaded",fe=>{_(fe)}),n.on("systemConfig",fe=>{L(fe)}),r=!0),u.type){case"socketio/generateImage":{T();break}case"socketio/runESRGAN":{R(u.payload);break}case"socketio/runGFPGAN":{N(u.payload);break}case"socketio/deleteImage":{F(u.payload);break}case"socketio/requestImages":{K();break}case"socketio/requestNewImages":{W();break}case"socketio/cancelProcessing":{J();break}case"socketio/uploadInitialImage":{ve(u.payload);break}case"socketio/uploadMaskImage":{xe(u.payload);break}case"socketio/requestSystemConfig":{he();break}}s(u)}},Vde={key:"root",storage:Yb,blacklist:["gallery","system"]},Wde={key:"system",storage:Yb,blacklist:["isConnected","isProcessing","currentStep","socketId","isESRGANAvailable","isGFPGANAvailable","currentStep","totalSteps","currentIteration","totalIterations","currentStatus"]},Hde=hT({options:lfe,gallery:mfe,system:MT(Wde,Efe)}),jde=MT(Vde,Hde),fI=Oue({reducer:jde,middleware:e=>e({serializableCheck:!1}).concat($de())}),Ue=yce,Te=sce;function f1(e){return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?f1=function(n){return typeof n}:f1=function(n){return n&&typeof Symbol=="function"&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n},f1(e)}function Ude(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function F7(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Gde(e,t,n){return t&&F7(e.prototype,t),n&&F7(e,n),e}function Zde(e,t){return t&&(f1(t)==="object"||typeof t=="function")?t:d1(e)}function i4(e){return i4=Object.setPrototypeOf?Object.getPrototypeOf:function(n){return n.__proto__||Object.getPrototypeOf(n)},i4(e)}function d1(e){if(e===void 0)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Kde(e,t){if(typeof t!="function"&&t!==null)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&a4(e,t)}function a4(e,t){return a4=Object.setPrototypeOf||function(r,o){return r.__proto__=o,r},a4(e,t)}function p1(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var dI=function(e){Kde(t,e);function t(){var n,r;Ude(this,t);for(var o=arguments.length,i=new Array(o),s=0;s<o;s++)i[s]=arguments[s];return r=Zde(this,(n=i4(t)).call.apply(n,[this].concat(i))),p1(d1(r),"state",{bootstrapped:!1}),p1(d1(r),"_unsubscribe",void 0),p1(d1(r),"handlePersistorState",function(){var u=r.props.persistor,c=u.getState(),f=c.bootstrapped;f&&(r.props.onBeforeLift?Promise.resolve(r.props.onBeforeLift()).finally(function(){return r.setState({bootstrapped:!0})}):r.setState({bootstrapped:!0}),r._unsubscribe&&r._unsubscribe())}),r}return Gde(t,[{key:"componentDidMount",value:function(){this._unsubscribe=this.props.persistor.subscribe(this.handlePersistorState),this.handlePersistorState()}},{key:"componentWillUnmount",value:function(){this._unsubscribe&&this._unsubscribe()}},{key:"render",value:function(){return typeof this.props.children=="function"?this.props.children(this.state.bootstrapped):this.state.bootstrapped?this.props.children:this.props.loading}}]),t}(C.exports.PureComponent);p1(dI,"defaultProps",{children:null,loading:null});const B7=eue({config:{initialColorMode:"dark",useSystemColorMode:!1},components:{Tooltip:{baseStyle:e=>({textColor:e.colorMode==="dark"?"gray.800":"gray.100"})},Accordion:{baseStyle:e=>({button:{fontWeight:"bold",_hover:{bgColor:e.colorMode==="dark"?"rgba(255,255,255,0.05)":"rgba(0,0,0,0.05)"}},panel:{paddingBottom:2}})},FormLabel:{baseStyle:{fontWeight:"light"}},Button:{variants:{imageHoverIconButton:e=>({bg:e.colorMode==="dark"?"blackAlpha.700":"whiteAlpha.800",color:e.colorMode==="dark"?"whiteAlpha.700":"blackAlpha.700",_hover:{bg:e.colorMode==="dark"?"blackAlpha.800":"whiteAlpha.800",color:e.colorMode==="dark"?"whiteAlpha.900":"blackAlpha.900"}})}}}}),pI=()=>y(dt,{width:"100vw",height:"100vh",alignItems:"center",justifyContent:"center",children:y(gm,{thickness:"2px",speed:"1s",emptyColor:"gray.200",color:"gray.400",size:"xl"})}),qde=Dn(e=>e.system,e=>({isProcessing:e.isProcessing,currentStep:e.currentStep,totalSteps:e.totalSteps,currentStatusHasSteps:e.currentStatusHasSteps}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),Yde=()=>{const{isProcessing:e,currentStep:t,totalSteps:n,currentStatusHasSteps:r}=Te(qde),o=t?Math.round(t*100/n):0;return y(TA,{height:"4px",value:o,isIndeterminate:e&&!r,className:"progress-bar"})};var hI={color:void 0,size:void 0,className:void 0,style:void 0,attr:void 0},$7=Q.createContext&&Q.createContext(hI),Va=globalThis&&globalThis.__assign||function(){return Va=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++){t=arguments[n];for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])}return e},Va.apply(this,arguments)},Xde=globalThis&&globalThis.__rest||function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&t.indexOf(r)<0&&(n[r]=e[r]);if(e!=null&&typeof Object.getOwnPropertySymbols=="function")for(var o=0,r=Object.getOwnPropertySymbols(e);o<r.length;o++)t.indexOf(r[o])<0&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function mI(e){return e&&e.map(function(t,n){return Q.createElement(t.tag,Va({key:n},t.attr),mI(t.child))})}function Rt(e){return function(t){return y(Qde,{...Va({attr:Va({},e.attr)},t),children:mI(e.child)})}}function Qde(e){var t=function(n){var r=e.attr,o=e.size,i=e.title,s=Xde(e,["attr","size","title"]),u=o||n.size||"1em",c;return n.className&&(c=n.className),e.className&&(c=(c?c+" ":"")+e.className),q("svg",{...Va({stroke:"currentColor",fill:"currentColor",strokeWidth:"0"},n.attr,r,s,{className:c,style:Va(Va({color:e.color||n.color},n.style),e.style),height:u,width:u,xmlns:"http://www.w3.org/2000/svg"}),children:[i&&y("title",{children:i}),e.children]})};return $7!==void 0?y($7.Consumer,{children:function(n){return t(n)}}):t(hI)}function Jde(e){return Rt({tag:"svg",attr:{viewBox:"0 0 496 512"},child:[{tag:"path",attr:{d:"M165.9 397.4c0 2-2.3 3.6-5.2 3.6-3.3.3-5.6-1.3-5.6-3.6 0-2 2.3-3.6 5.2-3.6 3-.3 5.6 1.3 5.6 3.6zm-31.1-4.5c-.7 2 1.3 4.3 4.3 4.9 2.6 1 5.6 0 6.2-2s-1.3-4.3-4.3-5.2c-2.6-.7-5.5.3-6.2 2.3zm44.2-1.7c-2.9.7-4.9 2.6-4.6 4.9.3 2 2.9 3.3 5.9 2.6 2.9-.7 4.9-2.6 4.6-4.6-.3-1.9-3-3.2-5.9-2.9zM244.8 8C106.1 8 0 113.3 0 252c0 110.9 69.8 205.8 169.5 239.2 12.8 2.3 17.3-5.6 17.3-12.1 0-6.2-.3-40.4-.3-61.4 0 0-70 15-84.7-29.8 0 0-11.4-29.1-27.8-36.6 0 0-22.9-15.7 1.6-15.4 0 0 24.9 2 38.6 25.8 21.9 38.6 58.6 27.5 72.9 20.9 2.3-16 8.8-27.1 16-33.7-55.9-6.2-112.3-14.3-112.3-110.5 0-27.5 7.6-41.3 23.6-58.9-2.6-6.5-11.1-33.3 2.6-67.9 20.9-6.5 69 27 69 27 20-5.6 41.5-8.5 62.8-8.5s42.8 2.9 62.8 8.5c0 0 48.1-33.6 69-27 13.7 34.7 5.2 61.4 2.6 67.9 16 17.7 25.8 31.5 25.8 58.9 0 96.5-58.9 104.2-114.8 110.5 9.2 7.9 17 22.9 17 46.4 0 33.7-.3 75.4-.3 83.6 0 6.5 4.6 14.4 17.3 12.1C428.2 457.8 496 362.9 496 252 496 113.3 383.5 8 244.8 8zM97.2 352.9c-1.3 1-1 3.3.7 5.2 1.6 1.6 3.9 2.3 5.2 1 1.3-1 1-3.3-.7-5.2-1.6-1.6-3.9-2.3-5.2-1zm-10.8-8.1c-.7 1.3.3 2.9 2.3 3.9 1.6 1 3.6.7 4.3-.7.7-1.3-.3-2.9-2.3-3.9-2-.6-3.6-.3-4.3.7zm32.4 35.6c-1.6 1.3-1 4.3 1.3 6.2 2.3 2.3 5.2 2.6 6.5 1 1.3-1.3.7-4.3-1.3-6.2-2.2-2.3-5.2-2.6-6.5-1zm-11.4-14.7c-1.6 1-1.6 3.6 0 5.9 1.6 2.3 4.3 3.3 5.6 2.3 1.6-1.3 1.6-3.9 0-6.2-1.4-2.3-4-3.3-5.6-2z"}}]})(e)}function epe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 320 512"},child:[{tag:"path",attr:{d:"M143 256.3L7 120.3c-9.4-9.4-9.4-24.6 0-33.9l22.6-22.6c9.4-9.4 24.6-9.4 33.9 0l96.4 96.4 96.4-96.4c9.4-9.4 24.6-9.4 33.9 0L313 86.3c9.4 9.4 9.4 24.6 0 33.9l-136 136c-9.4 9.5-24.6 9.5-34 .1zm34 192l136-136c9.4-9.4 9.4-24.6 0-33.9l-22.6-22.6c-9.4-9.4-24.6-9.4-33.9 0L160 352.1l-96.4-96.4c-9.4-9.4-24.6-9.4-33.9 0L7 278.3c-9.4 9.4-9.4 24.6 0 33.9l136 136c9.4 9.5 24.6 9.5 34 .1z"}}]})(e)}function tpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M173.898 439.404l-166.4-166.4c-9.997-9.997-9.997-26.206 0-36.204l36.203-36.204c9.997-9.998 26.207-9.998 36.204 0L192 312.69 432.095 72.596c9.997-9.997 26.207-9.997 36.204 0l36.203 36.204c9.997 9.997 9.997 26.206 0 36.204l-294.4 294.401c-9.998 9.997-26.207 9.997-36.204-.001z"}}]})(e)}function npe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 640 512"},child:[{tag:"path",attr:{d:"M278.9 511.5l-61-17.7c-6.4-1.8-10-8.5-8.2-14.9L346.2 8.7c1.8-6.4 8.5-10 14.9-8.2l61 17.7c6.4 1.8 10 8.5 8.2 14.9L293.8 503.3c-1.9 6.4-8.5 10.1-14.9 8.2zm-114-112.2l43.5-46.4c4.6-4.9 4.3-12.7-.8-17.2L117 256l90.6-79.7c5.1-4.5 5.5-12.3.8-17.2l-43.5-46.4c-4.5-4.8-12.1-5.1-17-.5L3.8 247.2c-5.1 4.7-5.1 12.8 0 17.5l144.1 135.1c4.9 4.6 12.5 4.4 17-.5zm327.2.6l144.1-135.1c5.1-4.7 5.1-12.8 0-17.5L492.1 112.1c-4.8-4.5-12.4-4.3-17 .5L431.6 159c-4.6 4.9-4.3 12.7.8 17.2L523 256l-90.6 79.7c-5.1 4.5-5.5 12.3-.8 17.2l43.5 46.4c4.5 4.9 12.1 5.1 17 .6z"}}]})(e)}function rpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M320 448v40c0 13.255-10.745 24-24 24H24c-13.255 0-24-10.745-24-24V120c0-13.255 10.745-24 24-24h72v296c0 30.879 25.121 56 56 56h168zm0-344V0H152c-13.255 0-24 10.745-24 24v368c0 13.255 10.745 24 24 24h272c13.255 0 24-10.745 24-24V128H344c-13.2 0-24-10.8-24-24zm120.971-31.029L375.029 7.029A24 24 0 0 0 358.059 0H352v96h96v-6.059a24 24 0 0 0-7.029-16.97z"}}]})(e)}function ope(e){return Rt({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M416 208H32c-17.67 0-32 14.33-32 32v32c0 17.67 14.33 32 32 32h384c17.67 0 32-14.33 32-32v-32c0-17.67-14.33-32-32-32z"}}]})(e)}function ipe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M283.211 512c78.962 0 151.079-35.925 198.857-94.792 7.068-8.708-.639-21.43-11.562-19.35-124.203 23.654-238.262-71.576-238.262-196.954 0-72.222 38.662-138.635 101.498-174.394 9.686-5.512 7.25-20.197-3.756-22.23A258.156 258.156 0 0 0 283.211 0c-141.309 0-256 114.511-256 256 0 141.309 114.511 256 256 256z"}}]})(e)}function ape(e){return Rt({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M64 96H0c0 123.7 100.3 224 224 224v144c0 8.8 7.2 16 16 16h32c8.8 0 16-7.2 16-16V320C288 196.3 187.7 96 64 96zm384-64c-84.2 0-157.4 46.5-195.7 115.2 27.7 30.2 48.2 66.9 59 107.6C424 243.1 512 147.9 512 32h-64z"}}]})(e)}function spe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M256 160c-52.9 0-96 43.1-96 96s43.1 96 96 96 96-43.1 96-96-43.1-96-96-96zm246.4 80.5l-94.7-47.3 33.5-100.4c4.5-13.6-8.4-26.5-21.9-21.9l-100.4 33.5-47.4-94.8c-6.4-12.8-24.6-12.8-31 0l-47.3 94.7L92.7 70.8c-13.6-4.5-26.5 8.4-21.9 21.9l33.5 100.4-94.7 47.4c-12.8 6.4-12.8 24.6 0 31l94.7 47.3-33.5 100.5c-4.5 13.6 8.4 26.5 21.9 21.9l100.4-33.5 47.3 94.7c6.4 12.8 24.6 12.8 31 0l47.3-94.7 100.4 33.5c13.6 4.5 26.5-8.4 21.9-21.9l-33.5-100.4 94.7-47.3c13-6.5 13-24.7.2-31.1zm-155.9 106c-49.9 49.9-131.1 49.9-181 0-49.9-49.9-49.9-131.1 0-181 49.9-49.9 131.1-49.9 181 0 49.9 49.9 49.9 131.1 0 181z"}}]})(e)}function lpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M32 464a48 48 0 0 0 48 48h288a48 48 0 0 0 48-48V128H32zm272-256a16 16 0 0 1 32 0v224a16 16 0 0 1-32 0zm-96 0a16 16 0 0 1 32 0v224a16 16 0 0 1-32 0zm-96 0a16 16 0 0 1 32 0v224a16 16 0 0 1-32 0zM432 32H312l-9.4-18.7A24 24 0 0 0 281.1 0H166.8a23.72 23.72 0 0 0-21.4 13.3L136 32H16A16 16 0 0 0 0 48v32a16 16 0 0 0 16 16h416a16 16 0 0 0 16-16V48a16 16 0 0 0-16-16z"}}]})(e)}function V7(e){return Rt({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M432 32H312l-9.4-18.7A24 24 0 0 0 281.1 0H166.8a23.72 23.72 0 0 0-21.4 13.3L136 32H16A16 16 0 0 0 0 48v32a16 16 0 0 0 16 16h416a16 16 0 0 0 16-16V48a16 16 0 0 0-16-16zM53.2 467a48 48 0 0 0 47.9 45h245.8a48 48 0 0 0 47.9-45L416 128H32z"}}]})(e)}function W7(e){return Rt({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M296 384h-80c-13.3 0-24-10.7-24-24V192h-87.7c-17.8 0-26.7-21.5-14.1-34.1L242.3 5.7c7.5-7.5 19.8-7.5 27.3 0l152.2 152.2c12.6 12.6 3.7 34.1-14.1 34.1H320v168c0 13.3-10.7 24-24 24zm216-8v112c0 13.3-10.7 24-24 24H24c-13.3 0-24-10.7-24-24V376c0-13.3 10.7-24 24-24h136v8c0 30.9 25.1 56 56 56h80c30.9 0 56-25.1 56-56v-8h136c13.3 0 24 10.7 24 24zm-124 88c0-11-9-20-20-20s-20 9-20 20 9 20 20 20 20-9 20-20zm64 0c0-11-9-20-20-20s-20 9-20 20 9 20 20 20 20-9 20-20z"}}]})(e)}function upe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M6 19c0 1.1.9 2 2 2h8c1.1 0 2-.9 2-2V7H6v12zM19 4h-3.5l-1-1h-5l-1 1H5v2h14V4z"}}]})(e)}function cpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M9 11.75a1.25 1.25 0 100 2.5 1.25 1.25 0 000-2.5zm6 0a1.25 1.25 0 100 2.5 1.25 1.25 0 000-2.5zM12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm0 18c-4.41 0-8-3.59-8-8 0-.29.02-.58.05-.86 2.36-1.05 4.23-2.98 5.21-5.37a9.974 9.974 0 0010.41 3.97c.21.71.33 1.47.33 2.26 0 4.41-3.59 8-8 8z"}}]})(e)}function gI(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm1 17h-2v-2h2v2zm2.07-7.75l-.9.92C13.45 12.9 13 13.5 13 15h-2v-.5c0-1.1.45-2.1 1.17-2.83l1.24-1.26c.37-.36.59-.86.59-1.41 0-1.1-.9-2-2-2s-2 .9-2 2H8c0-2.21 1.79-4 4-4s4 1.79 4 4c0 .88-.36 1.68-.93 2.25z"}}]})(e)}function fpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm1 15h-2v-6h2v6zm0-8h-2V7h2v2z"}}]})(e)}function dpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0V0z"}},{tag:"path",attr:{d:"M19.14 12.94c.04-.3.06-.61.06-.94 0-.32-.02-.64-.07-.94l2.03-1.58a.49.49 0 00.12-.61l-1.92-3.32a.488.488 0 00-.59-.22l-2.39.96c-.5-.38-1.03-.7-1.62-.94l-.36-2.54a.484.484 0 00-.48-.41h-3.84c-.24 0-.43.17-.47.41l-.36 2.54c-.59.24-1.13.57-1.62.94l-2.39-.96c-.22-.08-.47 0-.59.22L2.74 8.87c-.12.21-.08.47.12.61l2.03 1.58c-.05.3-.09.63-.09.94s.02.64.07.94l-2.03 1.58a.49.49 0 00-.12.61l1.92 3.32c.12.22.37.29.59.22l2.39-.96c.5.38 1.03.7 1.62.94l.36 2.54c.05.24.24.41.48.41h3.84c.24 0 .44-.17.47-.41l.36-2.54c.59-.24 1.13-.56 1.62-.94l2.39.96c.22.08.47 0 .59-.22l1.92-3.32c.12-.22.07-.47-.12-.61l-2.01-1.58zM12 15.6c-1.98 0-3.6-1.62-3.6-3.6s1.62-3.6 3.6-3.6 3.6 1.62 3.6 3.6-1.62 3.6-3.6 3.6z"}}]})(e)}function ppe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M19 3H5a2 2 0 00-2 2v14a2 2 0 002 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm-8 12H9.5v-2h-2v2H6V9h1.5v2.5h2V9H11v6zm2-6h4c.55 0 1 .45 1 1v4c0 .55-.45 1-1 1h-4V9zm1.5 4.5h2v-3h-2v3z"}}]})(e)}function hpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{d:"M20 5H4c-1.1 0-1.99.9-1.99 2L2 17c0 1.1.9 2 2 2h16c1.1 0 2-.9 2-2V7c0-1.1-.9-2-2-2zm-9 3h2v2h-2V8zm0 3h2v2h-2v-2zM8 8h2v2H8V8zm0 3h2v2H8v-2zm-1 2H5v-2h2v2zm0-3H5V8h2v2zm9 7H8v-2h8v2zm0-4h-2v-2h2v2zm0-3h-2V8h2v2zm3 3h-2v-2h2v2zm0-3h-2V8h2v2z"}},{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0zm0 0h24v24H0z"}}]})(e)}function mpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M3 4V1h2v3h3v2H5v3H3V6H0V4h3zm3 6V7h3V4h7l1.83 2H21c1.1 0 2 .9 2 2v12c0 1.1-.9 2-2 2H5c-1.1 0-2-.9-2-2V10h3zm7 9c2.76 0 5-2.24 5-5s-2.24-5-5-5-5 2.24-5 5 2.24 5 5 5zm-3.2-5c0 1.77 1.43 3.2 3.2 3.2s3.2-1.43 3.2-3.2-1.43-3.2-3.2-3.2-3.2 1.43-3.2 3.2z"}}]})(e)}function gpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M21 19V5c0-1.1-.9-2-2-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2zM8.5 13.5l2.5 3.01L14.5 12l4.5 6H5l3.5-4.5z"}}]})(e)}function vpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M22 16V4c0-1.1-.9-2-2-2H8c-1.1 0-2 .9-2 2v12c0 1.1.9 2 2 2h12c1.1 0 2-.9 2-2zm-11-4l2.03 2.71L16 11l4 5H8l3-4zM2 6v14c0 1.1.9 2 2 2h14v-2H4V6H2z"}}]})(e)}function ype(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M21 19V5c0-1.1-.9-2-2-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2zM8.5 13.5l2.5 3.01L14.5 12l4.5 6H5l3.5-4.5z"}}]})(e)}function bpe(e){return Rt({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M12 2C6.47 2 2 6.47 2 12s4.47 10 10 10 10-4.47 10-10S17.53 2 12 2zm5 13.59L15.59 17 12 13.41 8.41 17 7 15.59 10.59 12 7 8.41 8.41 7 12 10.59 15.59 7 17 8.41 13.41 12 17 15.59z"}}]})(e)}const xpe="/assets/logo.13003d72.png";function Spe(e){const{title:t,hotkey:n,description:r}=e;return q("div",{className:"hotkey-modal-item",children:[q("div",{className:"hotkey-info",children:[y("p",{className:"hotkey-title",children:t}),r&&y("p",{className:"hotkey-description",children:r})]}),y("div",{className:"hotkey-key",children:n})]})}function wpe({children:e}){const{isOpen:t,onOpen:n,onClose:r}=r0(),o=[{title:"Invoke",desc:"Generate an image",hotkey:"Ctrl+Enter"},{title:"Cancel",desc:"Cancel image generation",hotkey:"Shift+X"},{title:"Set Seed",desc:"Use the seed of the current image",hotkey:"S"},{title:"Set Parameters",desc:"Use all parameters of the current image",hotkey:"A"},{title:"Restore Faces",desc:"Restore the current image",hotkey:"R"},{title:"Upscale",desc:"Upscale the current image",hotkey:"U"},{title:"Show Info",desc:"Show metadata info of the current image",hotkey:"I"},{title:"Send To Image To Image",desc:"Send the current image to Image to Image module",hotkey:"Shift+I"},{title:"Delete Image",desc:"Delete the current image",hotkey:"Del"},{title:"Focus Prompt",desc:"Focus the prompt input area",hotkey:"Alt+A"}],i=()=>{const s=[];return o.forEach(u=>{s.push(y(Spe,{title:u.title,description:u.desc,hotkey:u.hotkey}))}),s};return q(wn,{children:[C.exports.cloneElement(e,{onClick:n}),q(_u,{isOpen:t,onClose:r,children:[y(Yf,{}),q(qf,{className:"hotkeys-modal",children:[y(wb,{}),y("h1",{children:"Keyboard Shorcuts"}),y("div",{className:"hotkeys-modal-items",children:i()})]})]})]})}function z2({settingTitle:e,isChecked:t,dispatcher:n}){const r=Ue();return q(es,{className:"settings-modal-item",children:[y(Us,{marginBottom:1,children:e}),y(Em,{isChecked:t,onChange:o=>r(n(o.target.checked))})]})}const Cpe=Dn(e=>e.system,e=>{const{shouldDisplayInProgress:t,shouldConfirmOnDelete:n,shouldDisplayGuides:r}=e;return{shouldDisplayInProgress:t,shouldConfirmOnDelete:n,shouldDisplayGuides:r}},{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),_pe=({children:e})=>{const{isOpen:t,onOpen:n,onClose:r}=r0(),{isOpen:o,onOpen:i,onClose:s}=r0(),{shouldDisplayInProgress:u,shouldConfirmOnDelete:c,shouldDisplayGuides:f}=Te(Cpe),d=()=>{VI.purge().then(()=>{r(),i()})};return q(wn,{children:[C.exports.cloneElement(e,{onClick:n}),q(_u,{isOpen:t,onClose:r,children:[y(Yf,{}),q(qf,{className:"settings-modal",children:[y(_b,{className:"settings-modal-header",children:"Settings"}),y(wb,{}),q(s0,{className:"settings-modal-content",children:[q("div",{className:"settings-modal-items",children:[y(z2,{settingTitle:"Display In-Progress Images (slower)",isChecked:u,dispatcher:yfe}),y(z2,{settingTitle:"Confirm on Delete",isChecked:c,dispatcher:ZT}),y(z2,{settingTitle:"Display Help Icons",isChecked:f,dispatcher:Cfe})]}),q("div",{className:"settings-modal-reset",children:[y(tb,{size:"md",children:"Reset Web UI"}),y(Nr,{children:"Resetting the web UI only resets the browser's local cache of your images and remembered settings. It does not delete any images from disk."}),y(Nr,{children:"If images aren't showing up in the gallery or something else isn't working, please try resetting before submitting an issue on GitHub."}),y(zo,{colorScheme:"red",onClick:d,children:"Reset Web UI"})]})]}),y(Cb,{children:y(zo,{onClick:r,children:"Close"})})]})]}),q(_u,{closeOnOverlayClick:!1,isOpen:o,onClose:s,isCentered:!0,children:[y(Yf,{bg:"blackAlpha.300",backdropFilter:"blur(40px)"}),y(qf,{children:y(s0,{pb:6,pt:6,children:y(dt,{justifyContent:"center",children:y(Nr,{fontSize:"lg",children:"Web UI has been reset. Refresh the page to reload."})})})})]})]})},kpe=Dn(e=>e.system,e=>({isConnected:e.isConnected,isProcessing:e.isProcessing,currentIteration:e.currentIteration,totalIterations:e.totalIterations,currentStatus:e.currentStatus,hasError:e.hasError,wasErrorSeen:e.wasErrorSeen}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),Epe=()=>{const{isConnected:e,isProcessing:t,currentIteration:n,totalIterations:r,currentStatus:o,hasError:i,wasErrorSeen:s}=Te(kpe),u=Ue();let c;e&&!i?c="status-good":c="status-bad";let f=o;return["generating","preparing","saving image","restoring faces","upscaling"].includes(f.toLowerCase())&&(c="status-working"),f&&t&&r>1&&(f+=` (${n}/${r})`),y(lo,{label:i&&!s?"Click to clear, check logs for details":void 0,children:y(Nr,{cursor:i&&!s?"pointer":"initial",onClick:()=>{(i||!s)&&u(KT())},className:`status ${c}`,children:f})})},Lpe=()=>{const{colorMode:e,toggleColorMode:t}=F0(),n=e=="light"?y(ipe,{}):y(spe,{}),r=e=="light"?18:20;return q("div",{className:"site-header",children:[q("div",{className:"site-header-left-side",children:[y("img",{src:xpe,alt:"invoke-ai-logo"}),q("h1",{children:["invoke ",y("strong",{children:"ai"})]})]}),q("div",{className:"site-header-right-side",children:[y(Epe,{}),y(_pe,{children:y(Gn,{"aria-label":"Settings",variant:"link",fontSize:24,size:"sm",icon:y(dpe,{})})}),y(wpe,{children:y(Gn,{"aria-label":"Hotkeys",variant:"link",fontSize:24,size:"sm",icon:y(hpe,{})})}),y(Gn,{"aria-label":"Link to Github Issues",variant:"link",fontSize:23,size:"sm",icon:y(jf,{isExternal:!0,href:"http://github.com/lstein/stable-diffusion/issues",children:y(gI,{})})}),y(Gn,{"aria-label":"Link to Github Repo",variant:"link",fontSize:20,size:"sm",icon:y(jf,{isExternal:!0,href:"http://github.com/lstein/stable-diffusion",children:y(Jde,{})})}),y(Gn,{"aria-label":"Toggle Dark Mode",onClick:t,variant:"link",size:"sm",fontSize:r,icon:n})]})]})};var Ppe=globalThis&&globalThis.__extends||function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,o){r.__proto__=o}||function(r,o){for(var i in o)Object.prototype.hasOwnProperty.call(o,i)&&(r[i]=o[i])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),on=globalThis&&globalThis.__assign||function(){return on=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++){t=arguments[n];for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])}return e},on.apply(this,arguments)},H7={width:"100%",height:"10px",top:"0px",left:"0px",cursor:"row-resize"},j7={width:"10px",height:"100%",top:"0px",left:"0px",cursor:"col-resize"},Eh={width:"20px",height:"20px",position:"absolute"},Ape={top:on(on({},H7),{top:"-5px"}),right:on(on({},j7),{left:void 0,right:"-5px"}),bottom:on(on({},H7),{top:void 0,bottom:"-5px"}),left:on(on({},j7),{left:"-5px"}),topRight:on(on({},Eh),{right:"-10px",top:"-10px",cursor:"ne-resize"}),bottomRight:on(on({},Eh),{right:"-10px",bottom:"-10px",cursor:"se-resize"}),bottomLeft:on(on({},Eh),{left:"-10px",bottom:"-10px",cursor:"sw-resize"}),topLeft:on(on({},Eh),{left:"-10px",top:"-10px",cursor:"nw-resize"})},Tpe=function(e){Ppe(t,e);function t(){var n=e!==null&&e.apply(this,arguments)||this;return n.onMouseDown=function(r){n.props.onResizeStart(r,n.props.direction)},n.onTouchStart=function(r){n.props.onResizeStart(r,n.props.direction)},n}return t.prototype.render=function(){return y("div",{className:this.props.className||"",style:on(on({position:"absolute",userSelect:"none"},Ape[this.props.direction]),this.props.replaceStyles||{}),onMouseDown:this.onMouseDown,onTouchStart:this.onTouchStart,children:this.props.children})},t}(C.exports.PureComponent),Ipe=globalThis&&globalThis.__extends||function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,o){r.__proto__=o}||function(r,o){for(var i in o)Object.prototype.hasOwnProperty.call(o,i)&&(r[i]=o[i])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),qo=globalThis&&globalThis.__assign||function(){return qo=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++){t=arguments[n];for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])}return e},qo.apply(this,arguments)},Mpe={width:"auto",height:"auto"},Lh=function(e,t,n){return Math.max(Math.min(e,n),t)},U7=function(e,t){return Math.round(e/t)*t},Al=function(e,t){return new RegExp(e,"i").test(t)},Ph=function(e){return Boolean(e.touches&&e.touches.length)},Ope=function(e){return Boolean((e.clientX||e.clientX===0)&&(e.clientY||e.clientY===0))},G7=function(e,t,n){n===void 0&&(n=0);var r=t.reduce(function(i,s,u){return Math.abs(s-e)<Math.abs(t[i]-e)?u:i},0),o=Math.abs(t[r]-e);return n===0||o<n?t[r]:e},F2=function(e){return e=e.toString(),e==="auto"||e.endsWith("px")||e.endsWith("%")||e.endsWith("vh")||e.endsWith("vw")||e.endsWith("vmax")||e.endsWith("vmin")?e:e+"px"},Ah=function(e,t,n,r){if(e&&typeof e=="string"){if(e.endsWith("px"))return Number(e.replace("px",""));if(e.endsWith("%")){var o=Number(e.replace("%",""))/100;return t*o}if(e.endsWith("vw")){var o=Number(e.replace("vw",""))/100;return n*o}if(e.endsWith("vh")){var o=Number(e.replace("vh",""))/100;return r*o}}return e},Rpe=function(e,t,n,r,o,i,s){return r=Ah(r,e.width,t,n),o=Ah(o,e.height,t,n),i=Ah(i,e.width,t,n),s=Ah(s,e.height,t,n),{maxWidth:typeof r>"u"?void 0:Number(r),maxHeight:typeof o>"u"?void 0:Number(o),minWidth:typeof i>"u"?void 0:Number(i),minHeight:typeof s>"u"?void 0:Number(s)}},Npe=["as","style","className","grid","snap","bounds","boundsByDirection","size","defaultSize","minWidth","minHeight","maxWidth","maxHeight","lockAspectRatio","lockAspectRatioExtraWidth","lockAspectRatioExtraHeight","enable","handleStyles","handleClasses","handleWrapperStyle","handleWrapperClass","children","onResizeStart","onResize","onResizeStop","handleComponent","scale","resizeRatio","snapGap"],Z7="__resizable_base__",Dpe=function(e){Ipe(t,e);function t(n){var r=e.call(this,n)||this;return r.ratio=1,r.resizable=null,r.parentLeft=0,r.parentTop=0,r.resizableLeft=0,r.resizableRight=0,r.resizableTop=0,r.resizableBottom=0,r.targetLeft=0,r.targetTop=0,r.appendBase=function(){if(!r.resizable||!r.window)return null;var o=r.parentNode;if(!o)return null;var i=r.window.document.createElement("div");return i.style.width="100%",i.style.height="100%",i.style.position="absolute",i.style.transform="scale(0, 0)",i.style.left="0",i.style.flex="0 0 100%",i.classList?i.classList.add(Z7):i.className+=Z7,o.appendChild(i),i},r.removeBase=function(o){var i=r.parentNode;!i||i.removeChild(o)},r.ref=function(o){o&&(r.resizable=o)},r.state={isResizing:!1,width:typeof(r.propsSize&&r.propsSize.width)>"u"?"auto":r.propsSize&&r.propsSize.width,height:typeof(r.propsSize&&r.propsSize.height)>"u"?"auto":r.propsSize&&r.propsSize.height,direction:"right",original:{x:0,y:0,width:0,height:0},backgroundStyle:{height:"100%",width:"100%",backgroundColor:"rgba(0,0,0,0)",cursor:"auto",opacity:0,position:"fixed",zIndex:9999,top:"0",left:"0",bottom:"0",right:"0"},flexBasis:void 0},r.onResizeStart=r.onResizeStart.bind(r),r.onMouseMove=r.onMouseMove.bind(r),r.onMouseUp=r.onMouseUp.bind(r),r}return Object.defineProperty(t.prototype,"parentNode",{get:function(){return this.resizable?this.resizable.parentNode:null},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"window",{get:function(){return!this.resizable||!this.resizable.ownerDocument?null:this.resizable.ownerDocument.defaultView},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"propsSize",{get:function(){return this.props.size||this.props.defaultSize||Mpe},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"size",{get:function(){var n=0,r=0;if(this.resizable&&this.window){var o=this.resizable.offsetWidth,i=this.resizable.offsetHeight,s=this.resizable.style.position;s!=="relative"&&(this.resizable.style.position="relative"),n=this.resizable.style.width!=="auto"?this.resizable.offsetWidth:o,r=this.resizable.style.height!=="auto"?this.resizable.offsetHeight:i,this.resizable.style.position=s}return{width:n,height:r}},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"sizeStyle",{get:function(){var n=this,r=this.props.size,o=function(u){if(typeof n.state[u]>"u"||n.state[u]==="auto")return"auto";if(n.propsSize&&n.propsSize[u]&&n.propsSize[u].toString().endsWith("%")){if(n.state[u].toString().endsWith("%"))return n.state[u].toString();var c=n.getParentSize(),f=Number(n.state[u].toString().replace("px","")),d=f/c[u]*100;return d+"%"}return F2(n.state[u])},i=r&&typeof r.width<"u"&&!this.state.isResizing?F2(r.width):o("width"),s=r&&typeof r.height<"u"&&!this.state.isResizing?F2(r.height):o("height");return{width:i,height:s}},enumerable:!1,configurable:!0}),t.prototype.getParentSize=function(){if(!this.parentNode)return this.window?{width:this.window.innerWidth,height:this.window.innerHeight}:{width:0,height:0};var n=this.appendBase();if(!n)return{width:0,height:0};var r=!1,o=this.parentNode.style.flexWrap;o!=="wrap"&&(r=!0,this.parentNode.style.flexWrap="wrap"),n.style.position="relative",n.style.minWidth="100%",n.style.minHeight="100%";var i={width:n.offsetWidth,height:n.offsetHeight};return r&&(this.parentNode.style.flexWrap=o),this.removeBase(n),i},t.prototype.bindEvents=function(){this.window&&(this.window.addEventListener("mouseup",this.onMouseUp),this.window.addEventListener("mousemove",this.onMouseMove),this.window.addEventListener("mouseleave",this.onMouseUp),this.window.addEventListener("touchmove",this.onMouseMove,{capture:!0,passive:!1}),this.window.addEventListener("touchend",this.onMouseUp))},t.prototype.unbindEvents=function(){this.window&&(this.window.removeEventListener("mouseup",this.onMouseUp),this.window.removeEventListener("mousemove",this.onMouseMove),this.window.removeEventListener("mouseleave",this.onMouseUp),this.window.removeEventListener("touchmove",this.onMouseMove,!0),this.window.removeEventListener("touchend",this.onMouseUp))},t.prototype.componentDidMount=function(){if(!(!this.resizable||!this.window)){var n=this.window.getComputedStyle(this.resizable);this.setState({width:this.state.width||this.size.width,height:this.state.height||this.size.height,flexBasis:n.flexBasis!=="auto"?n.flexBasis:void 0})}},t.prototype.componentWillUnmount=function(){this.window&&this.unbindEvents()},t.prototype.createSizeForCssProperty=function(n,r){var o=this.propsSize&&this.propsSize[r];return this.state[r]==="auto"&&this.state.original[r]===n&&(typeof o>"u"||o==="auto")?"auto":n},t.prototype.calculateNewMaxFromBoundary=function(n,r){var o=this.props.boundsByDirection,i=this.state.direction,s=o&&Al("left",i),u=o&&Al("top",i),c,f;if(this.props.bounds==="parent"){var d=this.parentNode;d&&(c=s?this.resizableRight-this.parentLeft:d.offsetWidth+(this.parentLeft-this.resizableLeft),f=u?this.resizableBottom-this.parentTop:d.offsetHeight+(this.parentTop-this.resizableTop))}else this.props.bounds==="window"?this.window&&(c=s?this.resizableRight:this.window.innerWidth-this.resizableLeft,f=u?this.resizableBottom:this.window.innerHeight-this.resizableTop):this.props.bounds&&(c=s?this.resizableRight-this.targetLeft:this.props.bounds.offsetWidth+(this.targetLeft-this.resizableLeft),f=u?this.resizableBottom-this.targetTop:this.props.bounds.offsetHeight+(this.targetTop-this.resizableTop));return c&&Number.isFinite(c)&&(n=n&&n<c?n:c),f&&Number.isFinite(f)&&(r=r&&r<f?r:f),{maxWidth:n,maxHeight:r}},t.prototype.calculateNewSizeFromDirection=function(n,r){var o=this.props.scale||1,i=this.props.resizeRatio||1,s=this.state,u=s.direction,c=s.original,f=this.props,d=f.lockAspectRatio,h=f.lockAspectRatioExtraHeight,m=f.lockAspectRatioExtraWidth,g=c.width,b=c.height,S=h||0,E=m||0;return Al("right",u)&&(g=c.width+(n-c.x)*i/o,d&&(b=(g-E)/this.ratio+S)),Al("left",u)&&(g=c.width-(n-c.x)*i/o,d&&(b=(g-E)/this.ratio+S)),Al("bottom",u)&&(b=c.height+(r-c.y)*i/o,d&&(g=(b-S)*this.ratio+E)),Al("top",u)&&(b=c.height-(r-c.y)*i/o,d&&(g=(b-S)*this.ratio+E)),{newWidth:g,newHeight:b}},t.prototype.calculateNewSizeFromAspectRatio=function(n,r,o,i){var s=this.props,u=s.lockAspectRatio,c=s.lockAspectRatioExtraHeight,f=s.lockAspectRatioExtraWidth,d=typeof i.width>"u"?10:i.width,h=typeof o.width>"u"||o.width<0?n:o.width,m=typeof i.height>"u"?10:i.height,g=typeof o.height>"u"||o.height<0?r:o.height,b=c||0,S=f||0;if(u){var E=(m-b)*this.ratio+S,w=(g-b)*this.ratio+S,x=(d-S)/this.ratio+b,_=(h-S)/this.ratio+b,L=Math.max(d,E),T=Math.min(h,w),R=Math.max(m,x),N=Math.min(g,_);n=Lh(n,L,T),r=Lh(r,R,N)}else n=Lh(n,d,h),r=Lh(r,m,g);return{newWidth:n,newHeight:r}},t.prototype.setBoundingClientRect=function(){if(this.props.bounds==="parent"){var n=this.parentNode;if(n){var r=n.getBoundingClientRect();this.parentLeft=r.left,this.parentTop=r.top}}if(this.props.bounds&&typeof this.props.bounds!="string"){var o=this.props.bounds.getBoundingClientRect();this.targetLeft=o.left,this.targetTop=o.top}if(this.resizable){var i=this.resizable.getBoundingClientRect(),s=i.left,u=i.top,c=i.right,f=i.bottom;this.resizableLeft=s,this.resizableRight=c,this.resizableTop=u,this.resizableBottom=f}},t.prototype.onResizeStart=function(n,r){if(!(!this.resizable||!this.window)){var o=0,i=0;if(n.nativeEvent&&Ope(n.nativeEvent)?(o=n.nativeEvent.clientX,i=n.nativeEvent.clientY):n.nativeEvent&&Ph(n.nativeEvent)&&(o=n.nativeEvent.touches[0].clientX,i=n.nativeEvent.touches[0].clientY),this.props.onResizeStart&&this.resizable){var s=this.props.onResizeStart(n,r,this.resizable);if(s===!1)return}this.props.size&&(typeof this.props.size.height<"u"&&this.props.size.height!==this.state.height&&this.setState({height:this.props.size.height}),typeof this.props.size.width<"u"&&this.props.size.width!==this.state.width&&this.setState({width:this.props.size.width})),this.ratio=typeof this.props.lockAspectRatio=="number"?this.props.lockAspectRatio:this.size.width/this.size.height;var u,c=this.window.getComputedStyle(this.resizable);if(c.flexBasis!=="auto"){var f=this.parentNode;if(f){var d=this.window.getComputedStyle(f).flexDirection;this.flexDir=d.startsWith("row")?"row":"column",u=c.flexBasis}}this.setBoundingClientRect(),this.bindEvents();var h={original:{x:o,y:i,width:this.size.width,height:this.size.height},isResizing:!0,backgroundStyle:qo(qo({},this.state.backgroundStyle),{cursor:this.window.getComputedStyle(n.target).cursor||"auto"}),direction:r,flexBasis:u};this.setState(h)}},t.prototype.onMouseMove=function(n){var r=this;if(!(!this.state.isResizing||!this.resizable||!this.window)){if(this.window.TouchEvent&&Ph(n))try{n.preventDefault(),n.stopPropagation()}catch{}var o=this.props,i=o.maxWidth,s=o.maxHeight,u=o.minWidth,c=o.minHeight,f=Ph(n)?n.touches[0].clientX:n.clientX,d=Ph(n)?n.touches[0].clientY:n.clientY,h=this.state,m=h.direction,g=h.original,b=h.width,S=h.height,E=this.getParentSize(),w=Rpe(E,this.window.innerWidth,this.window.innerHeight,i,s,u,c);i=w.maxWidth,s=w.maxHeight,u=w.minWidth,c=w.minHeight;var x=this.calculateNewSizeFromDirection(f,d),_=x.newHeight,L=x.newWidth,T=this.calculateNewMaxFromBoundary(i,s);this.props.snap&&this.props.snap.x&&(L=G7(L,this.props.snap.x,this.props.snapGap)),this.props.snap&&this.props.snap.y&&(_=G7(_,this.props.snap.y,this.props.snapGap));var R=this.calculateNewSizeFromAspectRatio(L,_,{width:T.maxWidth,height:T.maxHeight},{width:u,height:c});if(L=R.newWidth,_=R.newHeight,this.props.grid){var N=U7(L,this.props.grid[0]),F=U7(_,this.props.grid[1]),K=this.props.snapGap||0;L=K===0||Math.abs(N-L)<=K?N:L,_=K===0||Math.abs(F-_)<=K?F:_}var W={width:L-g.width,height:_-g.height};if(b&&typeof b=="string"){if(b.endsWith("%")){var J=L/E.width*100;L=J+"%"}else if(b.endsWith("vw")){var ve=L/this.window.innerWidth*100;L=ve+"vw"}else if(b.endsWith("vh")){var xe=L/this.window.innerHeight*100;L=xe+"vh"}}if(S&&typeof S=="string"){if(S.endsWith("%")){var J=_/E.height*100;_=J+"%"}else if(S.endsWith("vw")){var ve=_/this.window.innerWidth*100;_=ve+"vw"}else if(S.endsWith("vh")){var xe=_/this.window.innerHeight*100;_=xe+"vh"}}var he={width:this.createSizeForCssProperty(L,"width"),height:this.createSizeForCssProperty(_,"height")};this.flexDir==="row"?he.flexBasis=he.width:this.flexDir==="column"&&(he.flexBasis=he.height),Au.exports.flushSync(function(){r.setState(he)}),this.props.onResize&&this.props.onResize(n,m,this.resizable,W)}},t.prototype.onMouseUp=function(n){var r=this.state,o=r.isResizing,i=r.direction,s=r.original;if(!(!o||!this.resizable)){var u={width:this.size.width-s.width,height:this.size.height-s.height};this.props.onResizeStop&&this.props.onResizeStop(n,i,this.resizable,u),this.props.size&&this.setState(this.props.size),this.unbindEvents(),this.setState({isResizing:!1,backgroundStyle:qo(qo({},this.state.backgroundStyle),{cursor:"auto"})})}},t.prototype.updateSize=function(n){this.setState({width:n.width,height:n.height})},t.prototype.renderResizer=function(){var n=this,r=this.props,o=r.enable,i=r.handleStyles,s=r.handleClasses,u=r.handleWrapperStyle,c=r.handleWrapperClass,f=r.handleComponent;if(!o)return null;var d=Object.keys(o).map(function(h){return o[h]!==!1?y(Tpe,{direction:h,onResizeStart:n.onResizeStart,replaceStyles:i&&i[h],className:s&&s[h],children:f&&f[h]?f[h]:null},h):null});return y("div",{className:c,style:u,children:d})},t.prototype.render=function(){var n=this,r=Object.keys(this.props).reduce(function(s,u){return Npe.indexOf(u)!==-1||(s[u]=n.props[u]),s},{}),o=qo(qo(qo({position:"relative",userSelect:this.state.isResizing?"none":"auto"},this.props.style),this.sizeStyle),{maxWidth:this.props.maxWidth,maxHeight:this.props.maxHeight,minWidth:this.props.minWidth,minHeight:this.props.minHeight,boxSizing:"border-box",flexShrink:0});this.state.flexBasis&&(o.flexBasis=this.state.flexBasis);var i=this.props.as||"div";return q(i,{...qo({ref:this.ref,style:o,className:this.props.className},r),children:[this.state.isResizing&&y("div",{style:this.state.backgroundStyle}),this.props.children,this.renderResizer()]})},t.defaultProps={as:"div",onResizeStart:function(){},onResize:function(){},onResizeStop:function(){},enable:{top:!0,right:!0,bottom:!0,left:!0,topRight:!0,bottomRight:!0,bottomLeft:!0,topLeft:!0},style:{},grid:[1,1],lockAspectRatio:!1,lockAspectRatioExtraWidth:0,lockAspectRatioExtraHeight:0,scale:1,resizeRatio:1,snapGap:0},t}(C.exports.PureComponent);const zpe=Dn(e=>e.system,e=>e.log,{memoizeOptions:{resultEqualityCheck:(e,t)=>e.length===t.length}}),Fpe=Dn(e=>e.system,e=>({shouldShowLogViewer:e.shouldShowLogViewer,hasError:e.hasError,wasErrorSeen:e.wasErrorSeen}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),Bpe=()=>{const e=Ue(),t=Te(zpe),{shouldShowLogViewer:n,hasError:r,wasErrorSeen:o}=Te(Fpe),[i,s]=C.exports.useState(!0),u=C.exports.useRef(null);C.exports.useLayoutEffect(()=>{u.current!==null&&i&&(u.current.scrollTop=u.current.scrollHeight)},[i,t,n]);const c=()=>{e(KT()),e(bfe(!n))};return q(wn,{children:[n&&y(Dpe,{defaultSize:{width:"100%",height:200},style:{display:"flex",position:"fixed",left:0,bottom:0},maxHeight:"90vh",children:y("div",{className:"console",ref:u,children:t.map((f,d)=>{const{timestamp:h,message:m,level:g}=f;return q("div",{className:`console-entry console-${g}-color`,children:[q("p",{className:"console-timestamp",children:[h,":"]}),y("p",{className:"console-message",children:m})]},d)})})}),n&&y(lo,{label:i?"Autoscroll On":"Autoscroll Off",children:y(Gn,{className:`console-autoscroll-icon-button ${i&&"autoscroll-enabled"}`,size:"sm","aria-label":"Toggle autoscroll",variant:"solid",icon:y(epe,{}),onClick:()=>s(!i)})}),y(lo,{label:n?"Hide Console":"Show Console",children:y(Gn,{className:`console-toggle-icon-button ${(r||!o)&&"error-seen"}`,size:"sm",position:"fixed",variant:"solid","aria-label":"Toggle Log Viewer",icon:n?y(ope,{}):y(npe,{}),onClick:c})})]})};function $pe(){async function e(n=""){return await fetch(n,{method:"GET",cache:"no-cache"})}const t=()=>{const n=document.location;e(n+"/flaskwebgui-keep-server-alive").then(o=>o)};(!{BASE_URL:"/",MODE:"production",DEV:!1,PROD:!0}.NODE_ENV||{BASE_URL:"/",MODE:"production",DEV:!1,PROD:!0}.NODE_ENV==="production")&&document.addEventListener("DOMContentLoaded",()=>{t(),setInterval(t,3e3)})}const Vpe="/assets/image2img.dde6a9f1.png",Wpe=()=>q("div",{className:"work-in-progress txt2img-work-in-progress",children:[y("img",{src:Vpe,alt:"img2img_placeholder"}),y("h1",{children:"Image To Image"}),y("p",{children:"Image to Image is already available in the WebUI. You can access it from the Text to Image - Advanced Options menu. A dedicated UI for Image To Image will be released soon."})]});function Hpe(){return q("div",{className:"work-in-progress inpainting-work-in-progress",children:[y("h1",{children:"Inpainting"}),y("p",{children:"Inpainting is available as a part of the Invoke AI Command Line Interface. A dedicated WebUI interface will be released in the near future."})]})}function jpe(){return q("div",{className:"work-in-progress nodes-work-in-progress",children:[y("h1",{children:"Nodes"}),y("p",{children:"A node based system for the generation of images is under development currently. Stay tuned for updates about this amazing feature."})]})}function Upe(){return q("div",{className:"work-in-progress outpainting-work-in-progress",children:[y("h1",{children:"Outpainting"}),y("p",{children:"Outpainting is available as a part of the Invoke AI Command Line Interface. A dedicated WebUI interface will be released in the near future."})]})}const Gpe=()=>q("div",{className:"work-in-progress post-processing-work-in-progress",children:[y("h1",{children:"Post Processing"}),y("p",{children:"Invoke AI offers a wide variety of post processing features. Image Upscaling and Face Restoration are already available in the WebUI. You can access them from the Advanced Options menu of the Text To Image tab. A dedicated UI will be released soon."}),y("p",{children:"The Invoke AI Command Line Interface offers various other features including Embiggen, High Resolution Fixing and more."})]}),Zpe=Ou({displayName:"ImageToImageIcon",viewBox:"0 0 3543 3543",path:y("g",{transform:"matrix(1.10943,0,0,1.10943,-206.981,-213.533)",children:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M688.533,2405.95L542.987,2405.95C349.532,2405.95 192.47,2248.89 192.47,2055.44L192.47,542.987C192.47,349.532 349.532,192.47 542.987,192.47L2527.88,192.47C2721.33,192.47 2878.4,349.532 2878.4,542.987L2878.4,1172.79L3023.94,1172.79C3217.4,1172.79 3374.46,1329.85 3374.46,1523.3C3374.46,1523.3 3374.46,3035.75 3374.46,3035.75C3374.46,3229.21 3217.4,3386.27 3023.94,3386.27L1039.05,3386.27C845.595,3386.27 688.533,3229.21 688.533,3035.75L688.533,2405.95ZM3286.96,2634.37L3286.96,1523.3C3286.96,1378.14 3169.11,1260.29 3023.94,1260.29C3023.94,1260.29 1039.05,1260.29 1039.05,1260.29C893.887,1260.29 776.033,1378.14 776.033,1523.3L776.033,2489.79L1440.94,1736.22L2385.83,2775.59L2880.71,2200.41L3286.96,2634.37ZM2622.05,1405.51C2778.5,1405.51 2905.51,1532.53 2905.51,1688.98C2905.51,1845.42 2778.5,1972.44 2622.05,1972.44C2465.6,1972.44 2338.58,1845.42 2338.58,1688.98C2338.58,1532.53 2465.6,1405.51 2622.05,1405.51ZM2790.9,1172.79L1323.86,1172.79L944.882,755.906L279.97,1509.47L279.97,542.987C279.97,397.824 397.824,279.97 542.987,279.97C542.987,279.97 2527.88,279.97 2527.88,279.97C2673.04,279.97 2790.9,397.824 2790.9,542.987L2790.9,1172.79ZM2125.98,425.197C2282.43,425.197 2409.45,552.213 2409.45,708.661C2409.45,865.11 2282.43,992.126 2125.98,992.126C1969.54,992.126 1842.52,865.11 1842.52,708.661C1842.52,552.213 1969.54,425.197 2125.98,425.197Z"})})}),Kpe=Ou({displayName:"InpaintIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M3543.31,768.593C3543.31,517.323 3339.31,313.324 3088.04,313.324L455.269,313.324C203.999,313.324 0,517.323 0,768.593C0,768.593 0,2774.71 0,2774.71C0,3025.98 203.999,3229.98 455.269,3229.98L3088.04,3229.98C3339.31,3229.98 3543.31,3025.98 3543.31,2774.71C3543.31,2774.71 3543.31,768.593 3543.31,768.593ZM3446.56,2252.63L3446.56,768.593C3446.56,570.718 3285.91,410.068 3088.04,410.068C3088.04,410.068 455.269,410.068 455.269,410.068C257.394,410.068 96.745,570.718 96.745,768.593L96.745,2061.49L988.344,1051.01L1326.63,1423.12C1281.74,1438.3 1227.39,1454.93 1158.26,1480.89C995.738,1541.9 944.356,1613.28 911.834,1718.7C884.979,1805.76 875.814,1922.93 811.322,2093.5C763.918,2218.87 765.18,2304.83 790.606,2364.87C817.014,2427.22 869.858,2467.73 941.71,2493.83C1023.86,2523.67 1134.43,2534.25 1242.45,2557.97C1365.72,2585.04 1455.23,2643.2 1532.76,2665.96C1587.03,2681.89 1637.04,2683.6 1686.56,2663.56C1731.54,2645.36 1777.95,2607.64 1825.43,2535.92C1874.9,2461.2 1979.98,2369.94 2102.8,2276.91L2241.64,2429.63L2739.91,1850.53C2754.47,1841.35 2767.47,1833.12 2778.66,1825.94C2832.6,1791.35 2866.82,1742.41 2884.38,1682.61L2898.06,1666.72L3446.56,2252.63ZM1680.71,2559.9C1666.7,2570.37 1652.86,2577.22 1638.81,2580.95L1610.62,2588.45L1625.61,2644.82L1653.8,2637.33C1674.48,2631.83 1695.02,2622.04 1715.64,2606.61L1739,2589.14L1704.06,2542.43L1680.71,2559.9ZM1541.62,2570.42C1524.94,2564.58 1507.63,2557.37 1489.49,2549.48L1462.75,2537.84L1439.48,2591.33L1466.22,2602.97C1485.74,2611.46 1504.38,2619.18 1522.33,2625.47L1549.86,2635.12L1569.15,2580.07L1541.62,2570.42ZM1381.21,2503.1C1363.08,2496.04 1344.17,2489.24 1324.38,2483.03L1296.55,2474.29L1279.07,2529.94L1306.9,2538.68C1325.41,2544.49 1343.09,2550.86 1360.05,2557.46L1387.23,2568.04L1408.39,2513.68L1381.21,2503.1ZM1788.46,2430.83C1773.91,2447.61 1761.19,2463.86 1750.55,2479.44L1734.09,2503.52L1782.25,2536.43L1798.71,2512.35C1808.2,2498.46 1819.56,2484 1832.53,2469.04L1851.64,2447.01L1807.57,2408.79L1788.46,2430.83ZM1262.54,2466.49C1243.17,2462.24 1223.71,2458.43 1204.35,2454.87L1175.67,2449.6L1165.12,2506.97L1193.81,2512.24C1212.52,2515.68 1231.32,2519.35 1250.03,2523.46L1278.52,2529.72L1291.03,2472.74L1262.54,2466.49ZM1089.5,2434.66C1070.28,2431.1 1051.6,2427.35 1033.72,2423.15L1005.32,2416.49L992.002,2473.28L1020.4,2479.94C1039.14,2484.34 1058.71,2488.28 1078.86,2492.02L1107.54,2497.34L1118.18,2439.99L1089.5,2434.66ZM932.182,2386.94C917.545,2378.53 904.788,2368.71 894.532,2356.8L875.504,2334.69L831.294,2372.75L850.322,2394.85C864.755,2411.62 882.513,2425.67 903.11,2437.51L928.396,2452.05L957.469,2401.48L932.182,2386.94ZM1917.04,2306.1C1901.59,2319.37 1886.77,2332.5 1872.67,2345.44L1851.18,2365.17L1890.64,2408.14L1912.12,2388.41C1925.76,2375.89 1940.1,2363.19 1955.04,2350.36L1977.17,2331.36L1939.17,2287.1L1917.04,2306.1ZM866.485,2267.79C866.715,2251.85 868.706,2234.39 872.54,2215.21L878.257,2186.61L821.055,2175.17L815.338,2203.77C810.733,2226.81 808.434,2247.8 808.158,2266.94L807.737,2296.11L866.064,2296.95L866.485,2267.79ZM2055.08,2195.63C2039.24,2207.6 2023.66,2219.55 2008.43,2231.46L1985.45,2249.43L2021.38,2295.38L2044.36,2277.42C2059.34,2265.7 2074.66,2253.95 2090.23,2242.18L2113.51,2224.61L2078.35,2178.06L2055.08,2195.63ZM2197.62,2092.3C2181.57,2103.52 2165.6,2114.82 2149.74,2126.16L2126.02,2143.12L2159.95,2190.57L2183.67,2173.61C2199.36,2162.38 2215.18,2151.21 2231.05,2140.1L2254.95,2123.38L2221.52,2075.58L2197.62,2092.3ZM905.788,2108.14C912.858,2088.7 919.236,2069.96 925.03,2051.88L933.93,2024.1L878.378,2006.3L869.478,2034.08C863.905,2051.47 857.769,2069.5 850.968,2088.2L840.998,2115.61L895.817,2135.55L905.788,2108.14ZM2342.87,1993.45C2326.76,2004.15 2310.52,2015.01 2294.22,2026L2270.04,2042.31L2302.65,2090.67L2326.83,2074.37C2343.01,2063.45 2359.14,2052.67 2375.14,2042.04L2399.44,2025.91L2367.17,1977.31L2342.87,1993.45ZM2489.92,1897.67C2473.88,1907.94 2457.46,1918.5 2440.74,1929.32L2416.26,1945.16L2447.95,1994.14L2472.44,1978.29C2489.07,1967.53 2505.41,1957.02 2521.37,1946.8L2545.93,1931.07L2514.48,1881.94L2489.92,1897.67ZM956.972,1937.49C961.849,1917.31 966.133,1898.15 970.079,1879.93L976.253,1851.43L919.241,1839.08L913.067,1867.59C909.215,1885.38 905.033,1904.08 900.271,1923.79L893.42,1952.13L950.121,1965.84L956.972,1937.49ZM2638.01,1803.95C2622.5,1813.69 2605.98,1824.08 2588.59,1835.04L2563.91,1850.59L2595.02,1899.94L2619.69,1884.38C2637.05,1873.44 2653.55,1863.08 2669.03,1853.35L2693.73,1837.84L2662.71,1788.44L2638.01,1803.95ZM2769.59,1708.14C2760.26,1721.07 2748.81,1732.54 2735.03,1742.4L2711.31,1759.37L2745.25,1806.81L2768.97,1789.84C2788.08,1776.17 2803.93,1760.22 2816.88,1742.3L2833.95,1718.65L2786.67,1684.5L2769.59,1708.14ZM995.304,1767.43C1000.24,1748.86 1005.64,1731.66 1012.23,1715.62L1023.31,1688.64L969.359,1666.47L958.273,1693.45C950.767,1711.72 944.551,1731.29 938.928,1752.44L931.436,1780.63L987.812,1795.62L995.304,1767.43ZM1071.42,1633.09C1083.85,1622.63 1098.26,1612.75 1115.07,1603.23L1140.45,1588.86L1111.71,1538.1L1086.33,1552.47C1066.11,1563.92 1048.82,1575.88 1033.86,1588.46L1011.55,1607.24L1049.11,1651.87L1071.42,1633.09ZM2804.87,1559.28C2805.5,1578.06 2804.95,1596.1 2803,1613.27L2799.72,1642.25L2857.68,1648.81L2860.97,1619.83C2863.22,1599.96 2863.9,1579.07 2863.17,1557.33L2862.2,1528.18L2803.9,1530.12L2804.87,1559.28ZM1217.5,1558.88C1236.87,1551.88 1254.98,1545.61 1271.98,1539.88L1299.62,1530.55L1280.97,1475.28L1253.33,1484.6C1235.96,1490.46 1217.45,1496.87 1197.66,1504.02L1170.23,1513.94L1190.07,1568.8L1217.5,1558.88ZM1383.15,1502.63C1403.9,1495.17 1422.61,1487.67 1439.93,1479.27L1466.18,1466.54L1440.73,1414.06L1414.48,1426.78C1398.91,1434.33 1382.06,1441.03 1363.41,1447.74L1335.96,1457.62L1355.71,1512.51L1383.15,1502.63ZM2777.41,1393.4C2782.33,1412.11 2786.73,1430.56 2790.49,1448.67L2796.42,1477.23L2853.54,1465.37L2847.6,1436.81C2843.64,1417.72 2839.01,1398.28 2833.83,1378.57L2826.41,1350.36L2770,1365.19L2777.41,1393.4ZM1541.19,1401.64C1553.52,1387.35 1565.77,1370.94 1578.31,1351.79L1594.28,1327.39L1545.48,1295.44L1529.5,1319.84C1518.52,1336.62 1507.83,1351.02 1497.03,1363.53L1477.97,1385.61L1522.14,1423.72L1541.19,1401.64ZM2725.02,1229.27C2731.61,1247.45 2738.01,1265.61 2744.12,1283.7L2753.45,1311.33L2808.72,1292.66L2799.38,1265.03C2793.13,1246.53 2786.6,1227.96 2779.85,1209.37L2769.9,1181.95L2715.07,1201.86L2725.02,1229.27ZM1636.99,1247.12C1644.26,1232.56 1651.77,1217.04 1659.58,1200.45C1660.59,1198.3 1661.61,1196.15 1662.61,1194.02L1675.08,1167.65L1622.34,1142.72L1609.88,1169.09C1608.86,1171.25 1607.83,1173.42 1606.81,1175.59C1599.2,1191.75 1591.88,1206.88 1584.8,1221.06L1571.77,1247.16L1623.96,1273.21L1636.99,1247.12ZM2251.58,766.326C2320.04,672.986 2430.48,612.355 2554.96,612.355C2762.48,612.355 2930.95,780.83 2930.95,988.344C2930.95,1087.56 2892.44,1177.85 2829.58,1245.06C2804.67,1171.95 2775.67,1097.93 2747.18,1026.98C2699.54,908.311 2654.38,849.115 2602.9,816.501C2565.59,792.868 2523.88,781.903 2471.8,777.274C2416.47,772.355 2346.53,774.829 2251.58,766.326ZM2662.3,1066.95C2669.46,1084.79 2676.66,1102.83 2683.81,1120.98L2694.51,1148.12L2748.78,1126.72L2738.08,1099.59C2730.88,1081.32 2723.64,1063.18 2716.44,1045.23L2705.58,1018.16L2651.44,1039.88L2662.3,1066.95ZM1713.81,1090.65C1723.08,1073.13 1732.27,1056.54 1741.52,1040.87L1756.33,1015.74L1706.08,986.113L1691.27,1011.24C1681.59,1027.65 1671.95,1045.03 1662.25,1063.39L1648.61,1089.17L1700.18,1116.44L1713.81,1090.65ZM2584.06,922.671C2594.47,934.345 2604.5,948.467 2614.55,965.492L2629.38,990.608L2679.62,960.949L2664.79,935.834C2652.56,915.134 2640.26,898.042 2627.6,883.849L2608.19,862.079L2564.65,900.901L2584.06,922.671ZM1805.33,949.853C1817.51,935.859 1830.16,923.259 1843.5,912.06L1865.85,893.314L1828.36,848.625L1806.01,867.372C1790.4,880.469 1775.59,895.178 1761.34,911.545L1742.18,933.541L1786.17,971.849L1805.33,949.853ZM2446.47,869.303C2466.17,870.516 2483.98,872.335 2500.35,875.649L2528.94,881.438L2540.51,824.265L2511.93,818.476C2493.13,814.67 2472.68,812.474 2450.05,811.08L2420.94,809.287L2417.35,867.51L2446.47,869.303ZM1935.15,861.305C1951.44,856.036 1968.78,851.999 1987.35,849.144L2016.18,844.713L2007.32,787.057L1978.49,791.488C1956.68,794.84 1936.32,799.616 1917.19,805.802L1889.44,814.778L1907.39,870.28L1935.15,861.305ZM2271.35,861.832C2292.28,863.33 2311.95,864.351 2330.47,865.114L2359.61,866.316L2362.01,808.032L2332.87,806.83C2314.9,806.09 2295.82,805.1 2275.51,803.648L2246.42,801.567L2242.26,859.751L2271.35,861.832ZM2097.81,844.858C2115.7,845.771 2134.46,847.337 2154.17,849.543L2183.16,852.787L2189.65,794.816L2160.66,791.572C2139.72,789.228 2119.79,787.57 2100.78,786.6L2071.65,785.114L2068.68,843.372L2097.81,844.858Z"})}),qpe=Ou({displayName:"NodesIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M3543.31,770.787C3543.31,515.578 3336.11,308.38 3080.9,308.38L462.407,308.38C207.197,308.38 0,515.578 0,770.787L0,2766.03C0,3021.24 207.197,3228.44 462.407,3228.44L3080.9,3228.44C3336.11,3228.44 3543.31,3021.24 3543.31,2766.03C3543.31,2766.03 3543.31,770.787 3543.31,770.787ZM3427.88,770.787L3427.88,2766.03C3427.88,2957.53 3272.4,3113.01 3080.9,3113.01C3080.9,3113.01 462.407,3113.01 462.407,3113.01C270.906,3113.01 115.431,2957.53 115.431,2766.03L115.431,770.787C115.431,579.286 270.906,423.812 462.407,423.812L3080.9,423.812C3272.4,423.812 3427.88,579.286 3427.88,770.787ZM1214.23,1130.69L1321.47,1130.69C1324.01,1130.69 1326.54,1130.53 1329.05,1130.2C1329.05,1130.2 1367.3,1125.33 1397.94,1149.8C1421.63,1168.72 1437.33,1204.3 1437.33,1265.48L1437.33,2078.74L1220.99,2078.74C1146.83,2078.74 1086.61,2138.95 1086.61,2213.12L1086.61,2762.46C1086.61,2836.63 1146.83,2896.84 1220.99,2896.84L1770.34,2896.84C1844.5,2896.84 1904.71,2836.63 1904.71,2762.46L1904.71,2213.12C1904.71,2138.95 1844.5,2078.74 1770.34,2078.74L1554,2078.74L1554,1604.84C1625.84,1658.19 1703.39,1658.1 1703.39,1658.1C1703.54,1658.1 1703.69,1658.11 1703.84,1658.11L2362.2,1658.11L2362.2,1874.44C2362.2,1948.61 2422.42,2008.82 2496.58,2008.82L3045.93,2008.82C3120.09,2008.82 3180.3,1948.61 3180.3,1874.44L3180.3,1325.1C3180.3,1250.93 3120.09,1190.72 3045.93,1190.72L2496.58,1190.72C2422.42,1190.72 2362.2,1250.93 2362.2,1325.1L2362.2,1558.97L2362.2,1541.44L1704.23,1541.44C1702.2,1541.37 1650.96,1539.37 1609.51,1499.26C1577.72,1468.49 1554,1416.47 1554,1331.69L1554,1265.48C1554,1153.86 1513.98,1093.17 1470.76,1058.64C1411.24,1011.1 1338.98,1012.58 1319.15,1014.03L1214.23,1014.03L1214.23,796.992C1214.23,722.828 1154.02,662.617 1079.85,662.617L530.507,662.617C456.343,662.617 396.131,722.828 396.131,796.992L396.131,1346.34C396.131,1420.5 456.343,1480.71 530.507,1480.71L1079.85,1480.71C1154.02,1480.71 1214.23,1420.5 1214.23,1346.34L1214.23,1130.69Z"})}),Ype=Ou({displayName:"OutpaintIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M3543.31,766.352C3543.31,516.705 3340.63,314.024 3090.98,314.024L452.328,314.024C202.681,314.024 0,516.705 0,766.352L0,2776.95C0,3026.6 202.681,3229.28 452.328,3229.28C452.328,3229.28 3090.98,3229.28 3090.98,3229.28C3340.63,3229.28 3543.31,3026.6 3543.31,2776.95C3543.31,2776.95 3543.31,766.352 3543.31,766.352ZM3454.26,766.352L3454.26,2776.95C3454.26,2977.46 3291.48,3140.24 3090.98,3140.24L452.328,3140.24C251.825,3140.24 89.043,2977.46 89.043,2776.95C89.043,2776.95 89.043,766.352 89.043,766.352C89.043,565.849 251.825,403.067 452.328,403.067C452.328,403.067 3090.98,403.067 3090.98,403.067C3291.48,403.067 3454.26,565.849 3454.26,766.352ZM1294.01,2603.04L1394.01,2603.04L1394.01,2553.04L1294.01,2553.04L1294.01,2603.04ZM2494.01,2603.04L2524.53,2603.04C2541.26,2603.04 2557.62,2601.44 2573.47,2598.39L2598.02,2593.66L2588.56,2544.56L2564.01,2549.29C2551.23,2551.75 2538.03,2553.04 2524.53,2553.04L2494.01,2553.04L2494.01,2603.04ZM2344.01,2603.04L2444.01,2603.04L2444.01,2553.04L2344.01,2553.04L2344.01,2603.04ZM994.01,2603.04L1094.01,2603.04L1094.01,2553.04L994.01,2553.04L994.01,2603.04ZM1144.01,2603.04L1244.01,2603.04L1244.01,2553.04L1144.01,2553.04L1144.01,2603.04ZM2194.01,2603.04L2294.01,2603.04L2294.01,2553.04L2194.01,2553.04L2194.01,2603.04ZM2044.01,2603.04L2144.01,2603.04L2144.01,2553.04L2044.01,2553.04L2044.01,2603.04ZM1894.01,2603.04L1994.01,2603.04L1994.01,2553.04L1894.01,2553.04L1894.01,2603.04ZM1744.01,2603.04L1844.01,2603.04L1844.01,2553.04L1744.01,2553.04L1744.01,2603.04ZM1444.01,2603.04L1544.01,2603.04L1544.01,2553.04L1444.01,2553.04L1444.01,2603.04ZM1594.01,2603.04L1694.01,2603.04L1694.01,2553.04L1594.01,2553.04L1594.01,2603.04ZM864.145,2551.46C878.835,2562.5 894.741,2572 911.624,2579.74L934.352,2590.15L955.18,2544.7L932.452,2534.28C918.844,2528.05 906.024,2520.39 894.185,2511.49L874.199,2496.47L844.16,2536.44L864.145,2551.46ZM2674.44,2554.92C2689.46,2544.16 2703.28,2531.82 2715.65,2518.14L2732.42,2499.61L2695.35,2466.06L2678.58,2484.6C2668.59,2495.63 2657.44,2505.59 2645.32,2514.28L2625,2528.84L2654.12,2569.48L2674.44,2554.92ZM865.632,1911.31L1339.59,1374.15L2030.89,2134.59L2392.97,1713.77L2677.68,2017.9L2677.68,2324.93C2677.68,2424.23 2597.06,2504.85 2497.76,2504.85C2497.76,2504.85 1045.55,2504.85 1045.55,2504.85C946.251,2504.85 865.632,2424.23 865.632,2324.93L865.632,1911.31ZM771.251,2417.22C776.455,2435.14 783.552,2452.26 792.313,2468.35L804.27,2490.3L848.18,2466.39L836.223,2444.43C829.171,2431.49 823.457,2417.7 819.268,2403.28L812.297,2379.27L764.28,2393.21L771.251,2417.22ZM2770.36,2422.83C2775.83,2405.47 2779.52,2387.33 2781.2,2368.61L2783.43,2343.71L2733.64,2339.24L2731.4,2364.14C2730.05,2379.21 2727.08,2393.82 2722.67,2407.79L2715.15,2431.63L2762.84,2446.67L2770.36,2422.83ZM761.068,2236.12L761.068,2336.12L811.068,2336.12L811.068,2236.12L761.068,2236.12ZM2782.24,2291.41L2782.24,2191.41L2732.24,2191.41L2732.24,2291.41L2782.24,2291.41ZM761.068,2086.12L761.068,2186.12L811.068,2186.12L811.068,2086.12L761.068,2086.12ZM2782.24,2141.41L2782.24,2041.4L2732.24,2041.4L2732.24,2141.41L2782.24,2141.41ZM761.068,1936.12L761.068,2036.12L811.068,2036.12L811.068,1936.12L761.068,1936.12ZM2782.24,1991.4L2782.24,1891.4L2732.24,1891.4L2732.24,1991.4L2782.24,1991.4ZM761.068,1786.12L761.068,1886.12L811.068,1886.12L811.068,1786.12L761.068,1786.12ZM2782.24,1841.4L2782.24,1741.41L2732.24,1741.41L2732.24,1841.4L2782.24,1841.4ZM761.068,1636.12L761.068,1736.12L811.068,1736.12L811.068,1636.12L761.068,1636.12ZM2782.24,1691.41L2782.24,1591.41L2732.24,1591.41L2732.24,1691.41L2782.24,1691.41ZM761.068,1486.12L761.068,1586.12L811.068,1586.12L811.068,1486.12L761.068,1486.12ZM2203.72,1132.2C2318.18,1132.2 2411.11,1225.13 2411.11,1339.59C2411.11,1454.05 2318.18,1546.98 2203.72,1546.98C2089.26,1546.98 1996.33,1454.05 1996.33,1339.59C1996.33,1225.13 2089.26,1132.2 2203.72,1132.2ZM2782.24,1541.41L2782.24,1441.41L2732.24,1441.41L2732.24,1541.41L2782.24,1541.41ZM761.068,1336.12L761.068,1436.12L811.068,1436.12L811.068,1336.12L761.068,1336.12ZM2782.24,1391.41L2782.24,1291.41L2732.24,1291.41L2732.24,1391.41L2782.24,1391.41ZM761.068,1186.12L761.068,1286.12L811.068,1286.12L811.068,1186.12L761.068,1186.12ZM2732.24,1197.98L2732.24,1241.41L2782.24,1241.41L2782.24,1172.98L2781.03,1172.98C2780.06,1162.82 2778.49,1152.83 2776.36,1143.04L2771.04,1118.62L2722.18,1129.24L2727.5,1153.67C2730.61,1167.95 2732.24,1182.78 2732.24,1197.98ZM804.386,1055C794.186,1070.26 785.572,1086.67 778.777,1103.99L769.647,1127.26L816.194,1145.52L825.324,1122.25C830.797,1108.3 837.738,1095.08 845.955,1082.79L859.848,1062L818.279,1034.21L804.386,1055ZM2730.5,1043.14C2719.39,1028.39 2706.73,1014.86 2692.77,1002.81L2673.84,986.48L2641.17,1024.34L2660.1,1040.67C2671.37,1050.39 2681.59,1061.31 2690.56,1073.22L2705.6,1093.19L2745.54,1063.11L2730.5,1043.14ZM933.266,954.821C915.698,961.006 898.998,969.041 883.402,978.694L862.144,991.851L888.457,1034.37L909.715,1021.21C922.275,1013.44 935.723,1006.96 949.871,1001.98L973.452,993.681L956.848,946.518L933.266,954.821ZM2596.18,950.378C2578.71,945.327 2560.49,942.072 2541.72,940.832L2516.78,939.183L2513.48,989.074L2538.43,990.723C2553.54,991.722 2568.22,994.341 2582.28,998.409L2606.3,1005.36L2620.19,957.325L2596.18,950.378ZM2165.09,940.265L2065.09,940.265L2065.09,990.265L2165.09,990.265L2165.09,940.265ZM2015.09,940.265L1915.09,940.265L1915.09,990.265L2015.09,990.265L2015.09,940.265ZM1115.08,940.265L1015.08,940.265L1015.08,990.265L1115.08,990.265L1115.08,940.265ZM1865.08,940.265L1765.08,940.265L1765.08,990.265L1865.08,990.265L1865.08,940.265ZM1265.08,940.265L1165.08,940.265L1165.08,990.265L1265.08,990.265L1265.08,940.265ZM1415.08,940.265L1315.08,940.265L1315.08,990.265L1415.08,990.265L1415.08,940.265ZM1565.08,940.265L1465.08,940.265L1465.08,990.265L1565.08,990.265L1565.08,940.265ZM1715.08,940.265L1615.08,940.265L1615.08,990.265L1715.08,990.265L1715.08,940.265ZM2465.09,940.265L2365.09,940.265L2365.09,990.265L2465.09,990.265L2465.09,940.265ZM2315.09,940.265L2215.09,940.265L2215.09,990.265L2315.09,990.265L2315.09,940.265Z"})}),Xpe=Ou({displayName:"PostprocessingIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M709.477,1596.53L992.591,1275.66L2239.09,2646.81L2891.95,1888.03L3427.88,2460.51L3427.88,994.78C3427.88,954.66 3421.05,916.122 3408.5,880.254L3521.9,855.419C3535.8,899.386 3543.31,946.214 3543.31,994.78L3543.31,2990.02C3543.31,3245.23 3336.11,3452.43 3080.9,3452.43C3080.9,3452.43 462.407,3452.43 462.407,3452.43C207.197,3452.43 -0,3245.23 -0,2990.02L-0,994.78C-0,739.571 207.197,532.373 462.407,532.373L505.419,532.373L504.644,532.546L807.104,600.085C820.223,601.729 832.422,607.722 841.77,617.116C850.131,625.517 855.784,636.21 858.055,647.804L462.407,647.804C270.906,647.804 115.431,803.279 115.431,994.78L115.431,2075.73L-0,2101.5L115.431,2127.28L115.431,2269.78L220.47,2150.73L482.345,2209.21C503.267,2211.83 522.722,2221.39 537.63,2236.37C552.538,2251.35 562.049,2270.9 564.657,2291.93L671.84,2776.17L779.022,2291.93C781.631,2270.9 791.141,2251.35 806.05,2236.37C820.958,2221.39 840.413,2211.83 861.334,2209.21L1353.15,2101.5L861.334,1993.8C840.413,1991.18 820.958,1981.62 806.05,1966.64C791.141,1951.66 781.631,1932.11 779.022,1911.08L709.477,1596.53ZM671.84,1573.09L725.556,2006.07C726.863,2016.61 731.63,2026.4 739.101,2033.91C746.573,2041.42 756.323,2046.21 766.808,2047.53L1197.68,2101.5L766.808,2155.48C756.323,2156.8 746.573,2161.59 739.101,2169.09C731.63,2176.6 726.863,2186.4 725.556,2196.94L671.84,2629.92L618.124,2196.94C616.817,2186.4 612.05,2176.6 604.579,2169.09C597.107,2161.59 587.357,2156.8 576.872,2155.48L146.001,2101.5L576.872,2047.53C587.357,2046.21 597.107,2041.42 604.579,2033.91C612.05,2026.4 616.817,2016.61 618.124,2006.07L671.84,1573.09ZM609.035,1710.36L564.657,1911.08C562.049,1932.11 552.538,1951.66 537.63,1966.64C522.722,1981.62 503.267,1991.18 482.345,1993.8L328.665,2028.11L609.035,1710.36ZM2297.12,938.615L2451.12,973.003C2480.59,976.695 2507.99,990.158 2528.99,1011.26C2549.99,1032.37 2563.39,1059.9 2567.07,1089.52L2672.73,1566.9C2634.5,1580.11 2593.44,1587.29 2550.72,1587.29C2344.33,1587.29 2176.77,1419.73 2176.77,1213.34C2176.77,1104.78 2223.13,1006.96 2297.12,938.615ZM2718.05,76.925L2793.72,686.847C2795.56,701.69 2802.27,715.491 2812.8,726.068C2823.32,736.644 2837.06,743.391 2851.83,745.242L3458.78,821.28L2851.83,897.318C2837.06,899.168 2823.32,905.916 2812.8,916.492C2802.27,927.068 2795.56,940.87 2793.72,955.712L2718.05,1565.63L2642.38,955.712C2640.54,940.87 2633.83,927.068 2623.3,916.492C2612.78,905.916 2599.04,899.168 2584.27,897.318L1977.32,821.28L2584.27,745.242C2599.04,743.391 2612.78,736.644 2623.3,726.068C2633.83,715.491 2640.54,701.69 2642.38,686.847L2718.05,76.925ZM2883.68,1043.06C2909.88,1094.13 2924.67,1152.02 2924.67,1213.34C2924.67,1335.4 2866.06,1443.88 2775.49,1512.14L2869.03,1089.52C2871.07,1073.15 2876.07,1057.42 2883.68,1043.06ZM925.928,201.2L959.611,472.704C960.431,479.311 963.42,485.455 968.105,490.163C972.79,494.871 978.904,497.875 985.479,498.698L1255.66,532.546L985.479,566.395C978.904,567.218 972.79,570.222 968.105,574.93C963.42,579.638 960.431,585.781 959.611,592.388L925.928,863.893L892.245,592.388C891.425,585.781 888.436,579.638 883.751,574.93C879.066,570.222 872.952,567.218 866.378,566.395L596.195,532.546L866.378,498.698C872.952,497.875 879.066,494.871 883.751,490.163C888.436,485.455 891.425,479.311 892.245,472.704L925.928,201.2ZM2864.47,532.373L3080.9,532.373C3258.7,532.373 3413.2,632.945 3490.58,780.281L3319.31,742.773C3257.14,683.925 3173.2,647.804 3080.9,647.804L2927.07,647.804C2919.95,642.994 2913.25,637.473 2907.11,631.298C2886.11,610.194 2872.71,582.655 2869.03,553.04L2864.47,532.373ZM1352.36,532.373L2571.64,532.373L2567.07,553.04C2563.39,582.655 2549.99,610.194 2528.99,631.298C2522.85,637.473 2516.16,642.994 2509.03,647.804L993.801,647.804C996.072,636.21 1001.73,625.517 1010.09,617.116C1019.43,607.722 1031.63,601.729 1044.75,600.085L1353.15,532.546L1352.36,532.373Z"})}),Qpe=Ou({displayName:"TextToImageIcon",viewBox:"0 0 3543 3543",path:y("g",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",transform:"matrix(1.11667,0,0,1.1066,-231.131,-213.062)",children:y("path",{d:"M2209.59,1137.35L2209.59,1098.17C2177.13,1108.99 2125.74,1121.91 2055.41,1136.94C2054.77,1137.08 2054.14,1137.21 2053.49,1137.35L1662.79,1137.35C1687.75,1101.98 1720.8,1074.35 1761.93,1054.44C1808.52,1031.9 1875.69,1012.22 1963.45,995.386C2081.86,973.146 2163.91,952.409 2209.59,933.174L2209.59,907.929C2209.59,859.241 2197.57,824.529 2173.53,803.792C2149.48,783.054 2104.1,772.686 2037.38,772.686C1992.3,772.686 1957.14,781.552 1931.89,799.284C1906.64,817.015 1886.21,848.121 1870.58,892.601L1640.67,851.127C1666.51,758.56 1710.99,690.037 1774.11,645.557C1837.22,601.077 1930.99,578.837 2055.41,578.837C2168.42,578.837 2252.57,592.211 2307.87,618.959C2363.17,645.707 2402.09,679.668 2424.63,720.842C2447.17,762.016 2458.44,837.602 2458.44,947.6L2456.7,1137.35L3021.34,1137.35C3214.79,1137.35 3371.86,1294.41 3371.86,1487.87C3371.86,1487.87 3371.86,3000.32 3371.86,3000.32C3371.86,3193.78 3214.79,3350.84 3021.34,3350.84C3021.34,3350.84 1036.45,3350.84 1036.45,3350.84C842.991,3350.84 685.93,3193.78 685.93,3000.32L685.93,1487.87C685.93,1400.21 718.174,1320.03 771.448,1258.54L772.123,1257.76L607.408,1257.76L498.311,1558L215.202,1558L730.028,236.22L1012.24,236.22L1373.06,1137.35L2209.59,1137.35ZM3284.36,2598.93L3284.36,1487.87C3284.36,1342.71 3166.5,1224.85 3021.34,1224.85C3021.34,1224.85 1036.45,1224.85 1036.45,1224.85C891.284,1224.85 773.43,1342.71 773.43,1487.87L773.43,2454.35L1438.34,1700.79L2383.22,2740.16L2878.11,2164.98L3284.36,2598.93ZM2619.44,1370.08C2775.89,1370.08 2902.91,1497.1 2902.91,1653.54C2902.91,1809.99 2775.89,1937.01 2619.44,1937.01C2462.99,1937.01 2335.98,1809.99 2335.98,1653.54C2335.98,1497.1 2462.99,1370.08 2619.44,1370.08ZM772.877,1256.89L772.849,1256.93L773.167,1256.57L772.877,1256.89ZM773.634,1256.04L773.563,1256.12L773.985,1255.64L773.634,1256.04ZM774.394,1255.18L774.276,1255.31L774.746,1254.78L774.394,1255.18ZM775.157,1254.32L774.988,1254.51L775.493,1253.95L775.157,1254.32ZM775.923,1253.47L775.698,1253.72L776.237,1253.12L775.923,1253.47ZM776.691,1252.62L776.403,1252.94L776.979,1252.3L776.691,1252.62ZM777.462,1251.77L777.098,1252.17L777.723,1251.49L777.462,1251.77ZM925.081,1155.44C868.026,1174.57 817.508,1207.99 777.775,1251.43C817.511,1207.99 868.031,1174.57 925.081,1155.44ZM925.646,1155.25L925.108,1155.43L926.103,1155.1L925.646,1155.25ZM935.286,1152.2C932.214,1153.12 929.159,1154.09 926.13,1155.09C929.165,1154.09 932.219,1153.12 935.286,1152.2ZM935.716,1152.07L935.384,1152.17L936.292,1151.89L935.716,1152.07ZM936.843,1151.73L936.451,1151.85L937.327,1151.59L936.843,1151.73ZM937.972,1151.4L937.514,1151.53L938.377,1151.28L937.972,1151.4ZM939.102,1151.07L938.57,1151.22L939.438,1150.97L939.102,1151.07ZM940.233,1150.74L939.613,1150.92L940.505,1150.67L940.233,1150.74ZM946.659,1148.98C944.639,1149.51 942.626,1150.07 940.626,1150.63C942.631,1150.06 944.642,1149.51 946.659,1148.98ZM947.056,1148.87L946.829,1148.93L947.659,1148.71L947.056,1148.87ZM948.198,1148.57L947.919,1148.65L948.705,1148.44L948.198,1148.57ZM949.342,1148.28L949.008,1148.37L949.771,1148.17L949.342,1148.28ZM950.488,1147.99L950.096,1148.09L950.848,1147.9L950.488,1147.99ZM951.635,1147.7L951.182,1147.81L951.932,1147.63L951.635,1147.7ZM952.783,1147.42L952.262,1147.55L953.022,1147.36L952.783,1147.42ZM953.933,1147.14L953.327,1147.28L954.115,1147.09L953.933,1147.14ZM958.213,1146.13C956.927,1146.42 955.644,1146.73 954.354,1147.04C955.637,1146.73 956.923,1146.43 958.213,1146.13ZM958.547,1146.06L958.409,1146.09L959.174,1145.91L958.547,1146.06ZM959.704,1145.79L959.517,1145.84L960.229,1145.68L959.704,1145.79ZM960.863,1145.54L960.626,1145.59L961.311,1145.44L960.863,1145.54ZM962.023,1145.28L961.736,1145.35L962.406,1145.2L962.023,1145.28ZM963.184,1145.03L962.846,1145.11L963.508,1144.97L963.184,1145.03ZM964.347,1144.79L963.956,1144.87L964.615,1144.73L964.347,1144.79ZM965.511,1144.55L965.066,1144.64L965.725,1144.5L965.511,1144.55ZM966.677,1144.31L966.172,1144.41L966.838,1144.28L966.677,1144.31ZM967.844,1144.08L967.269,1144.19L967.953,1144.05L967.844,1144.08ZM970.183,1143.62C969.793,1143.69 969.403,1143.77 969.013,1143.85L969.055,1143.84C969.413,1143.77 969.771,1143.7 970.129,1143.63L970.183,1143.62ZM971.354,1143.4L971.245,1143.42L971.882,1143.3L971.354,1143.4ZM972.526,1143.18L972.37,1143.21L972.987,1143.09L972.526,1143.18ZM973.7,1142.96L973.496,1143L974.103,1142.89L973.7,1142.96ZM974.876,1142.75L974.624,1142.8L975.225,1142.69L974.876,1142.75ZM976.052,1142.55L975.754,1142.6L976.349,1142.49L976.052,1142.55ZM977.23,1142.34L976.885,1142.4L977.476,1142.3L977.23,1142.34ZM978.41,1142.14L978.019,1142.21L978.605,1142.11L978.41,1142.14ZM979.59,1141.95L979.156,1142.02L979.736,1141.92L979.59,1141.95ZM980.772,1141.76L980.299,1141.83L980.868,1141.74L980.772,1141.76ZM981.955,1141.57L981.464,1141.65L982.002,1141.56L981.955,1141.57ZM983.14,1141.39L983.1,1141.39L983.605,1141.32L983.14,1141.39ZM984.326,1141.21L984.239,1141.22L984.778,1141.14L984.326,1141.21ZM985.513,1141.03L985.379,1141.05L985.928,1140.97L985.513,1141.03ZM986.702,1140.86L986.521,1140.89L987.073,1140.81L986.702,1140.86ZM987.891,1140.69L987.665,1140.73L988.218,1140.65L987.891,1140.69ZM989.082,1140.53L988.811,1140.57L989.363,1140.49L989.082,1140.53ZM990.275,1140.37L989.96,1140.41L990.508,1140.34L990.275,1140.37ZM991.468,1140.22L991.113,1140.26L991.654,1140.19L991.468,1140.22ZM992.663,1140.07L992.273,1140.12L992.8,1140.05L992.663,1140.07ZM993.859,1139.92L993.447,1139.97L993.948,1139.91L993.859,1139.92ZM995.056,1139.78L994.671,1139.82L995.097,1139.77L995.056,1139.78ZM996.255,1139.64L996.23,1139.64L996.578,1139.6L996.255,1139.64ZM997.454,1139.5L997.383,1139.51L997.852,1139.46L997.454,1139.5ZM998.655,1139.37L998.537,1139.38L999.041,1139.33L998.655,1139.37ZM999.857,1139.24L999.693,1139.26L1000.21,1139.21L999.857,1139.24ZM1001.06,1139.12L1000.85,1139.14L1001.38,1139.09L1001.06,1139.12ZM1002.26,1139L1002.01,1139.03L1002.54,1138.98L1002.26,1139ZM1003.47,1138.89L1003.18,1138.91L1003.7,1138.87L1003.47,1138.89ZM1004.68,1138.78L1004.34,1138.81L1004.86,1138.76L1004.68,1138.78ZM1005.89,1138.67L1005.52,1138.7L1006.02,1138.66L1005.89,1138.67ZM1007.1,1138.57L1006.71,1138.6L1007.18,1138.56L1007.1,1138.57ZM1008.31,1138.47L1007.96,1138.5L1008.35,1138.46L1008.31,1138.47ZM1009.52,1138.37L1009.5,1138.38L1009.72,1138.36L1009.52,1138.37ZM1010.73,1138.28L1010.67,1138.29L1011.1,1138.26L1010.73,1138.28ZM1011.94,1138.2L1011.84,1138.2L1012.32,1138.17L1011.94,1138.2ZM1013.16,1138.12L1013,1138.13L1013.51,1138.09L1013.16,1138.12ZM1014.37,1138.04L1014.17,1138.05L1014.69,1138.02L1014.37,1138.04ZM1015.59,1137.96L1015.35,1137.98L1015.86,1137.95L1015.59,1137.96ZM1016.81,1137.89L1016.52,1137.91L1017.04,1137.88L1016.81,1137.89ZM1018.03,1137.83L1017.7,1137.85L1018.21,1137.82L1018.03,1137.83ZM1019.25,1137.77L1018.89,1137.79L1019.39,1137.76L1019.25,1137.77ZM1020.47,1137.71L1020.1,1137.73L1020.56,1137.71L1020.47,1137.71ZM1021.69,1137.66L1021.36,1137.67L1021.74,1137.66L1021.69,1137.66ZM1022.92,1137.61L1022.91,1137.61L1023.02,1137.61L1022.92,1137.61ZM1024.14,1137.57L1024.09,1137.57L1024.49,1137.55L1024.14,1137.57ZM1025.37,1137.52L1025.27,1137.53L1025.74,1137.51L1025.37,1137.52ZM1026.6,1137.49L1026.45,1137.49L1026.94,1137.48L1026.6,1137.49ZM1027.82,1137.46L1027.63,1137.46L1028.14,1137.45L1027.82,1137.46ZM1029.05,1137.43L1028.81,1137.43L1029.33,1137.42L1029.05,1137.43ZM1030.28,1137.41L1030,1137.41L1030.52,1137.4L1030.28,1137.41ZM1031.51,1137.39L1031.19,1137.39L1031.7,1137.38L1031.51,1137.39ZM1032.75,1137.37L1032.39,1137.38L1032.89,1137.37L1032.75,1137.37ZM1033.98,1137.36L1033.61,1137.36L1034.07,1137.36L1033.98,1137.36ZM1035.21,1137.35L1034.87,1137.36L1035.26,1137.35L1035.21,1137.35ZM1050.1,1035.06L867.977,544.575L689.455,1035.06L1050.1,1035.06Z"})})});var K7={path:q("g",{stroke:"currentColor",strokeWidth:"1.5",children:[y("path",{strokeLinecap:"round",fill:"none",d:"M9,9a3,3,0,1,1,4,2.829,1.5,1.5,0,0,0-1,1.415V14.25"}),y("path",{fill:"currentColor",strokeLinecap:"round",d:"M12,17.25a.375.375,0,1,0,.375.375A.375.375,0,0,0,12,17.25h0"}),y("circle",{fill:"none",strokeMiterlimit:"10",cx:"12",cy:"12",r:"11.25"})]}),viewBox:"0 0 24 24"},vI=ue((e,t)=>{const{as:n,viewBox:r,color:o="currentColor",focusable:i=!1,children:s,className:u,__css:c,...f}=e,d=Xt("chakra-icon",u),h={w:"1em",h:"1em",display:"inline-block",lineHeight:"1em",flexShrink:0,color:o,...c},m={ref:t,focusable:i,className:d,__css:h},g=r??K7.viewBox;if(n&&typeof n!="string")return Q.createElement(oe.svg,{as:n,...m,...f});const b=s??K7.path;return Q.createElement(oe.svg,{verticalAlign:"middle",viewBox:g,...m,...f},b)});vI.displayName="Icon";function Ae(e){const{viewBox:t="0 0 24 24",d:n,displayName:r,defaultProps:o={}}=e,i=C.exports.Children.toArray(e.path),s=ue((u,c)=>y(vI,{ref:c,viewBox:t,...o,...u,children:i.length?i:y("path",{fill:"currentColor",d:n})}));return s.displayName=r,s}Ae({d:"M16 1H4c-1.1 0-2 .9-2 2v14h2V3h12V1zm3 4H8c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h11c1.1 0 2-.9 2-2V7c0-1.1-.9-2-2-2zm0 16H8V7h11v14z",displayName:"CopyIcon"});Ae({d:"M23.384,21.619,16.855,15.09a9.284,9.284,0,1,0-1.768,1.768l6.529,6.529a1.266,1.266,0,0,0,1.768,0A1.251,1.251,0,0,0,23.384,21.619ZM2.75,9.5a6.75,6.75,0,1,1,6.75,6.75A6.758,6.758,0,0,1,2.75,9.5Z",displayName:"SearchIcon"});Ae({d:"M23.414,20.591l-4.645-4.645a10.256,10.256,0,1,0-2.828,2.829l4.645,4.644a2.025,2.025,0,0,0,2.828,0A2,2,0,0,0,23.414,20.591ZM10.25,3.005A7.25,7.25,0,1,1,3,10.255,7.258,7.258,0,0,1,10.25,3.005Z",displayName:"Search2Icon"});Ae({d:"M21.4,13.7C20.6,13.9,19.8,14,19,14c-5,0-9-4-9-9c0-0.8,0.1-1.6,0.3-2.4c0.1-0.3,0-0.7-0.3-1 c-0.3-0.3-0.6-0.4-1-0.3C4.3,2.7,1,7.1,1,12c0,6.1,4.9,11,11,11c4.9,0,9.3-3.3,10.6-8.1c0.1-0.3,0-0.7-0.3-1 C22.1,13.7,21.7,13.6,21.4,13.7z",displayName:"MoonIcon"});Ae({displayName:"SunIcon",path:q("g",{strokeLinejoin:"round",strokeLinecap:"round",strokeWidth:"2",fill:"none",stroke:"currentColor",children:[y("circle",{cx:"12",cy:"12",r:"5"}),y("path",{d:"M12 1v2"}),y("path",{d:"M12 21v2"}),y("path",{d:"M4.22 4.22l1.42 1.42"}),y("path",{d:"M18.36 18.36l1.42 1.42"}),y("path",{d:"M1 12h2"}),y("path",{d:"M21 12h2"}),y("path",{d:"M4.22 19.78l1.42-1.42"}),y("path",{d:"M18.36 5.64l1.42-1.42"})]})});Ae({d:"M0,12a1.5,1.5,0,0,0,1.5,1.5h8.75a.25.25,0,0,1,.25.25V22.5a1.5,1.5,0,0,0,3,0V13.75a.25.25,0,0,1,.25-.25H22.5a1.5,1.5,0,0,0,0-3H13.75a.25.25,0,0,1-.25-.25V1.5a1.5,1.5,0,0,0-3,0v8.75a.25.25,0,0,1-.25.25H1.5A1.5,1.5,0,0,0,0,12Z",displayName:"AddIcon"});Ae({displayName:"SmallAddIcon",viewBox:"0 0 20 20",path:y("path",{fill:"currentColor",d:"M14 9h-3V6c0-.55-.45-1-1-1s-1 .45-1 1v3H6c-.55 0-1 .45-1 1s.45 1 1 1h3v3c0 .55.45 1 1 1s1-.45 1-1v-3h3c.55 0 1-.45 1-1s-.45-1-1-1z",fillRule:"evenodd"})});Ae({viewBox:"0 0 14 14",d:"M14,7.77 L14,6.17 L12.06,5.53 L11.61,4.44 L12.49,2.6 L11.36,1.47 L9.55,2.38 L8.46,1.93 L7.77,0.01 L6.17,0.01 L5.54,1.95 L4.43,2.4 L2.59,1.52 L1.46,2.65 L2.37,4.46 L1.92,5.55 L0,6.23 L0,7.82 L1.94,8.46 L2.39,9.55 L1.51,11.39 L2.64,12.52 L4.45,11.61 L5.54,12.06 L6.23,13.98 L7.82,13.98 L8.45,12.04 L9.56,11.59 L11.4,12.47 L12.53,11.34 L11.61,9.53 L12.08,8.44 L14,7.75 L14,7.77 Z M7,10 C5.34,10 4,8.66 4,7 C4,5.34 5.34,4 7,4 C8.66,4 10,5.34 10,7 C10,8.66 8.66,10 7,10 Z",displayName:"SettingsIcon"});Ae({displayName:"CheckCircleIcon",d:"M12,0A12,12,0,1,0,24,12,12.014,12.014,0,0,0,12,0Zm6.927,8.2-6.845,9.289a1.011,1.011,0,0,1-1.43.188L5.764,13.769a1,1,0,1,1,1.25-1.562l4.076,3.261,6.227-8.451A1,1,0,1,1,18.927,8.2Z"});Ae({d:"M19.5,9.5h-.75V6.75a6.75,6.75,0,0,0-13.5,0V9.5H4.5a2,2,0,0,0-2,2V22a2,2,0,0,0,2,2h15a2,2,0,0,0,2-2V11.5A2,2,0,0,0,19.5,9.5Zm-9.5,6a2,2,0,1,1,3,1.723V19.5a1,1,0,0,1-2,0V17.223A1.994,1.994,0,0,1,10,15.5ZM7.75,6.75a4.25,4.25,0,0,1,8.5,0V9a.5.5,0,0,1-.5.5H8.25a.5.5,0,0,1-.5-.5Z",displayName:"LockIcon"});Ae({d:"M19.5,9.5h-.75V6.75A6.751,6.751,0,0,0,5.533,4.811a1.25,1.25,0,1,0,2.395.717A4.251,4.251,0,0,1,16.25,6.75V9a.5.5,0,0,1-.5.5H4.5a2,2,0,0,0-2,2V22a2,2,0,0,0,2,2h15a2,2,0,0,0,2-2V11.5A2,2,0,0,0,19.5,9.5Zm-9.5,6a2,2,0,1,1,3,1.723V19.5a1,1,0,0,1-2,0V17.223A1.994,1.994,0,0,1,10,15.5Z",displayName:"UnlockIcon"});Ae({displayName:"ViewIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M23.432,10.524C20.787,7.614,16.4,4.538,12,4.6,7.6,4.537,3.213,7.615.568,10.524a2.211,2.211,0,0,0,0,2.948C3.182,16.351,7.507,19.4,11.839,19.4h.308c4.347,0,8.671-3.049,11.288-5.929A2.21,2.21,0,0,0,23.432,10.524ZM7.4,12A4.6,4.6,0,1,1,12,16.6,4.6,4.6,0,0,1,7.4,12Z"}),y("circle",{cx:"12",cy:"12",r:"2"})]})});Ae({displayName:"ViewOffIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M23.2,10.549a20.954,20.954,0,0,0-4.3-3.6l4-3.995a1,1,0,1,0-1.414-1.414l-.018.018a.737.737,0,0,1-.173.291l-19.5,19.5c-.008.007-.018.009-.026.017a1,1,0,0,0,1.631,1.088l4.146-4.146a11.26,11.26,0,0,0,4.31.939h.3c4.256,0,8.489-2.984,11.051-5.8A2.171,2.171,0,0,0,23.2,10.549ZM16.313,13.27a4.581,4.581,0,0,1-3,3.028,4.3,4.3,0,0,1-3.1-.19.253.253,0,0,1-.068-.407l5.56-5.559a.252.252,0,0,1,.407.067A4.3,4.3,0,0,1,16.313,13.27Z"}),y("path",{d:"M7.615,13.4a.244.244,0,0,0,.061-.24A4.315,4.315,0,0,1,7.5,12,4.5,4.5,0,0,1,12,7.5a4.276,4.276,0,0,1,1.16.173.244.244,0,0,0,.24-.062l1.941-1.942a.254.254,0,0,0-.1-.421A10.413,10.413,0,0,0,12,4.75C7.7,4.692,3.4,7.7.813,10.549a2.15,2.15,0,0,0-.007,2.9,21.209,21.209,0,0,0,3.438,3.03.256.256,0,0,0,.326-.029Z"})]})});Ae({d:"M11.2857,6.05714 L10.08571,4.85714 L7.85714,7.14786 L7.85714,1 L6.14286,1 L6.14286,7.14786 L3.91429,4.85714 L2.71429,6.05714 L7,10.42857 L11.2857,6.05714 Z M1,11.2857 L1,13 L13,13 L13,11.2857 L1,11.2857 Z",displayName:"DownloadIcon",viewBox:"0 0 14 14"});Ae({displayName:"DeleteIcon",path:y("g",{fill:"currentColor",children:y("path",{d:"M19.452 7.5H4.547a.5.5 0 00-.5.545l1.287 14.136A2 2 0 007.326 24h9.347a2 2 0 001.992-1.819L19.95 8.045a.5.5 0 00-.129-.382.5.5 0 00-.369-.163zm-9.2 13a.75.75 0 01-1.5 0v-9a.75.75 0 011.5 0zm5 0a.75.75 0 01-1.5 0v-9a.75.75 0 011.5 0zM22 4h-4.75a.25.25 0 01-.25-.25V2.5A2.5 2.5 0 0014.5 0h-5A2.5 2.5 0 007 2.5v1.25a.25.25 0 01-.25.25H2a1 1 0 000 2h20a1 1 0 000-2zM9 3.75V2.5a.5.5 0 01.5-.5h5a.5.5 0 01.5.5v1.25a.25.25 0 01-.25.25h-5.5A.25.25 0 019 3.75z"})})});Ae({displayName:"RepeatIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M10.319,4.936a7.239,7.239,0,0,1,7.1,2.252,1.25,1.25,0,1,0,1.872-1.657A9.737,9.737,0,0,0,9.743,2.5,10.269,10.269,0,0,0,2.378,9.61a.249.249,0,0,1-.271.178l-1.033-.13A.491.491,0,0,0,.6,9.877a.5.5,0,0,0-.019.526l2.476,4.342a.5.5,0,0,0,.373.248.43.43,0,0,0,.062,0,.5.5,0,0,0,.359-.152l3.477-3.593a.5.5,0,0,0-.3-.844L5.15,10.172a.25.25,0,0,1-.2-.333A7.7,7.7,0,0,1,10.319,4.936Z"}),y("path",{d:"M23.406,14.1a.5.5,0,0,0,.015-.526l-2.5-4.329A.5.5,0,0,0,20.546,9a.489.489,0,0,0-.421.151l-3.456,3.614a.5.5,0,0,0,.3.842l1.848.221a.249.249,0,0,1,.183.117.253.253,0,0,1,.023.216,7.688,7.688,0,0,1-5.369,4.9,7.243,7.243,0,0,1-7.1-2.253,1.25,1.25,0,1,0-1.872,1.656,9.74,9.74,0,0,0,9.549,3.03,10.261,10.261,0,0,0,7.369-7.12.251.251,0,0,1,.27-.179l1.058.127a.422.422,0,0,0,.06,0A.5.5,0,0,0,23.406,14.1Z"})]})});Ae({displayName:"RepeatClockIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M12.965,6a1,1,0,0,0-1,1v5.5a1,1,0,0,0,1,1h5a1,1,0,0,0,0-2h-3.75a.25.25,0,0,1-.25-.25V7A1,1,0,0,0,12.965,6Z"}),y("path",{d:"M12.567,1.258A10.822,10.822,0,0,0,2.818,8.4a.25.25,0,0,1-.271.163L.858,8.309a.514.514,0,0,0-.485.213.5.5,0,0,0-.021.53l2.679,4.7a.5.5,0,0,0,.786.107l3.77-3.746a.5.5,0,0,0-.279-.85L5.593,9.007a.25.25,0,0,1-.192-.35,8.259,8.259,0,1,1,7.866,11.59,1.25,1.25,0,0,0,.045,2.5h.047a10.751,10.751,0,1,0-.792-21.487Z"})]})});Ae({displayName:"EditIcon",path:q("g",{fill:"none",stroke:"currentColor",strokeLinecap:"round",strokeWidth:"2",children:[y("path",{d:"M11 4H4a2 2 0 0 0-2 2v14a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2v-7"}),y("path",{d:"M18.5 2.5a2.121 2.121 0 0 1 3 3L12 15l-4 1 1-4 9.5-9.5z"})]})});Ae({d:"M15.41 7.41L14 6l-6 6 6 6 1.41-1.41L10.83 12z",displayName:"ChevronLeftIcon"});Ae({d:"M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z",displayName:"ChevronRightIcon"});Ae({displayName:"ChevronDownIcon",d:"M16.59 8.59L12 13.17 7.41 8.59 6 10l6 6 6-6z"});Ae({d:"M12 8l-6 6 1.41 1.41L12 10.83l4.59 4.58L18 14z",displayName:"ChevronUpIcon"});Ae({d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",displayName:"ArrowBackIcon"});Ae({d:"M12 4l-1.41 1.41L16.17 11H4v2h12.17l-5.58 5.59L12 20l8-8z",displayName:"ArrowForwardIcon"});Ae({d:"M4 12l1.41 1.41L11 7.83V20h2V7.83l5.58 5.59L20 12l-8-8-8 8z",displayName:"ArrowUpIcon"});Ae({viewBox:"0 0 16 16",d:"M11.891 9.992a1 1 0 1 1 1.416 1.415l-4.3 4.3a1 1 0 0 1-1.414 0l-4.3-4.3A1 1 0 0 1 4.71 9.992l3.59 3.591 3.591-3.591zm0-3.984L8.3 2.417 4.709 6.008a1 1 0 0 1-1.416-1.415l4.3-4.3a1 1 0 0 1 1.414 0l4.3 4.3a1 1 0 1 1-1.416 1.415z",displayName:"ArrowUpDownIcon"});Ae({d:"M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z",displayName:"ArrowDownIcon"});var yI=Ae({displayName:"ExternalLinkIcon",path:q("g",{fill:"none",stroke:"currentColor",strokeLinecap:"round",strokeWidth:"2",children:[y("path",{d:"M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6"}),y("path",{d:"M15 3h6v6"}),y("path",{d:"M10 14L21 3"})]})});Ae({displayName:"LinkIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M10.458,18.374,7.721,21.11a2.853,2.853,0,0,1-3.942,0l-.892-.891a2.787,2.787,0,0,1,0-3.941l5.8-5.8a2.789,2.789,0,0,1,3.942,0l.893.892A1,1,0,0,0,14.94,9.952l-.893-.892a4.791,4.791,0,0,0-6.771,0l-5.8,5.8a4.787,4.787,0,0,0,0,6.77l.892.891a4.785,4.785,0,0,0,6.771,0l2.736-2.735a1,1,0,1,0-1.414-1.415Z"}),y("path",{d:"M22.526,2.363l-.892-.892a4.8,4.8,0,0,0-6.77,0l-2.905,2.9a1,1,0,0,0,1.414,1.414l2.9-2.9a2.79,2.79,0,0,1,3.941,0l.893.893a2.786,2.786,0,0,1,0,3.942l-5.8,5.8a2.769,2.769,0,0,1-1.971.817h0a2.766,2.766,0,0,1-1.969-.816,1,1,0,1,0-1.415,1.412,4.751,4.751,0,0,0,3.384,1.4h0a4.752,4.752,0,0,0,3.385-1.4l5.8-5.8a4.786,4.786,0,0,0,0-6.771Z"})]})});Ae({displayName:"PlusSquareIcon",path:q("g",{fill:"none",stroke:"currentColor",strokeLinecap:"round",strokeWidth:"2",children:[y("rect",{height:"18",width:"18",rx:"2",ry:"2",x:"3",y:"3"}),y("path",{d:"M12 8v8"}),y("path",{d:"M8 12h8"})]})});Ae({displayName:"CalendarIcon",viewBox:"0 0 14 14",d:"M10.8889,5.5 L3.11111,5.5 L3.11111,7.05556 L10.8889,7.05556 L10.8889,5.5 Z M12.4444,1.05556 L11.6667,1.05556 L11.6667,0 L10.1111,0 L10.1111,1.05556 L3.88889,1.05556 L3.88889,0 L2.33333,0 L2.33333,1.05556 L1.55556,1.05556 C0.692222,1.05556 0.00777777,1.75556 0.00777777,2.61111 L0,12.5 C0,13.3556 0.692222,14 1.55556,14 L12.4444,14 C13.3,14 14,13.3556 14,12.5 L14,2.61111 C14,1.75556 13.3,1.05556 12.4444,1.05556 Z M12.4444,12.5 L1.55556,12.5 L1.55556,3.94444 L12.4444,3.94444 L12.4444,12.5 Z M8.55556,8.61111 L3.11111,8.61111 L3.11111,10.1667 L8.55556,10.1667 L8.55556,8.61111 Z"});Ae({d:"M0.913134,0.920639 C1.49851,0.331726 2.29348,0 3.12342,0 L10.8766,0 C11.7065,0 12.5015,0.331725 13.0869,0.920639 C13.6721,1.50939 14,2.30689 14,3.13746 L14,8.12943 C13.9962,8.51443 13.9059,8.97125 13.7629,9.32852 C13.6128,9.683 13.3552,10.0709 13.0869,10.3462 C12.813,10.6163 12.4265,10.8761 12.0734,11.0274 C11.7172,11.1716 11.2607,11.263 10.8766,11.2669 L10.1234,11.2669 L10.1234,12.5676 L10.1209,12.5676 C10.1204,12.793 10.0633,13.0791 9.97807,13.262 C9.8627,13.466 9.61158,13.7198 9.40818,13.8382 L9.40824,13.8383 C9.4077,13.8386 9.40716,13.8388 9.40661,13.8391 C9.40621,13.8393 9.4058,13.8396 9.40539,13.8398 L9.40535,13.8397 C9.22958,13.9254 8.94505,13.9951 8.75059,14 L8.74789,14 C8.35724,13.9963 7.98473,13.8383 7.71035,13.5617 L5.39553,11.2669 L3.12342,11.2669 C2.29348,11.2669 1.49851,10.9352 0.913134,10.3462 C0.644826,10.0709 0.387187,9.683 0.23711,9.32852 C0.0941235,8.97125 0.00379528,8.51443 0,8.12943 L0,3.13746 C0,2.30689 0.327915,1.50939 0.913134,0.920639 Z M3.12342,1.59494 C2.71959,1.59494 2.33133,1.75628 2.04431,2.04503 C1.75713,2.33395 1.59494,2.72681 1.59494,3.13746 L1.59494,8.12943 C1.59114,8.35901 1.62114,8.51076 1.71193,8.72129 C1.79563,8.9346 1.88065,9.06264 2.04431,9.22185 C2.33133,9.5106 2.71959,9.67195 3.12342,9.67195 L5.72383,9.67195 C5.93413,9.67195 6.13592,9.75502 6.28527,9.90308 L8.52848,12.1269 L8.52848,10.4694 C8.52848,10.029 8.88552,9.67195 9.32595,9.67195 L10.8766,9.67195 C11.1034,9.67583 11.2517,9.64614 11.4599,9.55518 C11.6712,9.47132 11.7976,9.38635 11.9557,9.22185 C12.1193,9.06264 12.2044,8.9346 12.2881,8.72129 C12.3789,8.51076 12.4089,8.35901 12.4051,8.12943 L12.4051,3.13746 C12.4051,2.72681 12.2429,2.33394 11.9557,2.04503 C11.6687,1.75628 11.2804,1.59494 10.8766,1.59494 L3.12342,1.59494 Z",displayName:"ChatIcon",viewBox:"0 0 14 14"});Ae({displayName:"TimeIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M12,0A12,12,0,1,0,24,12,12.014,12.014,0,0,0,12,0Zm0,22A10,10,0,1,1,22,12,10.011,10.011,0,0,1,12,22Z"}),y("path",{d:"M17.134,15.81,12.5,11.561V6.5a1,1,0,0,0-2,0V12a1,1,0,0,0,.324.738l4.959,4.545a1.01,1.01,0,0,0,1.413-.061A1,1,0,0,0,17.134,15.81Z"})]})});Ae({displayName:"ArrowRightIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M13.584,12a2.643,2.643,0,0,1-.775,1.875L3.268,23.416a1.768,1.768,0,0,1-2.5-2.5l8.739-8.739a.25.25,0,0,0,0-.354L.768,3.084a1.768,1.768,0,0,1,2.5-2.5l9.541,9.541A2.643,2.643,0,0,1,13.584,12Z"}),y("path",{d:"M23.75,12a2.643,2.643,0,0,1-.775,1.875l-9.541,9.541a1.768,1.768,0,0,1-2.5-2.5l8.739-8.739a.25.25,0,0,0,0-.354L10.934,3.084a1.768,1.768,0,0,1,2.5-2.5l9.541,9.541A2.643,2.643,0,0,1,23.75,12Z"})]})});Ae({displayName:"ArrowLeftIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M10.416,12a2.643,2.643,0,0,1,.775-1.875L20.732.584a1.768,1.768,0,0,1,2.5,2.5l-8.739,8.739a.25.25,0,0,0,0,.354l8.739,8.739a1.768,1.768,0,0,1-2.5,2.5l-9.541-9.541A2.643,2.643,0,0,1,10.416,12Z"}),y("path",{d:"M.25,12a2.643,2.643,0,0,1,.775-1.875L10.566.584a1.768,1.768,0,0,1,2.5,2.5L4.327,11.823a.25.25,0,0,0,0,.354l8.739,8.739a1.768,1.768,0,0,1-2.5,2.5L1.025,13.875A2.643,2.643,0,0,1,.25,12Z"})]})});Ae({displayName:"AtSignIcon",d:"M12,.5A11.634,11.634,0,0,0,.262,12,11.634,11.634,0,0,0,12,23.5a11.836,11.836,0,0,0,6.624-2,1.25,1.25,0,1,0-1.393-2.076A9.34,9.34,0,0,1,12,21a9.132,9.132,0,0,1-9.238-9A9.132,9.132,0,0,1,12,3a9.132,9.132,0,0,1,9.238,9v.891a1.943,1.943,0,0,1-3.884,0V12A5.355,5.355,0,1,0,12,17.261a5.376,5.376,0,0,0,3.861-1.634,4.438,4.438,0,0,0,7.877-2.736V12A11.634,11.634,0,0,0,12,.5Zm0,14.261A2.763,2.763,0,1,1,14.854,12,2.812,2.812,0,0,1,12,14.761Z"});Ae({displayName:"AttachmentIcon",d:"M21.843,3.455a6.961,6.961,0,0,0-9.846,0L1.619,13.832a5.128,5.128,0,0,0,7.252,7.252L17.3,12.653A3.293,3.293,0,1,0,12.646,8L7.457,13.184A1,1,0,1,0,8.871,14.6L14.06,9.409a1.294,1.294,0,0,1,1.829,1.83L7.457,19.67a3.128,3.128,0,0,1-4.424-4.424L13.411,4.869a4.962,4.962,0,1,1,7.018,7.018L12.646,19.67a1,1,0,1,0,1.414,1.414L21.843,13.3a6.96,6.96,0,0,0,0-9.846Z"});Ae({displayName:"UpDownIcon",viewBox:"-1 -1 9 11",d:"M 3.5 0L 3.98809 -0.569442L 3.5 -0.987808L 3.01191 -0.569442L 3.5 0ZM 3.5 9L 3.01191 9.56944L 3.5 9.98781L 3.98809 9.56944L 3.5 9ZM 0.488094 3.56944L 3.98809 0.569442L 3.01191 -0.569442L -0.488094 2.43056L 0.488094 3.56944ZM 3.01191 0.569442L 6.51191 3.56944L 7.48809 2.43056L 3.98809 -0.569442L 3.01191 0.569442ZM -0.488094 6.56944L 3.01191 9.56944L 3.98809 8.43056L 0.488094 5.43056L -0.488094 6.56944ZM 3.98809 9.56944L 7.48809 6.56944L 6.51191 5.43056L 3.01191 8.43056L 3.98809 9.56944Z"});Ae({d:"M23.555,8.729a1.505,1.505,0,0,0-1.406-.98H16.062a.5.5,0,0,1-.472-.334L13.405,1.222a1.5,1.5,0,0,0-2.81,0l-.005.016L8.41,7.415a.5.5,0,0,1-.471.334H1.85A1.5,1.5,0,0,0,.887,10.4l5.184,4.3a.5.5,0,0,1,.155.543L4.048,21.774a1.5,1.5,0,0,0,2.31,1.684l5.346-3.92a.5.5,0,0,1,.591,0l5.344,3.919a1.5,1.5,0,0,0,2.312-1.683l-2.178-6.535a.5.5,0,0,1,.155-.543l5.194-4.306A1.5,1.5,0,0,0,23.555,8.729Z",displayName:"StarIcon"});Ae({displayName:"EmailIcon",path:q("g",{fill:"currentColor",children:[y("path",{d:"M11.114,14.556a1.252,1.252,0,0,0,1.768,0L22.568,4.87a.5.5,0,0,0-.281-.849A1.966,1.966,0,0,0,22,4H2a1.966,1.966,0,0,0-.289.021.5.5,0,0,0-.281.849Z"}),y("path",{d:"M23.888,5.832a.182.182,0,0,0-.2.039l-6.2,6.2a.251.251,0,0,0,0,.354l5.043,5.043a.75.75,0,1,1-1.06,1.061l-5.043-5.043a.25.25,0,0,0-.354,0l-2.129,2.129a2.75,2.75,0,0,1-3.888,0L7.926,13.488a.251.251,0,0,0-.354,0L2.529,18.531a.75.75,0,0,1-1.06-1.061l5.043-5.043a.251.251,0,0,0,0-.354l-6.2-6.2a.18.18,0,0,0-.2-.039A.182.182,0,0,0,0,6V18a2,2,0,0,0,2,2H22a2,2,0,0,0,2-2V6A.181.181,0,0,0,23.888,5.832Z"})]})});Ae({d:"M2.20731,0.0127209 C2.1105,-0.0066419 1.99432,-0.00664663 1.91687,0.032079 C0.871279,0.438698 0.212942,1.92964 0.0580392,2.95587 C-0.426031,6.28627 2.20731,9.17133 4.62766,11.0689 C6.77694,12.7534 10.9012,15.5223 13.3409,12.8503 C13.6507,12.5211 14.0186,12.037 13.9993,11.553 C13.9412,10.7397 13.186,10.1588 12.6051,9.71349 C12.1598,9.38432 11.2304,8.47427 10.6495,8.49363 C10.1267,8.51299 9.79754,9.05515 9.46837,9.38432 L8.88748,9.96521 C8.79067,10.062 7.55145,9.24878 7.41591,9.15197 C6.91248,8.8228 6.4284,8.45491 6.00242,8.04829 C5.57644,7.64167 5.18919,7.19632 4.86002,6.73161 C4.7632,6.59607 3.96933,5.41495 4.04678,5.31813 C4.04678,5.31813 4.72448,4.58234 4.91811,4.2919 C5.32473,3.67229 5.63453,3.18822 5.16982,2.45243 C4.99556,2.18135 4.78257,1.96836 4.55021,1.73601 C4.14359,1.34875 3.73698,0.942131 3.27227,0.612963 C3.02055,0.419335 2.59457,0.0708094 2.20731,0.0127209 Z",displayName:"PhoneIcon",viewBox:"0 0 14 14"});Ae({viewBox:"0 0 10 10",d:"M3,2 C2.44771525,2 2,1.55228475 2,1 C2,0.44771525 2.44771525,0 3,0 C3.55228475,0 4,0.44771525 4,1 C4,1.55228475 3.55228475,2 3,2 Z M3,6 C2.44771525,6 2,5.55228475 2,5 C2,4.44771525 2.44771525,4 3,4 C3.55228475,4 4,4.44771525 4,5 C4,5.55228475 3.55228475,6 3,6 Z M3,10 C2.44771525,10 2,9.55228475 2,9 C2,8.44771525 2.44771525,8 3,8 C3.55228475,8 4,8.44771525 4,9 C4,9.55228475 3.55228475,10 3,10 Z M7,2 C6.44771525,2 6,1.55228475 6,1 C6,0.44771525 6.44771525,0 7,0 C7.55228475,0 8,0.44771525 8,1 C8,1.55228475 7.55228475,2 7,2 Z M7,6 C6.44771525,6 6,5.55228475 6,5 C6,4.44771525 6.44771525,4 7,4 C7.55228475,4 8,4.44771525 8,5 C8,5.55228475 7.55228475,6 7,6 Z M7,10 C6.44771525,10 6,9.55228475 6,9 C6,8.44771525 6.44771525,8 7,8 C7.55228475,8 8,8.44771525 8,9 C8,9.55228475 7.55228475,10 7,10 Z",displayName:"DragHandleIcon"});Ae({displayName:"SpinnerIcon",path:q(wn,{children:[y("defs",{children:q("linearGradient",{x1:"28.154%",y1:"63.74%",x2:"74.629%",y2:"17.783%",id:"a",children:[y("stop",{stopColor:"currentColor",offset:"0%"}),y("stop",{stopColor:"#fff",stopOpacity:"0",offset:"100%"})]})}),q("g",{transform:"translate(2)",fill:"none",children:[y("circle",{stroke:"url(#a)",strokeWidth:"4",cx:"10",cy:"12",r:"10"}),y("path",{d:"M10 2C4.477 2 0 6.477 0 12",stroke:"currentColor",strokeWidth:"4"}),y("rect",{fill:"currentColor",x:"8",width:"4",height:"4",rx:"8"})]})]})});Ae({displayName:"CloseIcon",d:"M.439,21.44a1.5,1.5,0,0,0,2.122,2.121L11.823,14.3a.25.25,0,0,1,.354,0l9.262,9.263a1.5,1.5,0,1,0,2.122-2.121L14.3,12.177a.25.25,0,0,1,0-.354l9.263-9.262A1.5,1.5,0,0,0,21.439.44L12.177,9.7a.25.25,0,0,1-.354,0L2.561.44A1.5,1.5,0,0,0,.439,2.561L9.7,11.823a.25.25,0,0,1,0,.354Z"});Ae({displayName:"SmallCloseIcon",viewBox:"0 0 16 16",path:y("path",{d:"M9.41 8l2.29-2.29c.19-.18.3-.43.3-.71a1.003 1.003 0 0 0-1.71-.71L8 6.59l-2.29-2.3a1.003 1.003 0 0 0-1.42 1.42L6.59 8 4.3 10.29c-.19.18-.3.43-.3.71a1.003 1.003 0 0 0 1.71.71L8 9.41l2.29 2.29c.18.19.43.3.71.3a1.003 1.003 0 0 0 .71-1.71L9.41 8z",fillRule:"evenodd",fill:"currentColor"})});Ae({d:"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm0 18c-4.42 0-8-3.58-8-8 0-1.85.63-3.55 1.69-4.9L16.9 18.31C15.55 19.37 13.85 20 12 20zm6.31-3.1L7.1 5.69C8.45 4.63 10.15 4 12 4c4.42 0 8 3.58 8 8 0 1.85-.63 3.55-1.69 4.9z",displayName:"NotAllowedIcon"});Ae({d:"M21,5H3C2.621,5,2.275,5.214,2.105,5.553C1.937,5.892,1.973,6.297,2.2,6.6l9,12 c0.188,0.252,0.485,0.4,0.8,0.4s0.611-0.148,0.8-0.4l9-12c0.228-0.303,0.264-0.708,0.095-1.047C21.725,5.214,21.379,5,21,5z",displayName:"TriangleDownIcon"});Ae({d:"M12.8,5.4c-0.377-0.504-1.223-0.504-1.6,0l-9,12c-0.228,0.303-0.264,0.708-0.095,1.047 C2.275,18.786,2.621,19,3,19h18c0.379,0,0.725-0.214,0.895-0.553c0.169-0.339,0.133-0.744-0.095-1.047L12.8,5.4z",displayName:"TriangleUpIcon"});Ae({displayName:"InfoOutlineIcon",path:q("g",{fill:"currentColor",stroke:"currentColor",strokeLinecap:"square",strokeWidth:"2",children:[y("circle",{cx:"12",cy:"12",fill:"none",r:"11",stroke:"currentColor"}),y("line",{fill:"none",x1:"11.959",x2:"11.959",y1:"11",y2:"17"}),y("circle",{cx:"11.959",cy:"7",r:"1",stroke:"none"})]})});Ae({displayName:"BellIcon",d:"M12 22c1.1 0 2-.9 2-2h-4c0 1.1.89 2 2 2zm6-6v-5c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2z"});Ae({d:"M12,0A12,12,0,1,0,24,12,12.013,12.013,0,0,0,12,0Zm.25,5a1.5,1.5,0,1,1-1.5,1.5A1.5,1.5,0,0,1,12.25,5ZM14.5,18.5h-4a1,1,0,0,1,0-2h.75a.25.25,0,0,0,.25-.25v-4.5a.25.25,0,0,0-.25-.25H10.5a1,1,0,0,1,0-2h1a2,2,0,0,1,2,2v4.75a.25.25,0,0,0,.25.25h.75a1,1,0,1,1,0,2Z"});Ae({d:"M12,0A12,12,0,1,0,24,12,12.013,12.013,0,0,0,12,0Zm0,19a1.5,1.5,0,1,1,1.5-1.5A1.5,1.5,0,0,1,12,19Zm1.6-6.08a1,1,0,0,0-.6.917,1,1,0,1,1-2,0,3,3,0,0,1,1.8-2.75A2,2,0,1,0,10,9.255a1,1,0,1,1-2,0,4,4,0,1,1,5.6,3.666Z",displayName:"QuestionIcon"});Ae({displayName:"QuestionOutlineIcon",path:q("g",{stroke:"currentColor",strokeWidth:"1.5",children:[y("path",{strokeLinecap:"round",fill:"none",d:"M9,9a3,3,0,1,1,4,2.829,1.5,1.5,0,0,0-1,1.415V14.25"}),y("path",{fill:"none",strokeLinecap:"round",d:"M12,17.25a.375.375,0,1,0,.375.375A.375.375,0,0,0,12,17.25h0"}),y("circle",{fill:"none",strokeMiterlimit:"10",cx:"12",cy:"12",r:"11.25"})]})});Ae({d:"M11.983,0a12.206,12.206,0,0,0-8.51,3.653A11.8,11.8,0,0,0,0,12.207,11.779,11.779,0,0,0,11.8,24h.214A12.111,12.111,0,0,0,24,11.791h0A11.766,11.766,0,0,0,11.983,0ZM10.5,16.542a1.476,1.476,0,0,1,1.449-1.53h.027a1.527,1.527,0,0,1,1.523,1.47,1.475,1.475,0,0,1-1.449,1.53h-.027A1.529,1.529,0,0,1,10.5,16.542ZM11,12.5v-6a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Z",displayName:"WarningIcon"});Ae({displayName:"WarningTwoIcon",d:"M23.119,20,13.772,2.15h0a2,2,0,0,0-3.543,0L.881,20a2,2,0,0,0,1.772,2.928H21.347A2,2,0,0,0,23.119,20ZM11,8.423a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Zm1.05,11.51h-.028a1.528,1.528,0,0,1-1.522-1.47,1.476,1.476,0,0,1,1.448-1.53h.028A1.527,1.527,0,0,1,13.5,18.4,1.475,1.475,0,0,1,12.05,19.933Z"});Ae({viewBox:"0 0 14 14",path:y("g",{fill:"currentColor",children:y("polygon",{points:"5.5 11.9993304 14 3.49933039 12.5 2 5.5 8.99933039 1.5 4.9968652 0 6.49933039"})})});Ae({displayName:"MinusIcon",path:y("g",{fill:"currentColor",children:y("rect",{height:"4",width:"20",x:"2",y:"10"})})});Ae({displayName:"HamburgerIcon",viewBox:"0 0 24 24",d:"M 3 5 A 1.0001 1.0001 0 1 0 3 7 L 21 7 A 1.0001 1.0001 0 1 0 21 5 L 3 5 z M 3 11 A 1.0001 1.0001 0 1 0 3 13 L 21 13 A 1.0001 1.0001 0 1 0 21 11 L 3 11 z M 3 17 A 1.0001 1.0001 0 1 0 3 19 L 21 19 A 1.0001 1.0001 0 1 0 21 17 L 3 17 z"});function bI(e){return Rt({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M245.09 327.74v-37.32c57.07 0 84.51 13.47 108.58 38.68 5.4 5.65 15 1.32 14.29-6.43-5.45-61.45-34.14-117.09-122.87-117.09v-37.32a8.32 8.32 0 00-14.05-6L146.58 242a8.2 8.2 0 000 11.94L231 333.71a8.32 8.32 0 0014.09-5.97z"}},{tag:"path",attr:{fill:"none",strokeMiterlimit:"10",strokeWidth:"32",d:"M256 64C150 64 64 150 64 256s86 192 192 192 192-86 192-192S362 64 256 64z"}}]})(e)}const tn=({label:e,value:t,onClick:n,isLink:r,labelPosition:o})=>q(dt,{gap:2,children:[n&&y(lo,{label:`Recall ${e}`,children:y(Gn,{"aria-label":"Use this parameter",icon:y(bI,{}),size:"xs",variant:"ghost",fontSize:20,onClick:n})}),q(dt,{direction:o?"column":"row",children:[q(Nr,{fontWeight:"semibold",whiteSpace:"nowrap",pr:2,children:[e,":"]}),r?q(jf,{href:t.toString(),isExternal:!0,wordBreak:"break-all",children:[t.toString()," ",y(yI,{mx:"2px"})]}):y(Nr,{overflowY:"scroll",wordBreak:"break-all",children:t.toString()})]})]}),Jpe=(e,t)=>e.image.uuid===t.image.uuid,ehe=C.exports.memo(({image:e})=>{const t=Ue(),n=e?.metadata?.image||{},{type:r,postprocessing:o,sampler:i,prompt:s,seed:u,variations:c,steps:f,cfg_scale:d,seamless:h,width:m,height:g,strength:b,fit:S,init_image_path:E,mask_image_path:w,orig_path:x,scale:_}=n,L=JSON.stringify(n,null,2);return q(dt,{gap:1,direction:"column",width:"100%",children:[q(dt,{gap:2,children:[y(Nr,{fontWeight:"semibold",children:"File:"}),q(jf,{href:e.url,isExternal:!0,children:[e.url,y(yI,{mx:"2px"})]})]}),Object.keys(n).length>0?q(wn,{children:[r&&y(tn,{label:"Generation type",value:r}),["esrgan","gfpgan"].includes(r)&&y(tn,{label:"Original image",value:x}),r==="gfpgan"&&b!==void 0&&y(tn,{label:"Fix faces strength",value:b,onClick:()=>t(Y5(b))}),r==="esrgan"&&_!==void 0&&y(tn,{label:"Upscaling scale",value:_,onClick:()=>t(X5(_))}),r==="esrgan"&&b!==void 0&&y(tn,{label:"Upscaling strength",value:b,onClick:()=>t(Q5(b))}),s&&y(tn,{label:"Prompt",labelPosition:"top",value:Z5(s),onClick:()=>t(DT(s))}),u!==void 0&&y(tn,{label:"Seed",value:u,onClick:()=>t(Td(u))}),i&&y(tn,{label:"Sampler",value:i,onClick:()=>t($T(i))}),f&&y(tn,{label:"Steps",value:f,onClick:()=>t(zT(f))}),d!==void 0&&y(tn,{label:"CFG scale",value:d,onClick:()=>t(FT(d))}),c&&c.length>0&&y(tn,{label:"Seed-weight pairs",value:K5(c),onClick:()=>t(HT(K5(c)))}),h&&y(tn,{label:"Seamless",value:h,onClick:()=>t(q5(h))}),m&&y(tn,{label:"Width",value:m,onClick:()=>t(q5(m))}),g&&y(tn,{label:"Height",value:g,onClick:()=>t(BT(g))}),E&&y(tn,{label:"Initial image",value:E,isLink:!0,onClick:()=>t(Lu(E))}),w&&y(tn,{label:"Mask image",value:w,isLink:!0,onClick:()=>t(nd(w))}),r==="img2img"&&b&&y(tn,{label:"Image to image strength",value:b,onClick:()=>t(VT(b))}),S&&y(tn,{label:"Image to image fit",value:S,onClick:()=>t(WT(S))}),o&&o.length>0&&q(wn,{children:[y(tb,{size:"sm",children:"Postprocessing"}),o.map((T,R)=>{if(T.type==="esrgan"){const{scale:N,strength:F}=T;return q(dt,{pl:"2rem",gap:1,direction:"column",children:[y(Nr,{size:"md",children:`${R+1}: Upscale (ESRGAN)`}),y(tn,{label:"Scale",value:N,onClick:()=>t(X5(N))}),y(tn,{label:"Strength",value:F,onClick:()=>t(Q5(F))})]},R)}else if(T.type==="gfpgan"){const{strength:N}=T;return q(dt,{pl:"2rem",gap:1,direction:"column",children:[y(Nr,{size:"md",children:`${R+1}: Face restoration (GFPGAN)`}),y(tn,{label:"Strength",value:N,onClick:()=>t(Y5(N))})]},R)}})]}),q(dt,{gap:2,direction:"column",children:[q(dt,{gap:2,children:[y(lo,{label:"Copy metadata JSON",children:y(Gn,{"aria-label":"Copy metadata JSON",icon:y(rpe,{}),size:"xs",variant:"ghost",fontSize:14,onClick:()=>navigator.clipboard.writeText(L)})}),y(Nr,{fontWeight:"semibold",children:"Metadata JSON:"})]}),y("div",{className:"current-image-json-viewer",children:y("pre",{children:L})})]})]}):y(dP,{width:"100%",pt:10,children:y(Nr,{fontSize:"lg",fontWeight:"semibold",children:"No metadata available"})})]})},Jpe);var B2=typeof navigator<"u"?navigator.userAgent.toLowerCase().indexOf("firefox")>0:!1;function $2(e,t,n,r){e.addEventListener?e.addEventListener(t,n,r):e.attachEvent&&e.attachEvent("on".concat(t),function(){n(window.event)})}function xI(e,t){for(var n=t.slice(0,t.length-1),r=0;r<n.length;r++)n[r]=e[n[r].toLowerCase()];return n}function SI(e){typeof e!="string"&&(e=""),e=e.replace(/\s/g,"");for(var t=e.split(","),n=t.lastIndexOf("");n>=0;)t[n-1]+=",",t.splice(n,1),n=t.lastIndexOf("");return t}function the(e,t){for(var n=e.length>=t.length?e:t,r=e.length>=t.length?t:e,o=!0,i=0;i<n.length;i++)r.indexOf(n[i])===-1&&(o=!1);return o}var n6={backspace:8,tab:9,clear:12,enter:13,return:13,esc:27,escape:27,space:32,left:37,up:38,right:39,down:40,del:46,delete:46,ins:45,insert:45,home:36,end:35,pageup:33,pagedown:34,capslock:20,num_0:96,num_1:97,num_2:98,num_3:99,num_4:100,num_5:101,num_6:102,num_7:103,num_8:104,num_9:105,num_multiply:106,num_add:107,num_enter:108,num_subtract:109,num_decimal:110,num_divide:111,"\u21EA":20,",":188,".":190,"/":191,"`":192,"-":B2?173:189,"=":B2?61:187,";":B2?59:186,"'":222,"[":219,"]":221,"\\":220},qa={"\u21E7":16,shift:16,"\u2325":18,alt:18,option:18,"\u2303":17,ctrl:17,control:17,"\u2318":91,cmd:91,command:91},s4={16:"shiftKey",18:"altKey",17:"ctrlKey",91:"metaKey",shiftKey:16,ctrlKey:17,altKey:18,metaKey:91},Mn={16:!1,18:!1,17:!1,91:!1},an={};for(var Th=1;Th<20;Th++)n6["f".concat(Th)]=111+Th;var Dt=[],q7=!1,wI="all",CI=[],Vm=function(t){return n6[t.toLowerCase()]||qa[t.toLowerCase()]||t.toUpperCase().charCodeAt(0)};function _I(e){wI=e||"all"}function rd(){return wI||"all"}function nhe(){return Dt.slice(0)}function rhe(e){var t=e.target||e.srcElement,n=t.tagName,r=!0;return(t.isContentEditable||(n==="INPUT"||n==="TEXTAREA"||n==="SELECT")&&!t.readOnly)&&(r=!1),r}function ohe(e){return typeof e=="string"&&(e=Vm(e)),Dt.indexOf(e)!==-1}function ihe(e,t){var n,r;e||(e=rd());for(var o in an)if(Object.prototype.hasOwnProperty.call(an,o))for(n=an[o],r=0;r<n.length;)n[r].scope===e?n.splice(r,1):r++;rd()===e&&_I(t||"all")}function ahe(e){var t=e.keyCode||e.which||e.charCode,n=Dt.indexOf(t);if(n>=0&&Dt.splice(n,1),e.key&&e.key.toLowerCase()==="meta"&&Dt.splice(0,Dt.length),(t===93||t===224)&&(t=91),t in Mn){Mn[t]=!1;for(var r in qa)qa[r]===t&&(zr[r]=!1)}}function she(e){if(typeof e>"u")Object.keys(an).forEach(function(s){return delete an[s]});else if(Array.isArray(e))e.forEach(function(s){s.key&&V2(s)});else if(typeof e=="object")e.key&&V2(e);else if(typeof e=="string"){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];var o=n[0],i=n[1];typeof o=="function"&&(i=o,o=""),V2({key:e,scope:o,method:i,splitKey:"+"})}}var V2=function(t){var n=t.key,r=t.scope,o=t.method,i=t.splitKey,s=i===void 0?"+":i,u=SI(n);u.forEach(function(c){var f=c.split(s),d=f.length,h=f[d-1],m=h==="*"?"*":Vm(h);if(!!an[m]){r||(r=rd());var g=d>1?xI(qa,f):[];an[m]=an[m].filter(function(b){var S=o?b.method===o:!0;return!(S&&b.scope===r&&the(b.mods,g))})}})};function Y7(e,t,n,r){if(t.element===r){var o;if(t.scope===n||t.scope==="all"){o=t.mods.length>0;for(var i in Mn)Object.prototype.hasOwnProperty.call(Mn,i)&&(!Mn[i]&&t.mods.indexOf(+i)>-1||Mn[i]&&t.mods.indexOf(+i)===-1)&&(o=!1);(t.mods.length===0&&!Mn[16]&&!Mn[18]&&!Mn[17]&&!Mn[91]||o||t.shortcut==="*")&&t.method(e,t)===!1&&(e.preventDefault?e.preventDefault():e.returnValue=!1,e.stopPropagation&&e.stopPropagation(),e.cancelBubble&&(e.cancelBubble=!0))}}}function X7(e,t){var n=an["*"],r=e.keyCode||e.which||e.charCode;if(!!zr.filter.call(this,e)){if((r===93||r===224)&&(r=91),Dt.indexOf(r)===-1&&r!==229&&Dt.push(r),["ctrlKey","altKey","shiftKey","metaKey"].forEach(function(b){var S=s4[b];e[b]&&Dt.indexOf(S)===-1?Dt.push(S):!e[b]&&Dt.indexOf(S)>-1?Dt.splice(Dt.indexOf(S),1):b==="metaKey"&&e[b]&&Dt.length===3&&(e.ctrlKey||e.shiftKey||e.altKey||(Dt=Dt.slice(Dt.indexOf(S))))}),r in Mn){Mn[r]=!0;for(var o in qa)qa[o]===r&&(zr[o]=!0);if(!n)return}for(var i in Mn)Object.prototype.hasOwnProperty.call(Mn,i)&&(Mn[i]=e[s4[i]]);e.getModifierState&&!(e.altKey&&!e.ctrlKey)&&e.getModifierState("AltGraph")&&(Dt.indexOf(17)===-1&&Dt.push(17),Dt.indexOf(18)===-1&&Dt.push(18),Mn[17]=!0,Mn[18]=!0);var s=rd();if(n)for(var u=0;u<n.length;u++)n[u].scope===s&&(e.type==="keydown"&&n[u].keydown||e.type==="keyup"&&n[u].keyup)&&Y7(e,n[u],s,t);if(r in an){for(var c=0;c<an[r].length;c++)if((e.type==="keydown"&&an[r][c].keydown||e.type==="keyup"&&an[r][c].keyup)&&an[r][c].key){for(var f=an[r][c],d=f.splitKey,h=f.key.split(d),m=[],g=0;g<h.length;g++)m.push(Vm(h[g]));m.sort().join("")===Dt.sort().join("")&&Y7(e,f,s,t)}}}}function lhe(e){return CI.indexOf(e)>-1}function zr(e,t,n){Dt=[];var r=SI(e),o=[],i="all",s=document,u=0,c=!1,f=!0,d="+",h=!1;for(n===void 0&&typeof t=="function"&&(n=t),Object.prototype.toString.call(t)==="[object Object]"&&(t.scope&&(i=t.scope),t.element&&(s=t.element),t.keyup&&(c=t.keyup),t.keydown!==void 0&&(f=t.keydown),t.capture!==void 0&&(h=t.capture),typeof t.splitKey=="string"&&(d=t.splitKey)),typeof t=="string"&&(i=t);u<r.length;u++)e=r[u].split(d),o=[],e.length>1&&(o=xI(qa,e)),e=e[e.length-1],e=e==="*"?"*":Vm(e),e in an||(an[e]=[]),an[e].push({keyup:c,keydown:f,scope:i,mods:o,shortcut:r[u],method:n,key:r[u],splitKey:d,element:s});typeof s<"u"&&!lhe(s)&&window&&(CI.push(s),$2(s,"keydown",function(m){X7(m,s)},h),q7||(q7=!0,$2(window,"focus",function(){Dt=[]},h)),$2(s,"keyup",function(m){X7(m,s),ahe(m)},h))}function uhe(e){var t=arguments.length>1&&arguments[1]!==void 0?arguments[1]:"all";Object.keys(an).forEach(function(n){var r=an[n].find(function(o){return o.scope===t&&o.shortcut===e});r&&r.method&&r.method()})}var W2={setScope:_I,getScope:rd,deleteScope:ihe,getPressedKeyCodes:nhe,isPressed:ohe,filter:rhe,trigger:uhe,unbind:she,keyMap:n6,modifier:qa,modifierMap:s4};for(var H2 in W2)Object.prototype.hasOwnProperty.call(W2,H2)&&(zr[H2]=W2[H2]);if(typeof window<"u"){var che=window.hotkeys;zr.noConflict=function(e){return e&&window.hotkeys===zr&&(window.hotkeys=che),zr},window.hotkeys=zr}zr.filter=function(){return!0};var kI=function(t,n){var r=t.target,o=r&&r.tagName;return Boolean(o&&n&&n.includes(o))},fhe=function(t){return kI(t,["INPUT","TEXTAREA","SELECT"])};function Qo(e,t,n,r){n instanceof Array&&(r=n,n=void 0);var o=n||{},i=o.enableOnTags,s=o.filter,u=o.keyup,c=o.keydown,f=o.filterPreventDefault,d=f===void 0?!0:f,h=o.enabled,m=h===void 0?!0:h,g=o.enableOnContentEditable,b=g===void 0?!1:g,S=C.exports.useRef(null),E=C.exports.useCallback(function(w,x){var _,L;return s&&!s(w)?!d:fhe(w)&&!kI(w,i)||(_=w.target)!=null&&_.isContentEditable&&!b?!0:S.current===null||document.activeElement===S.current||(L=S.current)!=null&&L.contains(document.activeElement)?(t(w,x),!0):!1},r?[S,i,s].concat(r):[S,i,s]);return C.exports.useEffect(function(){if(!m){zr.unbind(e,E);return}return u&&c!==!0&&(n.keydown=!1),zr(e,n||{},E),function(){return zr.unbind(e,E)}},[E,e,m]),S}zr.isPressed;const dhe=Dn(e=>e.system,e=>e.shouldConfirmOnDelete),EI=C.exports.forwardRef(({image:e,children:t},n)=>{const{isOpen:r,onOpen:o,onClose:i}=r0(),s=Ue(),u=Te(dhe),c=C.exports.useRef(null),f=m=>{m.stopPropagation(),u?o():d()},d=()=>{s(Lde(e)),i()};Qo("del",()=>{u?o():d()},[e]);const h=m=>s(ZT(!m.target.checked));return q(wn,{children:[C.exports.cloneElement(t,{onClick:f,ref:n}),y(ute,{isOpen:r,leastDestructiveRef:c,onClose:i,children:y(Yf,{children:q(cte,{children:[y(_b,{fontSize:"lg",fontWeight:"bold",children:"Delete image"}),y(s0,{children:q(dt,{direction:"column",gap:5,children:[y(Nr,{children:"Are you sure? You can't undo this action afterwards."}),y(es,{children:q(dt,{alignItems:"center",children:[y(Us,{mb:0,children:"Don't ask me again"}),y(Em,{checked:!u,onChange:h})]})})]})}),q(Cb,{children:[y(zo,{ref:c,onClick:i,children:"Cancel"}),y(zo,{colorScheme:"red",onClick:d,ml:3,children:"Delete"})]})]})})})]})}),Ih=e=>{const{label:t,tooltip:n="",size:r="sm",...o}=e;return y(lo,{label:n,children:y(zo,{size:r,...o,children:t})})},xs=e=>{const{tooltip:t="",onClick:n,...r}=e;return y(lo,{label:t,children:y(Gn,{...r,cursor:n?"pointer":"unset",onClick:n})})},Q7=({title:e="Popup",styleClass:t,delay:n=50,popoverOptions:r,actionButton:o,children:i})=>q(Eb,{trigger:"hover",closeDelay:n,children:[y(Tb,{children:y(hi,{children:i})}),q(Ab,{className:`popover-content ${t}`,children:[y(Lb,{className:"popover-arrow"}),y(AA,{className:"popover-header",children:e}),q("div",{className:"popover-options",children:[r||null,o]})]})]}),J7=/^-?(0\.)?\.?$/,yi=e=>{const{label:t,styleClass:n,isDisabled:r=!1,showStepper:o=!0,fontSize:i="1rem",size:s="sm",width:u,textAlign:c,isInvalid:f,value:d,onChange:h,min:m,max:g,isInteger:b=!0,...S}=e,[E,w]=C.exports.useState(String(d));C.exports.useEffect(()=>{!E.match(J7)&&d!==Number(E)&&w(String(d))},[d,E]);const x=L=>{w(L),L.match(J7)||h(b?Math.floor(Number(L)):Number(L))},_=L=>{const T=ufe.clamp(b?Math.floor(Number(L.target.value)):Number(L.target.value),m,g);w(String(T)),h(T)};return q(es,{isDisabled:r,isInvalid:f,className:`number-input ${n}`,children:[t&&y(Us,{fontSize:i,marginBottom:1,flexGrow:2,whiteSpace:"nowrap",className:"number-input-label",children:t}),q(_A,{size:s,...S,className:"number-input-field",value:E,keepWithinRange:!0,clampValueOnBlur:!1,onChange:x,onBlur:_,children:[y(kA,{fontSize:i,className:"number-input-entry",width:u,textAlign:c}),q("div",{className:"number-input-stepper",style:o?{display:"block"}:{display:"none"},children:[y(PA,{className:"number-input-stepper-button"}),y(LA,{className:"number-input-stepper-button"})]})]})]})},Wm=e=>{const{label:t,isDisabled:n,validValues:r,size:o="sm",fontSize:i="md",styleClass:s,...u}=e;return q(es,{isDisabled:n,className:`iai-select ${s}`,children:[y(Us,{fontSize:i,marginBottom:1,flexGrow:2,whiteSpace:"nowrap",className:"iai-select-label",children:t}),y(MA,{fontSize:i,size:o,...u,className:"iai-select-picker",children:r.map(c=>typeof c=="string"||typeof c=="number"?y("option",{value:c,className:"iai-select-option",children:c},c):y("option",{value:c.value,children:c.key},c.value))})]})},phe=Dn(e=>e.options,e=>({upscalingLevel:e.upscalingLevel,upscalingStrength:e.upscalingStrength}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),hhe=Dn(e=>e.system,e=>({isESRGANAvailable:e.isESRGANAvailable}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),LI=()=>{const e=Ue(),{upscalingLevel:t,upscalingStrength:n}=Te(phe),{isESRGANAvailable:r}=Te(hhe);return q("div",{className:"upscale-options",children:[y(Wm,{isDisabled:!r,label:"Scale",value:t,onChange:s=>e(X5(Number(s.target.value))),validValues:zde}),y(yi,{isDisabled:!r,label:"Strength",step:.05,min:0,max:1,onChange:s=>e(Q5(s)),value:n,isInteger:!1})]})},mhe=Dn(e=>e.options,e=>({gfpganStrength:e.gfpganStrength}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),ghe=Dn(e=>e.system,e=>({isGFPGANAvailable:e.isGFPGANAvailable}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),PI=()=>{const e=Ue(),{gfpganStrength:t}=Te(mhe),{isGFPGANAvailable:n}=Te(ghe);return y(dt,{direction:"column",gap:2,children:y(yi,{isDisabled:!n,label:"Strength",step:.05,min:0,max:1,onChange:o=>e(Y5(o)),value:t,width:"90px",isInteger:!1})})},vhe=Dn(e=>e.system,e=>({isProcessing:e.isProcessing,isConnected:e.isConnected,isGFPGANAvailable:e.isGFPGANAvailable,isESRGANAvailable:e.isESRGANAvailable}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),yhe=({image:e,shouldShowImageDetails:t,setShouldShowImageDetails:n})=>{const r=Ue(),o=aT(),i=Te(x=>x.gallery.intermediateImage),s=Te(x=>x.options.upscalingLevel),u=Te(x=>x.options.gfpganStrength),{isProcessing:c,isConnected:f,isGFPGANAvailable:d,isESRGANAvailable:h}=Te(vhe),m=()=>r(Lu(e.url));Qo("shift+i",()=>{e?(m(),o({title:"Sent To Image To Image",status:"success",duration:2500,isClosable:!0})):o({title:"No Image Loaded",description:"No image found to send to image to image module.",status:"error",duration:2500,isClosable:!0})},[e]);const g=()=>r(jT(e.metadata));Qo("a",()=>{["txt2img","img2img"].includes(e?.metadata?.image?.type)?(g(),o({title:"Parameters Set",status:"success",duration:2500,isClosable:!0})):o({title:"Parameters Not Set",description:"No metadata found for this image.",status:"error",duration:2500,isClosable:!0})},[e]);const b=()=>r(Td(e.metadata.image.seed));Qo("s",()=>{e?.metadata?.image?.seed?(b(),o({title:"Seed Set",status:"success",duration:2500,isClosable:!0})):o({title:"Seed Not Set",description:"Could not find seed for this image.",status:"error",duration:2500,isClosable:!0})},[e]);const S=()=>r(kde(e));Qo("u",()=>{h&&Boolean(!i)&&f&&!c&&s?S():o({title:"Upscaling Failed",status:"error",duration:2500,isClosable:!0})},[e,h,i,f,c,s]);const E=()=>r(Ede(e));Qo("r",()=>{d&&Boolean(!i)&&f&&!c&&u?E():o({title:"Face Restoration Failed",status:"error",duration:2500,isClosable:!0})},[e,d,i,f,c,u]);const w=()=>n(!t);return Qo("i",()=>{e?w():o({title:"Failed to load metadata",status:"error",duration:2500,isClosable:!0})},[e,t]),q("div",{className:"current-image-options",children:[y(xs,{icon:y(gpe,{}),tooltip:"Use As Initial Image","aria-label":"Use As Initial Image",onClick:m}),y(Ih,{label:"Use All",isDisabled:!["txt2img","img2img"].includes(e?.metadata?.image?.type),onClick:g}),y(Ih,{label:"Use Seed",isDisabled:!e?.metadata?.image?.seed,onClick:b}),y(Q7,{title:"Restore Faces",popoverOptions:y(PI,{}),actionButton:y(Ih,{label:"Restore Faces",isDisabled:!d||Boolean(i)||!(f&&!c)||!u,onClick:E}),children:y(xs,{icon:y(cpe,{}),"aria-label":"Restore Faces"})}),y(Q7,{title:"Upscale",styleClass:"upscale-popover",popoverOptions:y(LI,{}),actionButton:y(Ih,{label:"Upscale Image",isDisabled:!h||Boolean(i)||!(f&&!c)||!s,onClick:S}),children:y(xs,{icon:y(ppe,{}),"aria-label":"Upscale"})}),y(xs,{icon:y(fpe,{}),tooltip:"Details","aria-label":"Details",onClick:w}),y(EI,{image:e,children:y(xs,{icon:y(upe,{}),tooltip:"Delete Image","aria-label":"Delete Image",isDisabled:Boolean(i)})})]})},bhe=()=>{const{currentImage:e,intermediateImage:t}=Te(i=>i.gallery),[n,r]=C.exports.useState(!1),o=t||e;return o?q("div",{className:"current-image-display",children:[y("div",{className:"current-image-tools",children:y(yhe,{image:o,shouldShowImageDetails:n,setShouldShowImageDetails:r})}),q("div",{className:"current-image-preview",children:[y(Hf,{src:o.url,fit:"contain",maxWidth:"100%",maxHeight:"100%"}),n&&y("div",{className:"current-image-metadata-viewer",children:y(ehe,{image:o})})]})]}):y("div",{className:"current-image-display-placeholder",children:y(ype,{})})},xhe=(e,t)=>e.image.uuid===t.image.uuid&&e.isSelected===t.isSelected,She=C.exports.memo(e=>{const[t,n]=C.exports.useState(!1),r=Ue(),o=qv("green.600","green.300"),i=qv("gray.200","gray.700"),s=qv("radial-gradient(circle, rgba(255,255,255,0.7) 0%, rgba(255,255,255,0.7) 20%, rgba(0,0,0,0) 100%)","radial-gradient(circle, rgba(0,0,0,0.7) 0%, rgba(0,0,0,0.7) 20%, rgba(0,0,0,0) 100%)"),{image:u,isSelected:c}=e,{url:f,uuid:d,metadata:h}=u,m=()=>n(!0),g=()=>n(!1),b=w=>{w.stopPropagation(),r(jT(h))},S=w=>{w.stopPropagation(),r(Td(u.metadata.image.seed))};return q(hi,{position:"relative",children:[y(Hf,{width:120,height:120,objectFit:"cover",rounded:"md",src:f,loading:"lazy",backgroundColor:i}),q(dt,{cursor:"pointer",position:"absolute",top:0,left:0,rounded:"md",width:"100%",height:"100%",alignItems:"center",justifyContent:"center",background:c?s:void 0,onClick:()=>r(dfe(u)),onMouseOver:m,onMouseOut:g,children:[c&&y(Gr,{fill:o,width:"50%",height:"50%",as:tpe}),t&&q(dt,{direction:"column",gap:1,position:"absolute",top:1,right:1,children:[y(lo,{label:"Delete image",children:y(EI,{image:u,children:y(Gn,{colorScheme:"red","aria-label":"Delete image",icon:y(lpe,{}),size:"xs",variant:"imageHoverIconButton",fontSize:14})})}),["txt2img","img2img"].includes(u?.metadata?.image?.type)&&y(lo,{label:"Use all parameters",children:y(Gn,{"aria-label":"Use all parameters",icon:y(bI,{}),size:"xs",fontSize:18,variant:"imageHoverIconButton",onClickCapture:b})}),u?.metadata?.image?.seed!==void 0&&y(lo,{label:"Use seed",children:y(Gn,{"aria-label":"Use seed",icon:y(ape,{}),size:"xs",fontSize:16,variant:"imageHoverIconButton",onClickCapture:S})})]})]})]},d)},xhe),whe=()=>{const{images:e,currentImageUuid:t,areMoreImagesAvailable:n}=Te(i=>i.gallery),r=Ue(),o=()=>{r(uI())};return q("div",{className:"image-gallery-container",children:[e.length?q(wn,{children:[y("p",{children:y("strong",{children:"Your Invocations"})}),y("div",{className:"image-gallery",children:e.map(i=>{const{uuid:s}=i;return y(She,{image:i,isSelected:t===s},s)})})]}):q("div",{className:"image-gallery-container-placeholder",children:[y(vpe,{}),y("p",{children:"No Images In Gallery"})]}),y(zo,{onClick:o,isDisabled:!n,className:"image-gallery-load-more-btn",children:n?"Load More":"All Images Loaded"})]})};function Che(){const e=Te(r=>r.options.showAdvancedOptions),t=Ue();return q("div",{className:"advanced_options_checker",children:[y("input",{type:"checkbox",name:"advanced_options",id:"",onChange:r=>t(sfe(r.target.checked)),checked:e}),y("label",{htmlFor:"advanced_options",children:"Advanced Options"})]})}function _he(){const e=Ue(),t=Te(r=>r.options.cfgScale);return y(yi,{label:"CFG Scale",step:.5,min:1,max:30,onChange:r=>e(FT(r)),value:t,width:r6,fontSize:Wu,styleClass:"main-option-block",textAlign:"center",isInteger:!1})}function khe(){const e=Te(r=>r.options.height),t=Ue();return y(Wm,{label:"Height",value:e,flexGrow:1,onChange:r=>t(BT(Number(r.target.value))),validValues:Dde,fontSize:Wu,styleClass:"main-option-block"})}function Ehe(){const e=Ue(),t=Te(r=>r.options.iterations);return y(yi,{label:"Images",step:1,min:1,max:9999,onChange:r=>e(Xce(r)),value:t,width:r6,fontSize:Wu,styleClass:"main-option-block",textAlign:"center"})}function Lhe(){const e=Te(r=>r.options.sampler),t=Ue();return y(Wm,{label:"Sampler",value:e,onChange:r=>t($T(r.target.value)),validValues:Rde,fontSize:Wu,styleClass:"main-option-block"})}function Phe(){const e=Ue(),t=Te(r=>r.options.steps);return y(yi,{label:"Steps",min:1,max:9999,step:1,onChange:r=>e(zT(r)),value:t,width:r6,fontSize:Wu,styleClass:"main-option-block",textAlign:"center"})}function Ahe(){const e=Te(r=>r.options.width),t=Ue();return y(Wm,{label:"Width",value:e,flexGrow:1,onChange:r=>t(q5(Number(r.target.value))),validValues:Nde,fontSize:Wu,styleClass:"main-option-block"})}const Wu="0.9rem",r6="auto";function The(){return y("div",{className:"main-options",children:q("div",{className:"main-options-list",children:[q("div",{className:"main-options-row",children:[y(Ehe,{}),y(Phe,{}),y(_he,{})]}),q("div",{className:"main-options-row",children:[y(Ahe,{}),y(khe,{}),y(Lhe,{})]}),y(Che,{})]})})}const Ys=e=>{const{label:t,isDisabled:n=!1,fontSize:r="md",size:o="md",width:i="auto",...s}=e;return y(es,{isDisabled:n,width:i,children:q(dt,{justifyContent:"space-between",alignItems:"center",children:[t&&y(Us,{fontSize:r,marginBottom:1,flexGrow:2,whiteSpace:"nowrap",children:t}),y(Em,{size:o,className:"switch-button",...s})]})})},Ihe=()=>{const e=Ue(),t=Te(r=>r.options.seamless);return y(dt,{gap:2,direction:"column",children:y(Ys,{label:"Seamless tiling",fontSize:"md",isChecked:t,onChange:r=>e(efe(r.target.checked))})})};var Mhe=new Map([["aac","audio/aac"],["abw","application/x-abiword"],["arc","application/x-freearc"],["avif","image/avif"],["avi","video/x-msvideo"],["azw","application/vnd.amazon.ebook"],["bin","application/octet-stream"],["bmp","image/bmp"],["bz","application/x-bzip"],["bz2","application/x-bzip2"],["cda","application/x-cdf"],["csh","application/x-csh"],["css","text/css"],["csv","text/csv"],["doc","application/msword"],["docx","application/vnd.openxmlformats-officedocument.wordprocessingml.document"],["eot","application/vnd.ms-fontobject"],["epub","application/epub+zip"],["gz","application/gzip"],["gif","image/gif"],["heic","image/heic"],["heif","image/heif"],["htm","text/html"],["html","text/html"],["ico","image/vnd.microsoft.icon"],["ics","text/calendar"],["jar","application/java-archive"],["jpeg","image/jpeg"],["jpg","image/jpeg"],["js","text/javascript"],["json","application/json"],["jsonld","application/ld+json"],["mid","audio/midi"],["midi","audio/midi"],["mjs","text/javascript"],["mp3","audio/mpeg"],["mp4","video/mp4"],["mpeg","video/mpeg"],["mpkg","application/vnd.apple.installer+xml"],["odp","application/vnd.oasis.opendocument.presentation"],["ods","application/vnd.oasis.opendocument.spreadsheet"],["odt","application/vnd.oasis.opendocument.text"],["oga","audio/ogg"],["ogv","video/ogg"],["ogx","application/ogg"],["opus","audio/opus"],["otf","font/otf"],["png","image/png"],["pdf","application/pdf"],["php","application/x-httpd-php"],["ppt","application/vnd.ms-powerpoint"],["pptx","application/vnd.openxmlformats-officedocument.presentationml.presentation"],["rar","application/vnd.rar"],["rtf","application/rtf"],["sh","application/x-sh"],["svg","image/svg+xml"],["swf","application/x-shockwave-flash"],["tar","application/x-tar"],["tif","image/tiff"],["tiff","image/tiff"],["ts","video/mp2t"],["ttf","font/ttf"],["txt","text/plain"],["vsd","application/vnd.visio"],["wav","audio/wav"],["weba","audio/webm"],["webm","video/webm"],["webp","image/webp"],["woff","font/woff"],["woff2","font/woff2"],["xhtml","application/xhtml+xml"],["xls","application/vnd.ms-excel"],["xlsx","application/vnd.openxmlformats-officedocument.spreadsheetml.sheet"],["xml","application/xml"],["xul","application/vnd.mozilla.xul+xml"],["zip","application/zip"],["7z","application/x-7z-compressed"],["mkv","video/x-matroska"],["mov","video/quicktime"],["msg","application/vnd.ms-outlook"]]);function Id(e,t){var n=Ohe(e);if(typeof n.path!="string"){var r=e.webkitRelativePath;Object.defineProperty(n,"path",{value:typeof t=="string"?t:typeof r=="string"&&r.length>0?r:e.name,writable:!1,configurable:!1,enumerable:!0})}return n}function Ohe(e){var t=e.name,n=t&&t.lastIndexOf(".")!==-1;if(n&&!e.type){var r=t.split(".").pop().toLowerCase(),o=Mhe.get(r);o&&Object.defineProperty(e,"type",{value:o,writable:!1,configurable:!1,enumerable:!0})}return e}var Rhe=[".DS_Store","Thumbs.db"];function Nhe(e){return Nu(this,void 0,void 0,function(){return Du(this,function(t){return y0(e)&&Dhe(e.dataTransfer)?[2,$he(e.dataTransfer,e.type)]:zhe(e)?[2,Fhe(e)]:Array.isArray(e)&&e.every(function(n){return"getFile"in n&&typeof n.getFile=="function"})?[2,Bhe(e)]:[2,[]]})})}function Dhe(e){return y0(e)}function zhe(e){return y0(e)&&y0(e.target)}function y0(e){return typeof e=="object"&&e!==null}function Fhe(e){return l4(e.target.files).map(function(t){return Id(t)})}function Bhe(e){return Nu(this,void 0,void 0,function(){var t;return Du(this,function(n){switch(n.label){case 0:return[4,Promise.all(e.map(function(r){return r.getFile()}))];case 1:return t=n.sent(),[2,t.map(function(r){return Id(r)})]}})})}function $he(e,t){return Nu(this,void 0,void 0,function(){var n,r;return Du(this,function(o){switch(o.label){case 0:return e.items?(n=l4(e.items).filter(function(i){return i.kind==="file"}),t!=="drop"?[2,n]:[4,Promise.all(n.map(Vhe))]):[3,2];case 1:return r=o.sent(),[2,eC(AI(r))];case 2:return[2,eC(l4(e.files).map(function(i){return Id(i)}))]}})})}function eC(e){return e.filter(function(t){return Rhe.indexOf(t.name)===-1})}function l4(e){if(e===null)return[];for(var t=[],n=0;n<e.length;n++){var r=e[n];t.push(r)}return t}function Vhe(e){if(typeof e.webkitGetAsEntry!="function")return tC(e);var t=e.webkitGetAsEntry();return t&&t.isDirectory?TI(t):tC(e)}function AI(e){return e.reduce(function(t,n){return Jy(Jy([],qS(t),!1),qS(Array.isArray(n)?AI(n):[n]),!1)},[])}function tC(e){var t=e.getAsFile();if(!t)return Promise.reject("".concat(e," is not a File"));var n=Id(t);return Promise.resolve(n)}function Whe(e){return Nu(this,void 0,void 0,function(){return Du(this,function(t){return[2,e.isDirectory?TI(e):Hhe(e)]})})}function TI(e){var t=e.createReader();return new Promise(function(n,r){var o=[];function i(){var s=this;t.readEntries(function(u){return Nu(s,void 0,void 0,function(){var c,f,d;return Du(this,function(h){switch(h.label){case 0:if(u.length)return[3,5];h.label=1;case 1:return h.trys.push([1,3,,4]),[4,Promise.all(o)];case 2:return c=h.sent(),n(c),[3,4];case 3:return f=h.sent(),r(f),[3,4];case 4:return[3,6];case 5:d=Promise.all(u.map(Whe)),o.push(d),i(),h.label=6;case 6:return[2]}})})},function(u){r(u)})}i()})}function Hhe(e){return Nu(this,void 0,void 0,function(){return Du(this,function(t){return[2,new Promise(function(n,r){e.file(function(o){var i=Id(o,e.fullPath);n(i)},function(o){r(o)})})]})})}var jhe=function(e,t){if(e&&t){var n=Array.isArray(t)?t:t.split(","),r=e.name||"",o=(e.type||"").toLowerCase(),i=o.replace(/\/.*$/,"");return n.some(function(s){var u=s.trim().toLowerCase();return u.charAt(0)==="."?r.toLowerCase().endsWith(u):u.endsWith("/*")?i===u.replace(/\/.*$/,""):o===u})}return!0};function nC(e){return Zhe(e)||Ghe(e)||MI(e)||Uhe()}function Uhe(){throw new TypeError(`Invalid attempt to spread non-iterable instance. +In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function Ghe(e){if(typeof Symbol<"u"&&e[Symbol.iterator]!=null||e["@@iterator"]!=null)return Array.from(e)}function Zhe(e){if(Array.isArray(e))return u4(e)}function rC(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function oC(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?rC(Object(n),!0).forEach(function(r){II(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):rC(Object(n)).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function II(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function od(e,t){return Yhe(e)||qhe(e,t)||MI(e,t)||Khe()}function Khe(){throw new TypeError(`Invalid attempt to destructure non-iterable instance. +In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function MI(e,t){if(!!e){if(typeof e=="string")return u4(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);if(n==="Object"&&e.constructor&&(n=e.constructor.name),n==="Map"||n==="Set")return Array.from(e);if(n==="Arguments"||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return u4(e,t)}}function u4(e,t){(t==null||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function qhe(e,t){var n=e==null?null:typeof Symbol<"u"&&e[Symbol.iterator]||e["@@iterator"];if(n!=null){var r=[],o=!0,i=!1,s,u;try{for(n=n.call(e);!(o=(s=n.next()).done)&&(r.push(s.value),!(t&&r.length===t));o=!0);}catch(c){i=!0,u=c}finally{try{!o&&n.return!=null&&n.return()}finally{if(i)throw u}}return r}}function Yhe(e){if(Array.isArray(e))return e}var Xhe="file-invalid-type",Qhe="file-too-large",Jhe="file-too-small",e1e="too-many-files",t1e=function(t){t=Array.isArray(t)&&t.length===1?t[0]:t;var n=Array.isArray(t)?"one of ".concat(t.join(", ")):t;return{code:Xhe,message:"File type must be ".concat(n)}},iC=function(t){return{code:Qhe,message:"File is larger than ".concat(t," ").concat(t===1?"byte":"bytes")}},aC=function(t){return{code:Jhe,message:"File is smaller than ".concat(t," ").concat(t===1?"byte":"bytes")}},n1e={code:e1e,message:"Too many files"};function OI(e,t){var n=e.type==="application/x-moz-file"||jhe(e,t);return[n,n?null:t1e(t)]}function RI(e,t,n){if(Ss(e.size))if(Ss(t)&&Ss(n)){if(e.size>n)return[!1,iC(n)];if(e.size<t)return[!1,aC(t)]}else{if(Ss(t)&&e.size<t)return[!1,aC(t)];if(Ss(n)&&e.size>n)return[!1,iC(n)]}return[!0,null]}function Ss(e){return e!=null}function r1e(e){var t=e.files,n=e.accept,r=e.minSize,o=e.maxSize,i=e.multiple,s=e.maxFiles,u=e.validator;return!i&&t.length>1||i&&s>=1&&t.length>s?!1:t.every(function(c){var f=OI(c,n),d=od(f,1),h=d[0],m=RI(c,r,o),g=od(m,1),b=g[0],S=u?u(c):null;return h&&b&&!S})}function b0(e){return typeof e.isPropagationStopped=="function"?e.isPropagationStopped():typeof e.cancelBubble<"u"?e.cancelBubble:!1}function Mh(e){return e.dataTransfer?Array.prototype.some.call(e.dataTransfer.types,function(t){return t==="Files"||t==="application/x-moz-file"}):!!e.target&&!!e.target.files}function sC(e){e.preventDefault()}function o1e(e){return e.indexOf("MSIE")!==-1||e.indexOf("Trident/")!==-1}function i1e(e){return e.indexOf("Edge/")!==-1}function a1e(){var e=arguments.length>0&&arguments[0]!==void 0?arguments[0]:window.navigator.userAgent;return o1e(e)||i1e(e)}function Go(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(r){for(var o=arguments.length,i=new Array(o>1?o-1:0),s=1;s<o;s++)i[s-1]=arguments[s];return t.some(function(u){return!b0(r)&&u&&u.apply(void 0,[r].concat(i)),b0(r)})}}function s1e(){return"showOpenFilePicker"in window}function l1e(e){if(Ss(e)){var t=Object.entries(e).filter(function(n){var r=od(n,2),o=r[0],i=r[1],s=!0;return NI(o)||(console.warn('Skipped "'.concat(o,'" because it is not a valid MIME type. Check https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/MIME_types/Common_types for a list of valid MIME types.')),s=!1),(!Array.isArray(i)||!i.every(DI))&&(console.warn('Skipped "'.concat(o,'" because an invalid file extension was provided.')),s=!1),s}).reduce(function(n,r){var o=od(r,2),i=o[0],s=o[1];return oC(oC({},n),{},II({},i,s))},{});return[{accept:t}]}return e}function u1e(e){if(Ss(e))return Object.entries(e).reduce(function(t,n){var r=od(n,2),o=r[0],i=r[1];return[].concat(nC(t),[o],nC(i))},[]).filter(function(t){return NI(t)||DI(t)}).join(",")}function c1e(e){return e instanceof DOMException&&(e.name==="AbortError"||e.code===e.ABORT_ERR)}function f1e(e){return e instanceof DOMException&&(e.name==="SecurityError"||e.code===e.SECURITY_ERR)}function NI(e){return e==="audio/*"||e==="video/*"||e==="image/*"||e==="text/*"||/\w+\/[-+.\w]+/g.test(e)}function DI(e){return/^.*\.[\w]+$/.test(e)}var d1e=["children"],p1e=["open"],h1e=["refKey","role","onKeyDown","onFocus","onBlur","onClick","onDragEnter","onDragOver","onDragLeave","onDrop"],m1e=["refKey","onChange","onClick"];function g1e(e){return b1e(e)||y1e(e)||zI(e)||v1e()}function v1e(){throw new TypeError(`Invalid attempt to spread non-iterable instance. +In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function y1e(e){if(typeof Symbol<"u"&&e[Symbol.iterator]!=null||e["@@iterator"]!=null)return Array.from(e)}function b1e(e){if(Array.isArray(e))return c4(e)}function j2(e,t){return w1e(e)||S1e(e,t)||zI(e,t)||x1e()}function x1e(){throw new TypeError(`Invalid attempt to destructure non-iterable instance. +In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function zI(e,t){if(!!e){if(typeof e=="string")return c4(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);if(n==="Object"&&e.constructor&&(n=e.constructor.name),n==="Map"||n==="Set")return Array.from(e);if(n==="Arguments"||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return c4(e,t)}}function c4(e,t){(t==null||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function S1e(e,t){var n=e==null?null:typeof Symbol<"u"&&e[Symbol.iterator]||e["@@iterator"];if(n!=null){var r=[],o=!0,i=!1,s,u;try{for(n=n.call(e);!(o=(s=n.next()).done)&&(r.push(s.value),!(t&&r.length===t));o=!0);}catch(c){i=!0,u=c}finally{try{!o&&n.return!=null&&n.return()}finally{if(i)throw u}}return r}}function w1e(e){if(Array.isArray(e))return e}function lC(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function Wt(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?lC(Object(n),!0).forEach(function(r){f4(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):lC(Object(n)).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function f4(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function x0(e,t){if(e==null)return{};var n=C1e(e,t),r,o;if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(e);for(o=0;o<i.length;o++)r=i[o],!(t.indexOf(r)>=0)&&(!Object.prototype.propertyIsEnumerable.call(e,r)||(n[r]=e[r]))}return n}function C1e(e,t){if(e==null)return{};var n={},r=Object.keys(e),o,i;for(i=0;i<r.length;i++)o=r[i],!(t.indexOf(o)>=0)&&(n[o]=e[o]);return n}var o6=C.exports.forwardRef(function(e,t){var n=e.children,r=x0(e,d1e),o=BI(r),i=o.open,s=x0(o,p1e);return C.exports.useImperativeHandle(t,function(){return{open:i}},[i]),y(C.exports.Fragment,{children:n(Wt(Wt({},s),{},{open:i}))})});o6.displayName="Dropzone";var FI={disabled:!1,getFilesFromEvent:Nhe,maxSize:1/0,minSize:0,multiple:!0,maxFiles:0,preventDropOnDocument:!0,noClick:!1,noKeyboard:!1,noDrag:!1,noDragEventsBubbling:!1,validator:null,useFsAccessApi:!0,autoFocus:!1};o6.defaultProps=FI;o6.propTypes={children:wt.exports.func,accept:wt.exports.objectOf(wt.exports.arrayOf(wt.exports.string)),multiple:wt.exports.bool,preventDropOnDocument:wt.exports.bool,noClick:wt.exports.bool,noKeyboard:wt.exports.bool,noDrag:wt.exports.bool,noDragEventsBubbling:wt.exports.bool,minSize:wt.exports.number,maxSize:wt.exports.number,maxFiles:wt.exports.number,disabled:wt.exports.bool,getFilesFromEvent:wt.exports.func,onFileDialogCancel:wt.exports.func,onFileDialogOpen:wt.exports.func,useFsAccessApi:wt.exports.bool,autoFocus:wt.exports.bool,onDragEnter:wt.exports.func,onDragLeave:wt.exports.func,onDragOver:wt.exports.func,onDrop:wt.exports.func,onDropAccepted:wt.exports.func,onDropRejected:wt.exports.func,onError:wt.exports.func,validator:wt.exports.func};var d4={isFocused:!1,isFileDialogActive:!1,isDragActive:!1,isDragAccept:!1,isDragReject:!1,acceptedFiles:[],fileRejections:[]};function BI(){var e=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},t=Wt(Wt({},FI),e),n=t.accept,r=t.disabled,o=t.getFilesFromEvent,i=t.maxSize,s=t.minSize,u=t.multiple,c=t.maxFiles,f=t.onDragEnter,d=t.onDragLeave,h=t.onDragOver,m=t.onDrop,g=t.onDropAccepted,b=t.onDropRejected,S=t.onFileDialogCancel,E=t.onFileDialogOpen,w=t.useFsAccessApi,x=t.autoFocus,_=t.preventDropOnDocument,L=t.noClick,T=t.noKeyboard,R=t.noDrag,N=t.noDragEventsBubbling,F=t.onError,K=t.validator,W=C.exports.useMemo(function(){return u1e(n)},[n]),J=C.exports.useMemo(function(){return l1e(n)},[n]),ve=C.exports.useMemo(function(){return typeof E=="function"?E:uC},[E]),xe=C.exports.useMemo(function(){return typeof S=="function"?S:uC},[S]),he=C.exports.useRef(null),fe=C.exports.useRef(null),me=C.exports.useReducer(_1e,d4),ne=j2(me,2),H=ne[0],Y=ne[1],Z=H.isFocused,M=H.isFileDialogActive,j=C.exports.useRef(typeof window<"u"&&window.isSecureContext&&w&&s1e()),se=function(){!j.current&&M&&setTimeout(function(){if(fe.current){var Ee=fe.current.files;Ee.length||(Y({type:"closeDialog"}),xe())}},300)};C.exports.useEffect(function(){return window.addEventListener("focus",se,!1),function(){window.removeEventListener("focus",se,!1)}},[fe,M,xe,j]);var ce=C.exports.useRef([]),ye=function(Ee){he.current&&he.current.contains(Ee.target)||(Ee.preventDefault(),ce.current=[])};C.exports.useEffect(function(){return _&&(document.addEventListener("dragover",sC,!1),document.addEventListener("drop",ye,!1)),function(){_&&(document.removeEventListener("dragover",sC),document.removeEventListener("drop",ye))}},[he,_]),C.exports.useEffect(function(){return!r&&x&&he.current&&he.current.focus(),function(){}},[he,x,r]);var be=C.exports.useCallback(function(pe){F?F(pe):console.error(pe)},[F]),Le=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe),ce.current=[].concat(g1e(ce.current),[pe.target]),Mh(pe)&&Promise.resolve(o(pe)).then(function(Ee){if(!(b0(pe)&&!N)){var pt=Ee.length,ut=pt>0&&r1e({files:Ee,accept:W,minSize:s,maxSize:i,multiple:u,maxFiles:c,validator:K}),ie=pt>0&&!ut;Y({isDragAccept:ut,isDragReject:ie,isDragActive:!0,type:"setDraggedFiles"}),f&&f(pe)}}).catch(function(Ee){return be(Ee)})},[o,f,be,N,W,s,i,u,c,K]),de=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe);var Ee=Mh(pe);if(Ee&&pe.dataTransfer)try{pe.dataTransfer.dropEffect="copy"}catch{}return Ee&&h&&h(pe),!1},[h,N]),_e=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe);var Ee=ce.current.filter(function(ut){return he.current&&he.current.contains(ut)}),pt=Ee.indexOf(pe.target);pt!==-1&&Ee.splice(pt,1),ce.current=Ee,!(Ee.length>0)&&(Y({type:"setDraggedFiles",isDragActive:!1,isDragAccept:!1,isDragReject:!1}),Mh(pe)&&d&&d(pe))},[he,d,N]),De=C.exports.useCallback(function(pe,Ee){var pt=[],ut=[];pe.forEach(function(ie){var Ge=OI(ie,W),Et=j2(Ge,2),kn=Et[0],zn=Et[1],kr=RI(ie,s,i),Fo=j2(kr,2),bi=Fo[0],Kn=Fo[1],Zr=K?K(ie):null;if(kn&&bi&&!Zr)pt.push(ie);else{var ns=[zn,Kn];Zr&&(ns=ns.concat(Zr)),ut.push({file:ie,errors:ns.filter(function(Xs){return Xs})})}}),(!u&&pt.length>1||u&&c>=1&&pt.length>c)&&(pt.forEach(function(ie){ut.push({file:ie,errors:[n1e]})}),pt.splice(0)),Y({acceptedFiles:pt,fileRejections:ut,type:"setFiles"}),m&&m(pt,ut,Ee),ut.length>0&&b&&b(ut,Ee),pt.length>0&&g&&g(pt,Ee)},[Y,u,W,s,i,c,m,g,b,K]),st=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe),ce.current=[],Mh(pe)&&Promise.resolve(o(pe)).then(function(Ee){b0(pe)&&!N||De(Ee,pe)}).catch(function(Ee){return be(Ee)}),Y({type:"reset"})},[o,De,be,N]),Tt=C.exports.useCallback(function(){if(j.current){Y({type:"openDialog"}),ve();var pe={multiple:u,types:J};window.showOpenFilePicker(pe).then(function(Ee){return o(Ee)}).then(function(Ee){De(Ee,null),Y({type:"closeDialog"})}).catch(function(Ee){c1e(Ee)?(xe(Ee),Y({type:"closeDialog"})):f1e(Ee)?(j.current=!1,fe.current?(fe.current.value=null,fe.current.click()):be(new Error("Cannot open the file picker because the https://developer.mozilla.org/en-US/docs/Web/API/File_System_Access_API is not supported and no <input> was provided."))):be(Ee)});return}fe.current&&(Y({type:"openDialog"}),ve(),fe.current.value=null,fe.current.click())},[Y,ve,xe,w,De,be,J,u]),gn=C.exports.useCallback(function(pe){!he.current||!he.current.isEqualNode(pe.target)||(pe.key===" "||pe.key==="Enter"||pe.keyCode===32||pe.keyCode===13)&&(pe.preventDefault(),Tt())},[he,Tt]),Se=C.exports.useCallback(function(){Y({type:"focus"})},[]),Ie=C.exports.useCallback(function(){Y({type:"blur"})},[]),tt=C.exports.useCallback(function(){L||(a1e()?setTimeout(Tt,0):Tt())},[L,Tt]),ze=function(Ee){return r?null:Ee},$t=function(Ee){return T?null:ze(Ee)},vn=function(Ee){return R?null:ze(Ee)},lt=function(Ee){N&&Ee.stopPropagation()},Ct=C.exports.useMemo(function(){return function(){var pe=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},Ee=pe.refKey,pt=Ee===void 0?"ref":Ee,ut=pe.role,ie=pe.onKeyDown,Ge=pe.onFocus,Et=pe.onBlur,kn=pe.onClick,zn=pe.onDragEnter,kr=pe.onDragOver,Fo=pe.onDragLeave,bi=pe.onDrop,Kn=x0(pe,h1e);return Wt(Wt(f4({onKeyDown:$t(Go(ie,gn)),onFocus:$t(Go(Ge,Se)),onBlur:$t(Go(Et,Ie)),onClick:ze(Go(kn,tt)),onDragEnter:vn(Go(zn,Le)),onDragOver:vn(Go(kr,de)),onDragLeave:vn(Go(Fo,_e)),onDrop:vn(Go(bi,st)),role:typeof ut=="string"&&ut!==""?ut:"presentation"},pt,he),!r&&!T?{tabIndex:0}:{}),Kn)}},[he,gn,Se,Ie,tt,Le,de,_e,st,T,R,r]),Qt=C.exports.useCallback(function(pe){pe.stopPropagation()},[]),Gt=C.exports.useMemo(function(){return function(){var pe=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},Ee=pe.refKey,pt=Ee===void 0?"ref":Ee,ut=pe.onChange,ie=pe.onClick,Ge=x0(pe,m1e),Et=f4({accept:W,multiple:u,type:"file",style:{display:"none"},onChange:ze(Go(ut,st)),onClick:ze(Go(ie,Qt)),tabIndex:-1},pt,fe);return Wt(Wt({},Et),Ge)}},[fe,n,u,st,r]);return Wt(Wt({},H),{},{isFocused:Z&&!r,getRootProps:Ct,getInputProps:Gt,rootRef:he,inputRef:fe,open:ze(Tt)})}function _1e(e,t){switch(t.type){case"focus":return Wt(Wt({},e),{},{isFocused:!0});case"blur":return Wt(Wt({},e),{},{isFocused:!1});case"openDialog":return Wt(Wt({},d4),{},{isFileDialogActive:!0});case"closeDialog":return Wt(Wt({},e),{},{isFileDialogActive:!1});case"setDraggedFiles":return Wt(Wt({},e),{},{isDragActive:t.isDragActive,isDragAccept:t.isDragAccept,isDragReject:t.isDragReject});case"setFiles":return Wt(Wt({},e),{},{acceptedFiles:t.acceptedFiles,fileRejections:t.fileRejections});case"reset":return Wt({},d4);default:return e}}function uC(){}const cC=({children:e,fileAcceptedCallback:t,fileRejectionCallback:n})=>{const r=C.exports.useCallback((c,f)=>{f.forEach(d=>{n(d)}),c.forEach(d=>{t(d)})},[t,n]),{getRootProps:o,getInputProps:i,open:s}=BI({onDrop:r,accept:{"image/jpeg":[".jpg",".jpeg",".png"]}}),u=c=>{c.stopPropagation(),s()};return q(hi,{...o(),flexGrow:3,children:[y("input",{...i({multiple:!1})}),C.exports.cloneElement(e,{onClick:u})]})},k1e=Dn(e=>e.options,e=>({initialImagePath:e.initialImagePath,maskPath:e.maskPath}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),E1e=({setShouldShowMask:e})=>{const t=Ue(),{initialImagePath:n,maskPath:r}=Te(k1e),o=aT(),i=b=>{b.stopPropagation(),t(Lu(""))},s=b=>{b.stopPropagation(),t(nd(""))},u=()=>e(!1),c=()=>e(!0),f=()=>e(!0),d=()=>e(!0),h=C.exports.useCallback(b=>t(Tde(b)),[t]),m=C.exports.useCallback(b=>t(Ide(b)),[t]),g=C.exports.useCallback(b=>{const S=b.errors.reduce((E,w)=>E+` +`+w.message,"");o({title:"Upload failed",description:S,status:"error",isClosable:!0})},[o]);return q(dt,{gap:2,justifyContent:"space-between",width:"100%",children:[y(cC,{fileAcceptedCallback:h,fileRejectionCallback:g,children:y(zo,{size:"sm",fontSize:"md",fontWeight:"normal",onMouseOver:u,onMouseOut:c,leftIcon:y(W7,{}),width:"100%",children:"Image"})}),y(Gn,{isDisabled:!n,size:"sm","aria-label":"Reset mask",onClick:i,icon:y(V7,{})}),y(cC,{fileAcceptedCallback:m,fileRejectionCallback:g,children:y(zo,{isDisabled:!n,size:"sm",fontSize:"md",fontWeight:"normal",onMouseOver:f,onMouseOut:d,leftIcon:y(W7,{}),width:"100%",children:"Mask"})}),y(Gn,{isDisabled:!r,size:"sm","aria-label":"Reset mask",onClick:s,icon:y(V7,{})})]})},L1e=Dn(e=>e.options,e=>({initialImagePath:e.initialImagePath,maskPath:e.maskPath}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),P1e=()=>{const e=Ue(),{initialImagePath:t,maskPath:n}=Te(L1e),[r,o]=C.exports.useState(!1);return q(dt,{direction:"column",alignItems:"center",gap:2,children:[y(E1e,{setShouldShowMask:o}),t&&q(dt,{position:"relative",width:"100%",children:[y(Hf,{fit:"contain",src:t,rounded:"md",className:"checkerboard",maxWidth:320,onError:()=>{e(Lu(""))}}),r&&n&&y(Hf,{position:"absolute",top:0,left:0,maxWidth:320,fit:"contain",src:n,rounded:"md",zIndex:1,onError:()=>{e(nd(""))}})]})]})};function A1e(){const e=Ue(),t=Te(r=>r.options.shouldFitToWidthHeight);return y(Ys,{label:"Fit initial image to output size",isChecked:t,onChange:r=>e(WT(r.target.checked))})}function T1e(){const e=Te(r=>r.options.img2imgStrength),t=Ue();return y(yi,{label:"Strength",step:.01,min:.01,max:.99,onChange:r=>t(VT(r)),value:e,width:"90px",isInteger:!1})}const I1e=()=>q(dt,{direction:"column",gap:2,children:[y(T1e,{}),y(A1e,{}),y(P1e,{})]});var vs=(e=>(e[e.PROMPT=0]="PROMPT",e[e.GALLERY=1]="GALLERY",e[e.OTHER=2]="OTHER",e[e.SEED=3]="SEED",e[e.VARIATIONS=4]="VARIATIONS",e[e.UPSCALE=5]="UPSCALE",e[e.FACE_CORRECTION=6]="FACE_CORRECTION",e[e.IMAGE_TO_IMAGE=7]="IMAGE_TO_IMAGE",e))(vs||{});const M1e={[0]:{text:"This field will take all prompt text, including both content and stylistic terms. CLI Commands will not work in the prompt.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[1]:{text:"As new invocations are generated, files from the output directory will be displayed here. Generations have additional options to configure new generations.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[2]:{text:"Additional Options",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[3]:{text:"Seed values provide an initial set of noise which guide the denoising process.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[4]:{text:"Try a variation with an amount of between 0 and 1 to change the output image for the set seed.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[5]:{text:"Using ESRGAN you can increase the output resolution without requiring a higher width/height in the initial generation.",href:"link/to/docs/feature1.html",guideImage:"asset/path.gif"},[6]:{text:"Using GFPGAN or CodeFormer, Face Correction will attempt to identify faces in outputs, and correct any defects/abnormalities. Higher values will apply a stronger corrective pressure on outputs.",href:"link/to/docs/feature2.html",guideImage:"asset/path.gif"},[7]:{text:"ImageToImage allows the upload of an initial image, which InvokeAI will use to guide the generation process, along with a prompt. A lower value for this setting will more closely resemble the original image. Values between 0-1 are accepted, and a range of .25-.75 is recommended ",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"}};function O1e(){const e=Ue(),t=Te(r=>r.options.shouldRandomizeSeed);return y(Ys,{label:"Randomize Seed",isChecked:t,onChange:r=>e(afe(r.target.checked))})}function R1e(){const e=Te(i=>i.options.seed),t=Te(i=>i.options.shouldRandomizeSeed),n=Te(i=>i.options.shouldGenerateVariations),r=Ue(),o=i=>r(Td(i));return y(yi,{label:"Seed",step:1,precision:0,flexGrow:1,min:e6,max:t6,isDisabled:t,isInvalid:e<0&&n,onChange:o,value:e,width:"10rem"})}function N1e(){const e=Ue(),t=Te(r=>r.options.shouldRandomizeSeed);return y(zo,{size:"sm",isDisabled:t,onClick:()=>e(Td(cI(e6,t6))),children:y("p",{children:"Shuffle"})})}function D1e(){const e=Ue(),t=Te(r=>r.options.threshold);return y(yi,{label:"Threshold",min:0,max:1e3,step:.1,onChange:r=>e(Qce(r)),value:t,isInteger:!1})}function z1e(){const e=Ue(),t=Te(r=>r.options.perlin);return y(yi,{label:"Perlin",min:0,max:1,step:.05,onChange:r=>e(Jce(r)),value:t,isInteger:!1})}const F1e=()=>q(dt,{gap:2,direction:"column",children:[y(O1e,{}),q(dt,{gap:2,children:[y(R1e,{}),y(N1e,{})]}),q(dt,{gap:2,children:[y(D1e,{}),y(z1e,{})]})]});function B1e(){const e=Te(o=>o.system.isESRGANAvailable),t=Te(o=>o.options.shouldRunESRGAN),n=Ue();return q(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Upscale"}),y(Ys,{isDisabled:!e,isChecked:t,onChange:o=>n(ife(o.target.checked))})]})}function $1e(){const e=Te(o=>o.system.isGFPGANAvailable),t=Te(o=>o.options.shouldRunGFPGAN),n=Ue();return q(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Restore Face"}),y(Ys,{isDisabled:!e,isChecked:t,onChange:o=>n(ofe(o.target.checked))})]})}function V1e(){const e=Ue(),t=Te(o=>o.options.initialImagePath),n=Te(o=>o.options.shouldUseInitImage);return q(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Image to Image"}),y(Ys,{isDisabled:!t,isChecked:n,onChange:o=>e(tfe(o.target.checked))})]})}const W1e=Dn(e=>e.system,e=>e.shouldDisplayGuides),H1e=({children:e,feature:t})=>{const n=Te(W1e),{text:r}=M1e[t];return n?q(Eb,{trigger:"hover",children:[y(Tb,{children:y(hi,{children:e})}),q(Ab,{className:"guide-popover-content",maxWidth:"400px",onClick:o=>o.preventDefault(),cursor:"initial",children:[y(Lb,{className:"guide-popover-arrow"}),y("div",{className:"guide-popover-guide-content",children:r})]})]}):y(wn,{})},j1e=ue(({feature:e,icon:t=gI},n)=>y(H1e,{feature:e,children:y(hi,{ref:n,children:y(Gr,{as:t})})}));function Tl(e){const{header:t,feature:n,options:r}=e;return q(VL,{className:"advanced-settings-item",children:[y("h2",{children:q(BL,{className:"advanced-settings-header",children:[t,y(j1e,{feature:n}),y($L,{})]})}),y(WL,{className:"advanced-settings-panel",children:r})]})}function U1e(){const e=Te(r=>r.options.shouldGenerateVariations),t=Ue();return y(Ys,{isChecked:e,width:"auto",onChange:r=>t(nfe(r.target.checked))})}function G1e(){return q(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Variations"}),y(U1e,{})]})}function Z1e(e){const{label:t,styleClass:n,isDisabled:r=!1,fontSize:o="1rem",width:i,isInvalid:s,...u}=e;return q(es,{className:`input ${n}`,isInvalid:s,isDisabled:r,flexGrow:1,children:[y(Us,{fontSize:o,marginBottom:1,whiteSpace:"nowrap",className:"input-label",children:t}),y(J3,{...u,className:"input-entry",size:"sm",width:i})]})}function K1e(){const e=Te(o=>o.options.seedWeights),t=Te(o=>o.options.shouldGenerateVariations),n=Ue(),r=o=>n(HT(o.target.value));return y(Z1e,{label:"Seed Weights",value:e,isInvalid:t&&!(Xb(e)||e===""),isDisabled:!t,onChange:r})}function q1e(){const e=Te(o=>o.options.variationAmount),t=Te(o=>o.options.shouldGenerateVariations),n=Ue();return y(yi,{label:"Variation Amount",value:e,step:.01,min:0,max:1,isDisabled:!t,onChange:o=>n(rfe(o)),isInteger:!1})}const Y1e=()=>q(dt,{gap:2,direction:"column",children:[y(q1e,{}),y(K1e,{})]}),X1e=()=>{const e=Te(r=>r.system.openAccordions),t=Ue();return q(HL,{defaultIndex:e,allowMultiple:!0,reduceMotion:!0,onChange:r=>t(xfe(r)),className:"advanced-settings",children:[y(Tl,{header:y(hi,{flex:"1",textAlign:"left",children:"Seed"}),feature:vs.SEED,options:y(F1e,{})}),y(Tl,{header:y(G1e,{}),feature:vs.VARIATIONS,options:y(Y1e,{})}),y(Tl,{header:y($1e,{}),feature:vs.FACE_CORRECTION,options:y(PI,{})}),y(Tl,{header:y(B1e,{}),feature:vs.UPSCALE,options:y(LI,{})}),y(Tl,{header:y(V1e,{}),feature:vs.IMAGE_TO_IMAGE,options:y(I1e,{})}),y(Tl,{header:y(hi,{flex:"1",textAlign:"left",children:"Other"}),feature:vs.OTHER,options:y(Ihe,{})})]})},fC=Dn(e=>e.options,e=>({prompt:e.prompt,shouldGenerateVariations:e.shouldGenerateVariations,seedWeights:e.seedWeights,maskPath:e.maskPath,initialImagePath:e.initialImagePath,seed:e.seed}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),i6=Dn(e=>e.system,e=>({isProcessing:e.isProcessing,isConnected:e.isConnected}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),$I=()=>{const{prompt:e}=Te(fC),{shouldGenerateVariations:t,seedWeights:n,maskPath:r,initialImagePath:o,seed:i}=Te(fC),{isProcessing:s,isConnected:u}=Te(i6);return C.exports.useMemo(()=>!(!e||Boolean(e.match(/^[\s\r\n]+$/))||r&&!o||s||!u||t&&(!(Xb(n)||n==="")||i===-1)),[e,r,o,s,u,t,n,i])};function Q1e(){const e=Ue(),t=$I();return y(xs,{icon:y(mpe,{}),tooltip:"Invoke","aria-label":"Invoke",type:"submit",isDisabled:!t,onClick:()=>{e(o4())},className:"invoke-btn"})}function J1e(){const e=Ue(),{isProcessing:t,isConnected:n}=Te(i6),r=()=>e(Ade());return Qo("shift+x",()=>{(n||t)&&r()},[n,t]),y(xs,{icon:y(bpe,{}),tooltip:"Cancel","aria-label":"Cancel",isDisabled:!n||!t,onClick:r,className:"cancel-btn"})}const e0e=()=>q("div",{className:"process-buttons",children:[y(Q1e,{}),y(J1e,{})]}),t0e=Dn(e=>e.options,e=>({prompt:e.prompt}),{memoizeOptions:{resultEqualityCheck:Cn.exports.isEqual}}),n0e=()=>{const e=C.exports.useRef(null),{prompt:t}=Te(t0e),{isProcessing:n}=Te(i6),r=Ue(),o=$I(),i=u=>{r(DT(u.target.value))};Qo("ctrl+enter",()=>{o&&r(o4())},[o]),Qo("alt+a",()=>{e.current?.focus()},[]);const s=u=>{u.key==="Enter"&&u.shiftKey===!1&&o&&(u.preventDefault(),r(o4()))};return y("div",{className:"prompt-bar",children:y(es,{isInvalid:t.length===0||Boolean(t.match(/^[\s\r\n]+$/)),isDisabled:n,children:y(VA,{id:"prompt",name:"prompt",placeholder:"I'm dreaming of...",size:"lg",value:t,onChange:i,onKeyDown:s,resize:"vertical",height:30,ref:e})})})};function r0e(){const e=Te(t=>t.options.showAdvancedOptions);return q("div",{className:"text-to-image-panel",children:[y(n0e,{}),y(e0e,{}),y(The,{}),e?y(X1e,{}):null]})}function o0e(){return q("div",{className:"text-to-image-workarea",children:[y(r0e,{}),y(bhe,{}),y(whe,{})]})}function i0e(){const e={txt2img:{title:y(Qpe,{fill:"black",boxSize:"2.5rem"}),panel:y(o0e,{}),tooltip:"Text To Image"},img2img:{title:y(Zpe,{fill:"black",boxSize:"2.5rem"}),panel:y(Wpe,{}),tooltip:"Image To Image"},inpainting:{title:y(Kpe,{fill:"black",boxSize:"2.5rem"}),panel:y(Hpe,{}),tooltip:"Inpainting"},outpainting:{title:y(Ype,{fill:"black",boxSize:"2.5rem"}),panel:y(Upe,{}),tooltip:"Outpainting"},nodes:{title:y(qpe,{fill:"black",boxSize:"2.5rem"}),panel:y(jpe,{}),tooltip:"Nodes"},postprocess:{title:y(Xpe,{fill:"black",boxSize:"2.5rem"}),panel:y(Gpe,{}),tooltip:"Post Processing"}},t=()=>{const r=[];return Object.keys(e).forEach(o=>{r.push(y(lo,{label:e[o].tooltip,placement:"right",children:y($A,{children:e[o].title})},o))}),r},n=()=>{const r=[];return Object.keys(e).forEach(o=>{r.push(y(FA,{className:"app-tabs-panel",children:e[o].panel},o))}),r};return q(zA,{className:"app-tabs",variant:"unstyled",children:[y("div",{className:"app-tabs-list",children:t()}),y(BA,{className:"app-tabs-panels",children:n()})]})}$pe();const a0e=()=>{const e=Ue(),[t,n]=C.exports.useState(!1);return C.exports.useEffect(()=>{e(Mde()),n(!0)},[e]),t?q("div",{className:"App",children:[y(Yde,{}),q("div",{className:"app-content",children:[y(Lpe,{}),y(i0e,{})]}),y(Bpe,{})]}):y(pI,{})};const VI=Fce(fI);U2.createRoot(document.getElementById("root")).render(y(Q.StrictMode,{children:y(mce,{store:fI,children:y(dI,{loading:y(pI,{}),persistor:VI,children:q(Jle,{theme:B7,children:[y(X$,{initialColorMode:B7.config.initialColorMode}),y(a0e,{})]})})})})); diff --git a/frontend/dist/assets/index.d9916e7a.js b/frontend/dist/assets/index.d9916e7a.js deleted file mode 100644 index b499872a33..0000000000 --- a/frontend/dist/assets/index.d9916e7a.js +++ /dev/null @@ -1,483 +0,0 @@ -function Zz(e,t){for(var n=0;n<t.length;n++){const r=t[n];if(typeof r!="string"&&!Array.isArray(r)){for(const o in r)if(o!=="default"&&!(o in e)){const i=Object.getOwnPropertyDescriptor(r,o);i&&Object.defineProperty(e,o,i.get?i:{enumerable:!0,get:()=>r[o]})}}}return Object.freeze(Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}))}(function(){const t=document.createElement("link").relList;if(t&&t.supports&&t.supports("modulepreload"))return;for(const o of document.querySelectorAll('link[rel="modulepreload"]'))r(o);new MutationObserver(o=>{for(const i of o)if(i.type==="childList")for(const s of i.addedNodes)s.tagName==="LINK"&&s.rel==="modulepreload"&&r(s)}).observe(document,{childList:!0,subtree:!0});function n(o){const i={};return o.integrity&&(i.integrity=o.integrity),o.referrerpolicy&&(i.referrerPolicy=o.referrerpolicy),o.crossorigin==="use-credentials"?i.credentials="include":o.crossorigin==="anonymous"?i.credentials="omit":i.credentials="same-origin",i}function r(o){if(o.ep)return;o.ep=!0;const i=n(o);fetch(o.href,i)}})();var Oi=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function qz(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var C={exports:{}},Ye={};/** - * @license React - * react.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var Yf=Symbol.for("react.element"),Kz=Symbol.for("react.portal"),Yz=Symbol.for("react.fragment"),Xz=Symbol.for("react.strict_mode"),Qz=Symbol.for("react.profiler"),Jz=Symbol.for("react.provider"),eF=Symbol.for("react.context"),tF=Symbol.for("react.forward_ref"),nF=Symbol.for("react.suspense"),rF=Symbol.for("react.memo"),oF=Symbol.for("react.lazy"),j9=Symbol.iterator;function iF(e){return e===null||typeof e!="object"?null:(e=j9&&e[j9]||e["@@iterator"],typeof e=="function"?e:null)}var U7={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},G7=Object.assign,Z7={};function Su(e,t,n){this.props=e,this.context=t,this.refs=Z7,this.updater=n||U7}Su.prototype.isReactComponent={};Su.prototype.setState=function(e,t){if(typeof e!="object"&&typeof e!="function"&&e!=null)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,e,t,"setState")};Su.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this,e,"forceUpdate")};function q7(){}q7.prototype=Su.prototype;function X5(e,t,n){this.props=e,this.context=t,this.refs=Z7,this.updater=n||U7}var Q5=X5.prototype=new q7;Q5.constructor=X5;G7(Q5,Su.prototype);Q5.isPureReactComponent=!0;var U9=Array.isArray,K7=Object.prototype.hasOwnProperty,J5={current:null},Y7={key:!0,ref:!0,__self:!0,__source:!0};function X7(e,t,n){var r,o={},i=null,s=null;if(t!=null)for(r in t.ref!==void 0&&(s=t.ref),t.key!==void 0&&(i=""+t.key),t)K7.call(t,r)&&!Y7.hasOwnProperty(r)&&(o[r]=t[r]);var u=arguments.length-2;if(u===1)o.children=n;else if(1<u){for(var c=Array(u),f=0;f<u;f++)c[f]=arguments[f+2];o.children=c}if(e&&e.defaultProps)for(r in u=e.defaultProps,u)o[r]===void 0&&(o[r]=u[r]);return{$$typeof:Yf,type:e,key:i,ref:s,props:o,_owner:J5.current}}function aF(e,t){return{$$typeof:Yf,type:e.type,key:t,ref:e.ref,props:e.props,_owner:e._owner}}function e4(e){return typeof e=="object"&&e!==null&&e.$$typeof===Yf}function sF(e){var t={"=":"=0",":":"=2"};return"$"+e.replace(/[=:]/g,function(n){return t[n]})}var G9=/\/+/g;function pv(e,t){return typeof e=="object"&&e!==null&&e.key!=null?sF(""+e.key):t.toString(36)}function Ch(e,t,n,r,o){var i=typeof e;(i==="undefined"||i==="boolean")&&(e=null);var s=!1;if(e===null)s=!0;else switch(i){case"string":case"number":s=!0;break;case"object":switch(e.$$typeof){case Yf:case Kz:s=!0}}if(s)return s=e,o=o(s),e=r===""?"."+pv(s,0):r,U9(o)?(n="",e!=null&&(n=e.replace(G9,"$&/")+"/"),Ch(o,t,n,"",function(f){return f})):o!=null&&(e4(o)&&(o=aF(o,n+(!o.key||s&&s.key===o.key?"":(""+o.key).replace(G9,"$&/")+"/")+e)),t.push(o)),1;if(s=0,r=r===""?".":r+":",U9(e))for(var u=0;u<e.length;u++){i=e[u];var c=r+pv(i,u);s+=Ch(i,t,n,c,o)}else if(c=iF(e),typeof c=="function")for(e=c.call(e),u=0;!(i=e.next()).done;)i=i.value,c=r+pv(i,u++),s+=Ch(i,t,n,c,o);else if(i==="object")throw t=String(e),Error("Objects are not valid as a React child (found: "+(t==="[object Object]"?"object with keys {"+Object.keys(e).join(", ")+"}":t)+"). If you meant to render a collection of children, use an array instead.");return s}function Tp(e,t,n){if(e==null)return e;var r=[],o=0;return Ch(e,r,"","",function(i){return t.call(n,i,o++)}),r}function lF(e){if(e._status===-1){var t=e._result;t=t(),t.then(function(n){(e._status===0||e._status===-1)&&(e._status=1,e._result=n)},function(n){(e._status===0||e._status===-1)&&(e._status=2,e._result=n)}),e._status===-1&&(e._status=0,e._result=t)}if(e._status===1)return e._result.default;throw e._result}var rr={current:null},_h={transition:null},uF={ReactCurrentDispatcher:rr,ReactCurrentBatchConfig:_h,ReactCurrentOwner:J5};Ye.Children={map:Tp,forEach:function(e,t,n){Tp(e,function(){t.apply(this,arguments)},n)},count:function(e){var t=0;return Tp(e,function(){t++}),t},toArray:function(e){return Tp(e,function(t){return t})||[]},only:function(e){if(!e4(e))throw Error("React.Children.only expected to receive a single React element child.");return e}};Ye.Component=Su;Ye.Fragment=Yz;Ye.Profiler=Qz;Ye.PureComponent=X5;Ye.StrictMode=Xz;Ye.Suspense=nF;Ye.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=uF;Ye.cloneElement=function(e,t,n){if(e==null)throw Error("React.cloneElement(...): The argument must be a React element, but you passed "+e+".");var r=G7({},e.props),o=e.key,i=e.ref,s=e._owner;if(t!=null){if(t.ref!==void 0&&(i=t.ref,s=J5.current),t.key!==void 0&&(o=""+t.key),e.type&&e.type.defaultProps)var u=e.type.defaultProps;for(c in t)K7.call(t,c)&&!Y7.hasOwnProperty(c)&&(r[c]=t[c]===void 0&&u!==void 0?u[c]:t[c])}var c=arguments.length-2;if(c===1)r.children=n;else if(1<c){u=Array(c);for(var f=0;f<c;f++)u[f]=arguments[f+2];r.children=u}return{$$typeof:Yf,type:e.type,key:o,ref:i,props:r,_owner:s}};Ye.createContext=function(e){return e={$$typeof:eF,_currentValue:e,_currentValue2:e,_threadCount:0,Provider:null,Consumer:null,_defaultValue:null,_globalName:null},e.Provider={$$typeof:Jz,_context:e},e.Consumer=e};Ye.createElement=X7;Ye.createFactory=function(e){var t=X7.bind(null,e);return t.type=e,t};Ye.createRef=function(){return{current:null}};Ye.forwardRef=function(e){return{$$typeof:tF,render:e}};Ye.isValidElement=e4;Ye.lazy=function(e){return{$$typeof:oF,_payload:{_status:-1,_result:e},_init:lF}};Ye.memo=function(e,t){return{$$typeof:rF,type:e,compare:t===void 0?null:t}};Ye.startTransition=function(e){var t=_h.transition;_h.transition={};try{e()}finally{_h.transition=t}};Ye.unstable_act=function(){throw Error("act(...) is not supported in production builds of React.")};Ye.useCallback=function(e,t){return rr.current.useCallback(e,t)};Ye.useContext=function(e){return rr.current.useContext(e)};Ye.useDebugValue=function(){};Ye.useDeferredValue=function(e){return rr.current.useDeferredValue(e)};Ye.useEffect=function(e,t){return rr.current.useEffect(e,t)};Ye.useId=function(){return rr.current.useId()};Ye.useImperativeHandle=function(e,t,n){return rr.current.useImperativeHandle(e,t,n)};Ye.useInsertionEffect=function(e,t){return rr.current.useInsertionEffect(e,t)};Ye.useLayoutEffect=function(e,t){return rr.current.useLayoutEffect(e,t)};Ye.useMemo=function(e,t){return rr.current.useMemo(e,t)};Ye.useReducer=function(e,t,n){return rr.current.useReducer(e,t,n)};Ye.useRef=function(e){return rr.current.useRef(e)};Ye.useState=function(e){return rr.current.useState(e)};Ye.useSyncExternalStore=function(e,t,n){return rr.current.useSyncExternalStore(e,t,n)};Ye.useTransition=function(){return rr.current.useTransition()};Ye.version="18.2.0";(function(e){e.exports=Ye})(C);const Q=qz(C.exports),Z9=Zz({__proto__:null,default:Q},[C.exports]);var T2={},wu={exports:{}},Br={},Q7={exports:{}},J7={};/** - * @license React - * scheduler.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */(function(e){function t(H,K){var Z=H.length;H.push(K);e:for(;0<Z;){var M=Z-1>>>1,j=H[M];if(0<o(j,K))H[M]=K,H[Z]=j,Z=M;else break e}}function n(H){return H.length===0?null:H[0]}function r(H){if(H.length===0)return null;var K=H[0],Z=H.pop();if(Z!==K){H[0]=Z;e:for(var M=0,j=H.length,se=j>>>1;M<se;){var ce=2*(M+1)-1,ye=H[ce],be=ce+1,Le=H[be];if(0>o(ye,Z))be<j&&0>o(Le,ye)?(H[M]=Le,H[be]=Z,M=be):(H[M]=ye,H[ce]=Z,M=ce);else if(be<j&&0>o(Le,Z))H[M]=Le,H[be]=Z,M=be;else break e}}return K}function o(H,K){var Z=H.sortIndex-K.sortIndex;return Z!==0?Z:H.id-K.id}if(typeof performance=="object"&&typeof performance.now=="function"){var i=performance;e.unstable_now=function(){return i.now()}}else{var s=Date,u=s.now();e.unstable_now=function(){return s.now()-u}}var c=[],f=[],p=1,h=null,m=3,g=!1,b=!1,S=!1,E=typeof setTimeout=="function"?setTimeout:null,w=typeof clearTimeout=="function"?clearTimeout:null,x=typeof setImmediate<"u"?setImmediate:null;typeof navigator<"u"&&navigator.scheduling!==void 0&&navigator.scheduling.isInputPending!==void 0&&navigator.scheduling.isInputPending.bind(navigator.scheduling);function _(H){for(var K=n(f);K!==null;){if(K.callback===null)r(f);else if(K.startTime<=H)r(f),K.sortIndex=K.expirationTime,t(c,K);else break;K=n(f)}}function L(H){if(S=!1,_(H),!b)if(n(c)!==null)b=!0,me(T);else{var K=n(f);K!==null&&ne(L,K.startTime-H)}}function T(H,K){b=!1,S&&(S=!1,w(F),F=-1),g=!0;var Z=m;try{for(_(K),h=n(c);h!==null&&(!(h.expirationTime>K)||H&&!J());){var M=h.callback;if(typeof M=="function"){h.callback=null,m=h.priorityLevel;var j=M(h.expirationTime<=K);K=e.unstable_now(),typeof j=="function"?h.callback=j:h===n(c)&&r(c),_(K)}else r(c);h=n(c)}if(h!==null)var se=!0;else{var ce=n(f);ce!==null&&ne(L,ce.startTime-K),se=!1}return se}finally{h=null,m=Z,g=!1}}var O=!1,N=null,F=-1,q=5,W=-1;function J(){return!(e.unstable_now()-W<q)}function ve(){if(N!==null){var H=e.unstable_now();W=H;var K=!0;try{K=N(!0,H)}finally{K?xe():(O=!1,N=null)}}else O=!1}var xe;if(typeof x=="function")xe=function(){x(ve)};else if(typeof MessageChannel<"u"){var he=new MessageChannel,fe=he.port2;he.port1.onmessage=ve,xe=function(){fe.postMessage(null)}}else xe=function(){E(ve,0)};function me(H){N=H,O||(O=!0,xe())}function ne(H,K){F=E(function(){H(e.unstable_now())},K)}e.unstable_IdlePriority=5,e.unstable_ImmediatePriority=1,e.unstable_LowPriority=4,e.unstable_NormalPriority=3,e.unstable_Profiling=null,e.unstable_UserBlockingPriority=2,e.unstable_cancelCallback=function(H){H.callback=null},e.unstable_continueExecution=function(){b||g||(b=!0,me(T))},e.unstable_forceFrameRate=function(H){0>H||125<H?console.error("forceFrameRate takes a positive int between 0 and 125, forcing frame rates higher than 125 fps is not supported"):q=0<H?Math.floor(1e3/H):5},e.unstable_getCurrentPriorityLevel=function(){return m},e.unstable_getFirstCallbackNode=function(){return n(c)},e.unstable_next=function(H){switch(m){case 1:case 2:case 3:var K=3;break;default:K=m}var Z=m;m=K;try{return H()}finally{m=Z}},e.unstable_pauseExecution=function(){},e.unstable_requestPaint=function(){},e.unstable_runWithPriority=function(H,K){switch(H){case 1:case 2:case 3:case 4:case 5:break;default:H=3}var Z=m;m=H;try{return K()}finally{m=Z}},e.unstable_scheduleCallback=function(H,K,Z){var M=e.unstable_now();switch(typeof Z=="object"&&Z!==null?(Z=Z.delay,Z=typeof Z=="number"&&0<Z?M+Z:M):Z=M,H){case 1:var j=-1;break;case 2:j=250;break;case 5:j=1073741823;break;case 4:j=1e4;break;default:j=5e3}return j=Z+j,H={id:p++,callback:K,priorityLevel:H,startTime:Z,expirationTime:j,sortIndex:-1},Z>M?(H.sortIndex=Z,t(f,H),n(c)===null&&H===n(f)&&(S?(w(F),F=-1):S=!0,ne(L,Z-M))):(H.sortIndex=j,t(c,H),b||g||(b=!0,me(T))),H},e.unstable_shouldYield=J,e.unstable_wrapCallback=function(H){var K=m;return function(){var Z=m;m=K;try{return H.apply(this,arguments)}finally{m=Z}}}})(J7);(function(e){e.exports=J7})(Q7);/** - * @license React - * react-dom.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var eC=C.exports,Dr=Q7.exports;function le(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}var tC=new Set,of={};function Ns(e,t){ou(e,t),ou(e+"Capture",t)}function ou(e,t){for(of[e]=t,e=0;e<t.length;e++)tC.add(t[e])}var $i=!(typeof window>"u"||typeof window.document>"u"||typeof window.document.createElement>"u"),I2=Object.prototype.hasOwnProperty,cF=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,q9={},K9={};function fF(e){return I2.call(K9,e)?!0:I2.call(q9,e)?!1:cF.test(e)?K9[e]=!0:(q9[e]=!0,!1)}function dF(e,t,n,r){if(n!==null&&n.type===0)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return r?!1:n!==null?!n.acceptsBooleans:(e=e.toLowerCase().slice(0,5),e!=="data-"&&e!=="aria-");default:return!1}}function pF(e,t,n,r){if(t===null||typeof t>"u"||dF(e,t,n,r))return!0;if(r)return!1;if(n!==null)switch(n.type){case 3:return!t;case 4:return t===!1;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}function or(e,t,n,r,o,i,s){this.acceptsBooleans=t===2||t===3||t===4,this.attributeName=r,this.attributeNamespace=o,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=i,this.removeEmptyString=s}var In={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach(function(e){In[e]=new or(e,0,!1,e,null,!1,!1)});[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach(function(e){var t=e[0];In[t]=new or(t,1,!1,e[1],null,!1,!1)});["contentEditable","draggable","spellCheck","value"].forEach(function(e){In[e]=new or(e,2,!1,e.toLowerCase(),null,!1,!1)});["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach(function(e){In[e]=new or(e,2,!1,e,null,!1,!1)});"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach(function(e){In[e]=new or(e,3,!1,e.toLowerCase(),null,!1,!1)});["checked","multiple","muted","selected"].forEach(function(e){In[e]=new or(e,3,!0,e,null,!1,!1)});["capture","download"].forEach(function(e){In[e]=new or(e,4,!1,e,null,!1,!1)});["cols","rows","size","span"].forEach(function(e){In[e]=new or(e,6,!1,e,null,!1,!1)});["rowSpan","start"].forEach(function(e){In[e]=new or(e,5,!1,e.toLowerCase(),null,!1,!1)});var t4=/[\-:]([a-z])/g;function n4(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach(function(e){var t=e.replace(t4,n4);In[t]=new or(t,1,!1,e,null,!1,!1)});"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach(function(e){var t=e.replace(t4,n4);In[t]=new or(t,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)});["xml:base","xml:lang","xml:space"].forEach(function(e){var t=e.replace(t4,n4);In[t]=new or(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)});["tabIndex","crossOrigin"].forEach(function(e){In[e]=new or(e,1,!1,e.toLowerCase(),null,!1,!1)});In.xlinkHref=new or("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1);["src","href","action","formAction"].forEach(function(e){In[e]=new or(e,1,!1,e.toLowerCase(),null,!0,!0)});function r4(e,t,n,r){var o=In.hasOwnProperty(t)?In[t]:null;(o!==null?o.type!==0:r||!(2<t.length)||t[0]!=="o"&&t[0]!=="O"||t[1]!=="n"&&t[1]!=="N")&&(pF(t,n,o,r)&&(n=null),r||o===null?fF(t)&&(n===null?e.removeAttribute(t):e.setAttribute(t,""+n)):o.mustUseProperty?e[o.propertyName]=n===null?o.type===3?!1:"":n:(t=o.attributeName,r=o.attributeNamespace,n===null?e.removeAttribute(t):(o=o.type,n=o===3||o===4&&n===!0?"":""+n,r?e.setAttributeNS(r,t,n):e.setAttribute(t,n))))}var qi=eC.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED,Ip=Symbol.for("react.element"),El=Symbol.for("react.portal"),Ll=Symbol.for("react.fragment"),o4=Symbol.for("react.strict_mode"),M2=Symbol.for("react.profiler"),nC=Symbol.for("react.provider"),rC=Symbol.for("react.context"),i4=Symbol.for("react.forward_ref"),R2=Symbol.for("react.suspense"),O2=Symbol.for("react.suspense_list"),a4=Symbol.for("react.memo"),ma=Symbol.for("react.lazy"),oC=Symbol.for("react.offscreen"),Y9=Symbol.iterator;function cc(e){return e===null||typeof e!="object"?null:(e=Y9&&e[Y9]||e["@@iterator"],typeof e=="function"?e:null)}var jt=Object.assign,hv;function Ec(e){if(hv===void 0)try{throw Error()}catch(n){var t=n.stack.trim().match(/\n( *(at )?)/);hv=t&&t[1]||""}return` -`+hv+e}var mv=!1;function gv(e,t){if(!e||mv)return"";mv=!0;var n=Error.prepareStackTrace;Error.prepareStackTrace=void 0;try{if(t)if(t=function(){throw Error()},Object.defineProperty(t.prototype,"props",{set:function(){throw Error()}}),typeof Reflect=="object"&&Reflect.construct){try{Reflect.construct(t,[])}catch(f){var r=f}Reflect.construct(e,[],t)}else{try{t.call()}catch(f){r=f}e.call(t.prototype)}else{try{throw Error()}catch(f){r=f}e()}}catch(f){if(f&&r&&typeof f.stack=="string"){for(var o=f.stack.split(` -`),i=r.stack.split(` -`),s=o.length-1,u=i.length-1;1<=s&&0<=u&&o[s]!==i[u];)u--;for(;1<=s&&0<=u;s--,u--)if(o[s]!==i[u]){if(s!==1||u!==1)do if(s--,u--,0>u||o[s]!==i[u]){var c=` -`+o[s].replace(" at new "," at ");return e.displayName&&c.includes("<anonymous>")&&(c=c.replace("<anonymous>",e.displayName)),c}while(1<=s&&0<=u);break}}}finally{mv=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?Ec(e):""}function hF(e){switch(e.tag){case 5:return Ec(e.type);case 16:return Ec("Lazy");case 13:return Ec("Suspense");case 19:return Ec("SuspenseList");case 0:case 2:case 15:return e=gv(e.type,!1),e;case 11:return e=gv(e.type.render,!1),e;case 1:return e=gv(e.type,!0),e;default:return""}}function N2(e){if(e==null)return null;if(typeof e=="function")return e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case Ll:return"Fragment";case El:return"Portal";case M2:return"Profiler";case o4:return"StrictMode";case R2:return"Suspense";case O2:return"SuspenseList"}if(typeof e=="object")switch(e.$$typeof){case rC:return(e.displayName||"Context")+".Consumer";case nC:return(e._context.displayName||"Context")+".Provider";case i4:var t=e.render;return e=e.displayName,e||(e=t.displayName||t.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case a4:return t=e.displayName||null,t!==null?t:N2(e.type)||"Memo";case ma:t=e._payload,e=e._init;try{return N2(e(t))}catch{}}return null}function mF(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=t.render,e=e.displayName||e.name||"",t.displayName||(e!==""?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return N2(t);case 8:return t===o4?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if(typeof t=="function")return t.displayName||t.name||null;if(typeof t=="string")return t}return null}function za(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":return e;case"object":return e;default:return""}}function iC(e){var t=e.type;return(e=e.nodeName)&&e.toLowerCase()==="input"&&(t==="checkbox"||t==="radio")}function gF(e){var t=iC(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&typeof n<"u"&&typeof n.get=="function"&&typeof n.set=="function"){var o=n.get,i=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return o.call(this)},set:function(s){r=""+s,i.call(this,s)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(s){r=""+s},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}function Mp(e){e._valueTracker||(e._valueTracker=gF(e))}function aC(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=iC(e)?e.checked?"true":"false":e.value),e=r,e!==n?(t.setValue(e),!0):!1}function o1(e){if(e=e||(typeof document<"u"?document:void 0),typeof e>"u")return null;try{return e.activeElement||e.body}catch{return e.body}}function D2(e,t){var n=t.checked;return jt({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:n??e._wrapperState.initialChecked})}function X9(e,t){var n=t.defaultValue==null?"":t.defaultValue,r=t.checked!=null?t.checked:t.defaultChecked;n=za(t.value!=null?t.value:n),e._wrapperState={initialChecked:r,initialValue:n,controlled:t.type==="checkbox"||t.type==="radio"?t.checked!=null:t.value!=null}}function sC(e,t){t=t.checked,t!=null&&r4(e,"checked",t,!1)}function z2(e,t){sC(e,t);var n=za(t.value),r=t.type;if(n!=null)r==="number"?(n===0&&e.value===""||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if(r==="submit"||r==="reset"){e.removeAttribute("value");return}t.hasOwnProperty("value")?F2(e,t.type,n):t.hasOwnProperty("defaultValue")&&F2(e,t.type,za(t.defaultValue)),t.checked==null&&t.defaultChecked!=null&&(e.defaultChecked=!!t.defaultChecked)}function Q9(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(!(r!=="submit"&&r!=="reset"||t.value!==void 0&&t.value!==null))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}n=e.name,n!==""&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,n!==""&&(e.name=n)}function F2(e,t,n){(t!=="number"||o1(e.ownerDocument)!==e)&&(n==null?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var Lc=Array.isArray;function Hl(e,t,n,r){if(e=e.options,t){t={};for(var o=0;o<n.length;o++)t["$"+n[o]]=!0;for(n=0;n<e.length;n++)o=t.hasOwnProperty("$"+e[n].value),e[n].selected!==o&&(e[n].selected=o),o&&r&&(e[n].defaultSelected=!0)}else{for(n=""+za(n),t=null,o=0;o<e.length;o++){if(e[o].value===n){e[o].selected=!0,r&&(e[o].defaultSelected=!0);return}t!==null||e[o].disabled||(t=e[o])}t!==null&&(t.selected=!0)}}function B2(e,t){if(t.dangerouslySetInnerHTML!=null)throw Error(le(91));return jt({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue})}function J9(e,t){var n=t.value;if(n==null){if(n=t.children,t=t.defaultValue,n!=null){if(t!=null)throw Error(le(92));if(Lc(n)){if(1<n.length)throw Error(le(93));n=n[0]}t=n}t==null&&(t=""),n=t}e._wrapperState={initialValue:za(n)}}function lC(e,t){var n=za(t.value),r=za(t.defaultValue);n!=null&&(n=""+n,n!==e.value&&(e.value=n),t.defaultValue==null&&e.defaultValue!==n&&(e.defaultValue=n)),r!=null&&(e.defaultValue=""+r)}function ex(e){var t=e.textContent;t===e._wrapperState.initialValue&&t!==""&&t!==null&&(e.value=t)}function uC(e){switch(e){case"svg":return"http://www.w3.org/2000/svg";case"math":return"http://www.w3.org/1998/Math/MathML";default:return"http://www.w3.org/1999/xhtml"}}function $2(e,t){return e==null||e==="http://www.w3.org/1999/xhtml"?uC(t):e==="http://www.w3.org/2000/svg"&&t==="foreignObject"?"http://www.w3.org/1999/xhtml":e}var Rp,cC=function(e){return typeof MSApp<"u"&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e}(function(e,t){if(e.namespaceURI!=="http://www.w3.org/2000/svg"||"innerHTML"in e)e.innerHTML=t;else{for(Rp=Rp||document.createElement("div"),Rp.innerHTML="<svg>"+t.valueOf().toString()+"</svg>",t=Rp.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}});function af(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&n.nodeType===3){n.nodeValue=t;return}}e.textContent=t}var Nc={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},vF=["Webkit","ms","Moz","O"];Object.keys(Nc).forEach(function(e){vF.forEach(function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Nc[t]=Nc[e]})});function fC(e,t,n){return t==null||typeof t=="boolean"||t===""?"":n||typeof t!="number"||t===0||Nc.hasOwnProperty(e)&&Nc[e]?(""+t).trim():t+"px"}function dC(e,t){e=e.style;for(var n in t)if(t.hasOwnProperty(n)){var r=n.indexOf("--")===0,o=fC(n,t[n],r);n==="float"&&(n="cssFloat"),r?e.setProperty(n,o):e[n]=o}}var yF=jt({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function V2(e,t){if(t){if(yF[e]&&(t.children!=null||t.dangerouslySetInnerHTML!=null))throw Error(le(137,e));if(t.dangerouslySetInnerHTML!=null){if(t.children!=null)throw Error(le(60));if(typeof t.dangerouslySetInnerHTML!="object"||!("__html"in t.dangerouslySetInnerHTML))throw Error(le(61))}if(t.style!=null&&typeof t.style!="object")throw Error(le(62))}}function W2(e,t){if(e.indexOf("-")===-1)return typeof t.is=="string";switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var H2=null;function s4(e){return e=e.target||e.srcElement||window,e.correspondingUseElement&&(e=e.correspondingUseElement),e.nodeType===3?e.parentNode:e}var j2=null,jl=null,Ul=null;function tx(e){if(e=Jf(e)){if(typeof j2!="function")throw Error(le(280));var t=e.stateNode;t&&(t=g0(t),j2(e.stateNode,e.type,t))}}function pC(e){jl?Ul?Ul.push(e):Ul=[e]:jl=e}function hC(){if(jl){var e=jl,t=Ul;if(Ul=jl=null,tx(e),t)for(e=0;e<t.length;e++)tx(t[e])}}function mC(e,t){return e(t)}function gC(){}var vv=!1;function vC(e,t,n){if(vv)return e(t,n);vv=!0;try{return mC(e,t,n)}finally{vv=!1,(jl!==null||Ul!==null)&&(gC(),hC())}}function sf(e,t){var n=e.stateNode;if(n===null)return null;var r=g0(n);if(r===null)return null;n=r[t];e:switch(t){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":case"onMouseEnter":(r=!r.disabled)||(e=e.type,r=!(e==="button"||e==="input"||e==="select"||e==="textarea")),e=!r;break e;default:e=!1}if(e)return null;if(n&&typeof n!="function")throw Error(le(231,t,typeof n));return n}var U2=!1;if($i)try{var fc={};Object.defineProperty(fc,"passive",{get:function(){U2=!0}}),window.addEventListener("test",fc,fc),window.removeEventListener("test",fc,fc)}catch{U2=!1}function bF(e,t,n,r,o,i,s,u,c){var f=Array.prototype.slice.call(arguments,3);try{t.apply(n,f)}catch(p){this.onError(p)}}var Dc=!1,i1=null,a1=!1,G2=null,xF={onError:function(e){Dc=!0,i1=e}};function SF(e,t,n,r,o,i,s,u,c){Dc=!1,i1=null,bF.apply(xF,arguments)}function wF(e,t,n,r,o,i,s,u,c){if(SF.apply(this,arguments),Dc){if(Dc){var f=i1;Dc=!1,i1=null}else throw Error(le(198));a1||(a1=!0,G2=f)}}function Ds(e){var t=e,n=e;if(e.alternate)for(;t.return;)t=t.return;else{e=t;do t=e,(t.flags&4098)!==0&&(n=t.return),e=t.return;while(e)}return t.tag===3?n:null}function yC(e){if(e.tag===13){var t=e.memoizedState;if(t===null&&(e=e.alternate,e!==null&&(t=e.memoizedState)),t!==null)return t.dehydrated}return null}function nx(e){if(Ds(e)!==e)throw Error(le(188))}function CF(e){var t=e.alternate;if(!t){if(t=Ds(e),t===null)throw Error(le(188));return t!==e?null:e}for(var n=e,r=t;;){var o=n.return;if(o===null)break;var i=o.alternate;if(i===null){if(r=o.return,r!==null){n=r;continue}break}if(o.child===i.child){for(i=o.child;i;){if(i===n)return nx(o),e;if(i===r)return nx(o),t;i=i.sibling}throw Error(le(188))}if(n.return!==r.return)n=o,r=i;else{for(var s=!1,u=o.child;u;){if(u===n){s=!0,n=o,r=i;break}if(u===r){s=!0,r=o,n=i;break}u=u.sibling}if(!s){for(u=i.child;u;){if(u===n){s=!0,n=i,r=o;break}if(u===r){s=!0,r=i,n=o;break}u=u.sibling}if(!s)throw Error(le(189))}}if(n.alternate!==r)throw Error(le(190))}if(n.tag!==3)throw Error(le(188));return n.stateNode.current===n?e:t}function bC(e){return e=CF(e),e!==null?xC(e):null}function xC(e){if(e.tag===5||e.tag===6)return e;for(e=e.child;e!==null;){var t=xC(e);if(t!==null)return t;e=e.sibling}return null}var SC=Dr.unstable_scheduleCallback,rx=Dr.unstable_cancelCallback,_F=Dr.unstable_shouldYield,kF=Dr.unstable_requestPaint,tn=Dr.unstable_now,EF=Dr.unstable_getCurrentPriorityLevel,l4=Dr.unstable_ImmediatePriority,wC=Dr.unstable_UserBlockingPriority,s1=Dr.unstable_NormalPriority,LF=Dr.unstable_LowPriority,CC=Dr.unstable_IdlePriority,d0=null,Qo=null;function PF(e){if(Qo&&typeof Qo.onCommitFiberRoot=="function")try{Qo.onCommitFiberRoot(d0,e,void 0,(e.current.flags&128)===128)}catch{}}var Ao=Math.clz32?Math.clz32:IF,AF=Math.log,TF=Math.LN2;function IF(e){return e>>>=0,e===0?32:31-(AF(e)/TF|0)|0}var Op=64,Np=4194304;function Pc(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return e&4194240;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return e&130023424;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function l1(e,t){var n=e.pendingLanes;if(n===0)return 0;var r=0,o=e.suspendedLanes,i=e.pingedLanes,s=n&268435455;if(s!==0){var u=s&~o;u!==0?r=Pc(u):(i&=s,i!==0&&(r=Pc(i)))}else s=n&~o,s!==0?r=Pc(s):i!==0&&(r=Pc(i));if(r===0)return 0;if(t!==0&&t!==r&&(t&o)===0&&(o=r&-r,i=t&-t,o>=i||o===16&&(i&4194240)!==0))return t;if((r&4)!==0&&(r|=n&16),t=e.entangledLanes,t!==0)for(e=e.entanglements,t&=r;0<t;)n=31-Ao(t),o=1<<n,r|=e[n],t&=~o;return r}function MF(e,t){switch(e){case 1:case 2:case 4:return t+250;case 8:case 16:case 32:case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return t+5e3;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return-1;case 134217728:case 268435456:case 536870912:case 1073741824:return-1;default:return-1}}function RF(e,t){for(var n=e.suspendedLanes,r=e.pingedLanes,o=e.expirationTimes,i=e.pendingLanes;0<i;){var s=31-Ao(i),u=1<<s,c=o[s];c===-1?((u&n)===0||(u&r)!==0)&&(o[s]=MF(u,t)):c<=t&&(e.expiredLanes|=u),i&=~u}}function Z2(e){return e=e.pendingLanes&-1073741825,e!==0?e:e&1073741824?1073741824:0}function _C(){var e=Op;return Op<<=1,(Op&4194240)===0&&(Op=64),e}function yv(e){for(var t=[],n=0;31>n;n++)t.push(e);return t}function Xf(e,t,n){e.pendingLanes|=t,t!==536870912&&(e.suspendedLanes=0,e.pingedLanes=0),e=e.eventTimes,t=31-Ao(t),e[t]=n}function OF(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var r=e.eventTimes;for(e=e.expirationTimes;0<n;){var o=31-Ao(n),i=1<<o;t[o]=0,r[o]=-1,e[o]=-1,n&=~i}}function u4(e,t){var n=e.entangledLanes|=t;for(e=e.entanglements;n;){var r=31-Ao(n),o=1<<r;o&t|e[r]&t&&(e[r]|=t),n&=~o}}var gt=0;function kC(e){return e&=-e,1<e?4<e?(e&268435455)!==0?16:536870912:4:1}var EC,c4,LC,PC,AC,q2=!1,Dp=[],Pa=null,Aa=null,Ta=null,lf=new Map,uf=new Map,ya=[],NF="mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput copy cut paste click change contextmenu reset submit".split(" ");function ox(e,t){switch(e){case"focusin":case"focusout":Pa=null;break;case"dragenter":case"dragleave":Aa=null;break;case"mouseover":case"mouseout":Ta=null;break;case"pointerover":case"pointerout":lf.delete(t.pointerId);break;case"gotpointercapture":case"lostpointercapture":uf.delete(t.pointerId)}}function dc(e,t,n,r,o,i){return e===null||e.nativeEvent!==i?(e={blockedOn:t,domEventName:n,eventSystemFlags:r,nativeEvent:i,targetContainers:[o]},t!==null&&(t=Jf(t),t!==null&&c4(t)),e):(e.eventSystemFlags|=r,t=e.targetContainers,o!==null&&t.indexOf(o)===-1&&t.push(o),e)}function DF(e,t,n,r,o){switch(t){case"focusin":return Pa=dc(Pa,e,t,n,r,o),!0;case"dragenter":return Aa=dc(Aa,e,t,n,r,o),!0;case"mouseover":return Ta=dc(Ta,e,t,n,r,o),!0;case"pointerover":var i=o.pointerId;return lf.set(i,dc(lf.get(i)||null,e,t,n,r,o)),!0;case"gotpointercapture":return i=o.pointerId,uf.set(i,dc(uf.get(i)||null,e,t,n,r,o)),!0}return!1}function TC(e){var t=gs(e.target);if(t!==null){var n=Ds(t);if(n!==null){if(t=n.tag,t===13){if(t=yC(n),t!==null){e.blockedOn=t,AC(e.priority,function(){LC(n)});return}}else if(t===3&&n.stateNode.current.memoizedState.isDehydrated){e.blockedOn=n.tag===3?n.stateNode.containerInfo:null;return}}}e.blockedOn=null}function kh(e){if(e.blockedOn!==null)return!1;for(var t=e.targetContainers;0<t.length;){var n=K2(e.domEventName,e.eventSystemFlags,t[0],e.nativeEvent);if(n===null){n=e.nativeEvent;var r=new n.constructor(n.type,n);H2=r,n.target.dispatchEvent(r),H2=null}else return t=Jf(n),t!==null&&c4(t),e.blockedOn=n,!1;t.shift()}return!0}function ix(e,t,n){kh(e)&&n.delete(t)}function zF(){q2=!1,Pa!==null&&kh(Pa)&&(Pa=null),Aa!==null&&kh(Aa)&&(Aa=null),Ta!==null&&kh(Ta)&&(Ta=null),lf.forEach(ix),uf.forEach(ix)}function pc(e,t){e.blockedOn===t&&(e.blockedOn=null,q2||(q2=!0,Dr.unstable_scheduleCallback(Dr.unstable_NormalPriority,zF)))}function cf(e){function t(o){return pc(o,e)}if(0<Dp.length){pc(Dp[0],e);for(var n=1;n<Dp.length;n++){var r=Dp[n];r.blockedOn===e&&(r.blockedOn=null)}}for(Pa!==null&&pc(Pa,e),Aa!==null&&pc(Aa,e),Ta!==null&&pc(Ta,e),lf.forEach(t),uf.forEach(t),n=0;n<ya.length;n++)r=ya[n],r.blockedOn===e&&(r.blockedOn=null);for(;0<ya.length&&(n=ya[0],n.blockedOn===null);)TC(n),n.blockedOn===null&&ya.shift()}var Gl=qi.ReactCurrentBatchConfig,u1=!0;function FF(e,t,n,r){var o=gt,i=Gl.transition;Gl.transition=null;try{gt=1,f4(e,t,n,r)}finally{gt=o,Gl.transition=i}}function BF(e,t,n,r){var o=gt,i=Gl.transition;Gl.transition=null;try{gt=4,f4(e,t,n,r)}finally{gt=o,Gl.transition=i}}function f4(e,t,n,r){if(u1){var o=K2(e,t,n,r);if(o===null)Pv(e,t,r,c1,n),ox(e,r);else if(DF(o,e,t,n,r))r.stopPropagation();else if(ox(e,r),t&4&&-1<NF.indexOf(e)){for(;o!==null;){var i=Jf(o);if(i!==null&&EC(i),i=K2(e,t,n,r),i===null&&Pv(e,t,r,c1,n),i===o)break;o=i}o!==null&&r.stopPropagation()}else Pv(e,t,r,null,n)}}var c1=null;function K2(e,t,n,r){if(c1=null,e=s4(r),e=gs(e),e!==null)if(t=Ds(e),t===null)e=null;else if(n=t.tag,n===13){if(e=yC(t),e!==null)return e;e=null}else if(n===3){if(t.stateNode.current.memoizedState.isDehydrated)return t.tag===3?t.stateNode.containerInfo:null;e=null}else t!==e&&(e=null);return c1=e,null}function IC(e){switch(e){case"cancel":case"click":case"close":case"contextmenu":case"copy":case"cut":case"auxclick":case"dblclick":case"dragend":case"dragstart":case"drop":case"focusin":case"focusout":case"input":case"invalid":case"keydown":case"keypress":case"keyup":case"mousedown":case"mouseup":case"paste":case"pause":case"play":case"pointercancel":case"pointerdown":case"pointerup":case"ratechange":case"reset":case"resize":case"seeked":case"submit":case"touchcancel":case"touchend":case"touchstart":case"volumechange":case"change":case"selectionchange":case"textInput":case"compositionstart":case"compositionend":case"compositionupdate":case"beforeblur":case"afterblur":case"beforeinput":case"blur":case"fullscreenchange":case"focus":case"hashchange":case"popstate":case"select":case"selectstart":return 1;case"drag":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"mousemove":case"mouseout":case"mouseover":case"pointermove":case"pointerout":case"pointerover":case"scroll":case"toggle":case"touchmove":case"wheel":case"mouseenter":case"mouseleave":case"pointerenter":case"pointerleave":return 4;case"message":switch(EF()){case l4:return 1;case wC:return 4;case s1:case LF:return 16;case CC:return 536870912;default:return 16}default:return 16}}var wa=null,d4=null,Eh=null;function MC(){if(Eh)return Eh;var e,t=d4,n=t.length,r,o="value"in wa?wa.value:wa.textContent,i=o.length;for(e=0;e<n&&t[e]===o[e];e++);var s=n-e;for(r=1;r<=s&&t[n-r]===o[i-r];r++);return Eh=o.slice(e,1<r?1-r:void 0)}function Lh(e){var t=e.keyCode;return"charCode"in e?(e=e.charCode,e===0&&t===13&&(e=13)):e=t,e===10&&(e=13),32<=e||e===13?e:0}function zp(){return!0}function ax(){return!1}function $r(e){function t(n,r,o,i,s){this._reactName=n,this._targetInst=o,this.type=r,this.nativeEvent=i,this.target=s,this.currentTarget=null;for(var u in e)e.hasOwnProperty(u)&&(n=e[u],this[u]=n?n(i):i[u]);return this.isDefaultPrevented=(i.defaultPrevented!=null?i.defaultPrevented:i.returnValue===!1)?zp:ax,this.isPropagationStopped=ax,this}return jt(t.prototype,{preventDefault:function(){this.defaultPrevented=!0;var n=this.nativeEvent;n&&(n.preventDefault?n.preventDefault():typeof n.returnValue!="unknown"&&(n.returnValue=!1),this.isDefaultPrevented=zp)},stopPropagation:function(){var n=this.nativeEvent;n&&(n.stopPropagation?n.stopPropagation():typeof n.cancelBubble!="unknown"&&(n.cancelBubble=!0),this.isPropagationStopped=zp)},persist:function(){},isPersistent:zp}),t}var Cu={eventPhase:0,bubbles:0,cancelable:0,timeStamp:function(e){return e.timeStamp||Date.now()},defaultPrevented:0,isTrusted:0},p4=$r(Cu),Qf=jt({},Cu,{view:0,detail:0}),$F=$r(Qf),bv,xv,hc,p0=jt({},Qf,{screenX:0,screenY:0,clientX:0,clientY:0,pageX:0,pageY:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,getModifierState:h4,button:0,buttons:0,relatedTarget:function(e){return e.relatedTarget===void 0?e.fromElement===e.srcElement?e.toElement:e.fromElement:e.relatedTarget},movementX:function(e){return"movementX"in e?e.movementX:(e!==hc&&(hc&&e.type==="mousemove"?(bv=e.screenX-hc.screenX,xv=e.screenY-hc.screenY):xv=bv=0,hc=e),bv)},movementY:function(e){return"movementY"in e?e.movementY:xv}}),sx=$r(p0),VF=jt({},p0,{dataTransfer:0}),WF=$r(VF),HF=jt({},Qf,{relatedTarget:0}),Sv=$r(HF),jF=jt({},Cu,{animationName:0,elapsedTime:0,pseudoElement:0}),UF=$r(jF),GF=jt({},Cu,{clipboardData:function(e){return"clipboardData"in e?e.clipboardData:window.clipboardData}}),ZF=$r(GF),qF=jt({},Cu,{data:0}),lx=$r(qF),KF={Esc:"Escape",Spacebar:" ",Left:"ArrowLeft",Up:"ArrowUp",Right:"ArrowRight",Down:"ArrowDown",Del:"Delete",Win:"OS",Menu:"ContextMenu",Apps:"ContextMenu",Scroll:"ScrollLock",MozPrintableKey:"Unidentified"},YF={8:"Backspace",9:"Tab",12:"Clear",13:"Enter",16:"Shift",17:"Control",18:"Alt",19:"Pause",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",45:"Insert",46:"Delete",112:"F1",113:"F2",114:"F3",115:"F4",116:"F5",117:"F6",118:"F7",119:"F8",120:"F9",121:"F10",122:"F11",123:"F12",144:"NumLock",145:"ScrollLock",224:"Meta"},XF={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};function QF(e){var t=this.nativeEvent;return t.getModifierState?t.getModifierState(e):(e=XF[e])?!!t[e]:!1}function h4(){return QF}var JF=jt({},Qf,{key:function(e){if(e.key){var t=KF[e.key]||e.key;if(t!=="Unidentified")return t}return e.type==="keypress"?(e=Lh(e),e===13?"Enter":String.fromCharCode(e)):e.type==="keydown"||e.type==="keyup"?YF[e.keyCode]||"Unidentified":""},code:0,location:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,repeat:0,locale:0,getModifierState:h4,charCode:function(e){return e.type==="keypress"?Lh(e):0},keyCode:function(e){return e.type==="keydown"||e.type==="keyup"?e.keyCode:0},which:function(e){return e.type==="keypress"?Lh(e):e.type==="keydown"||e.type==="keyup"?e.keyCode:0}}),eB=$r(JF),tB=jt({},p0,{pointerId:0,width:0,height:0,pressure:0,tangentialPressure:0,tiltX:0,tiltY:0,twist:0,pointerType:0,isPrimary:0}),ux=$r(tB),nB=jt({},Qf,{touches:0,targetTouches:0,changedTouches:0,altKey:0,metaKey:0,ctrlKey:0,shiftKey:0,getModifierState:h4}),rB=$r(nB),oB=jt({},Cu,{propertyName:0,elapsedTime:0,pseudoElement:0}),iB=$r(oB),aB=jt({},p0,{deltaX:function(e){return"deltaX"in e?e.deltaX:"wheelDeltaX"in e?-e.wheelDeltaX:0},deltaY:function(e){return"deltaY"in e?e.deltaY:"wheelDeltaY"in e?-e.wheelDeltaY:"wheelDelta"in e?-e.wheelDelta:0},deltaZ:0,deltaMode:0}),sB=$r(aB),lB=[9,13,27,32],m4=$i&&"CompositionEvent"in window,zc=null;$i&&"documentMode"in document&&(zc=document.documentMode);var uB=$i&&"TextEvent"in window&&!zc,RC=$i&&(!m4||zc&&8<zc&&11>=zc),cx=String.fromCharCode(32),fx=!1;function OC(e,t){switch(e){case"keyup":return lB.indexOf(t.keyCode)!==-1;case"keydown":return t.keyCode!==229;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function NC(e){return e=e.detail,typeof e=="object"&&"data"in e?e.data:null}var Pl=!1;function cB(e,t){switch(e){case"compositionend":return NC(t);case"keypress":return t.which!==32?null:(fx=!0,cx);case"textInput":return e=t.data,e===cx&&fx?null:e;default:return null}}function fB(e,t){if(Pl)return e==="compositionend"||!m4&&OC(e,t)?(e=MC(),Eh=d4=wa=null,Pl=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1<t.char.length)return t.char;if(t.which)return String.fromCharCode(t.which)}return null;case"compositionend":return RC&&t.locale!=="ko"?null:t.data;default:return null}}var dB={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};function dx(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t==="input"?!!dB[e.type]:t==="textarea"}function DC(e,t,n,r){pC(r),t=f1(t,"onChange"),0<t.length&&(n=new p4("onChange","change",null,n,r),e.push({event:n,listeners:t}))}var Fc=null,ff=null;function pB(e){ZC(e,0)}function h0(e){var t=Il(e);if(aC(t))return e}function hB(e,t){if(e==="change")return t}var zC=!1;if($i){var wv;if($i){var Cv="oninput"in document;if(!Cv){var px=document.createElement("div");px.setAttribute("oninput","return;"),Cv=typeof px.oninput=="function"}wv=Cv}else wv=!1;zC=wv&&(!document.documentMode||9<document.documentMode)}function hx(){Fc&&(Fc.detachEvent("onpropertychange",FC),ff=Fc=null)}function FC(e){if(e.propertyName==="value"&&h0(ff)){var t=[];DC(t,ff,e,s4(e)),vC(pB,t)}}function mB(e,t,n){e==="focusin"?(hx(),Fc=t,ff=n,Fc.attachEvent("onpropertychange",FC)):e==="focusout"&&hx()}function gB(e){if(e==="selectionchange"||e==="keyup"||e==="keydown")return h0(ff)}function vB(e,t){if(e==="click")return h0(t)}function yB(e,t){if(e==="input"||e==="change")return h0(t)}function bB(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var Mo=typeof Object.is=="function"?Object.is:bB;function df(e,t){if(Mo(e,t))return!0;if(typeof e!="object"||e===null||typeof t!="object"||t===null)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(r=0;r<n.length;r++){var o=n[r];if(!I2.call(t,o)||!Mo(e[o],t[o]))return!1}return!0}function mx(e){for(;e&&e.firstChild;)e=e.firstChild;return e}function gx(e,t){var n=mx(e);e=0;for(var r;n;){if(n.nodeType===3){if(r=e+n.textContent.length,e<=t&&r>=t)return{node:n,offset:t-e};e=r}e:{for(;n;){if(n.nextSibling){n=n.nextSibling;break e}n=n.parentNode}n=void 0}n=mx(n)}}function BC(e,t){return e&&t?e===t?!0:e&&e.nodeType===3?!1:t&&t.nodeType===3?BC(e,t.parentNode):"contains"in e?e.contains(t):e.compareDocumentPosition?!!(e.compareDocumentPosition(t)&16):!1:!1}function $C(){for(var e=window,t=o1();t instanceof e.HTMLIFrameElement;){try{var n=typeof t.contentWindow.location.href=="string"}catch{n=!1}if(n)e=t.contentWindow;else break;t=o1(e.document)}return t}function g4(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&(t==="input"&&(e.type==="text"||e.type==="search"||e.type==="tel"||e.type==="url"||e.type==="password")||t==="textarea"||e.contentEditable==="true")}function xB(e){var t=$C(),n=e.focusedElem,r=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&BC(n.ownerDocument.documentElement,n)){if(r!==null&&g4(n)){if(t=r.start,e=r.end,e===void 0&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if(e=(t=n.ownerDocument||document)&&t.defaultView||window,e.getSelection){e=e.getSelection();var o=n.textContent.length,i=Math.min(r.start,o);r=r.end===void 0?i:Math.min(r.end,o),!e.extend&&i>r&&(o=r,r=i,i=o),o=gx(n,i);var s=gx(n,r);o&&s&&(e.rangeCount!==1||e.anchorNode!==o.node||e.anchorOffset!==o.offset||e.focusNode!==s.node||e.focusOffset!==s.offset)&&(t=t.createRange(),t.setStart(o.node,o.offset),e.removeAllRanges(),i>r?(e.addRange(t),e.extend(s.node,s.offset)):(t.setEnd(s.node,s.offset),e.addRange(t)))}}for(t=[],e=n;e=e.parentNode;)e.nodeType===1&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for(typeof n.focus=="function"&&n.focus(),n=0;n<t.length;n++)e=t[n],e.element.scrollLeft=e.left,e.element.scrollTop=e.top}}var SB=$i&&"documentMode"in document&&11>=document.documentMode,Al=null,Y2=null,Bc=null,X2=!1;function vx(e,t,n){var r=n.window===n?n.document:n.nodeType===9?n:n.ownerDocument;X2||Al==null||Al!==o1(r)||(r=Al,"selectionStart"in r&&g4(r)?r={start:r.selectionStart,end:r.selectionEnd}:(r=(r.ownerDocument&&r.ownerDocument.defaultView||window).getSelection(),r={anchorNode:r.anchorNode,anchorOffset:r.anchorOffset,focusNode:r.focusNode,focusOffset:r.focusOffset}),Bc&&df(Bc,r)||(Bc=r,r=f1(Y2,"onSelect"),0<r.length&&(t=new p4("onSelect","select",null,t,n),e.push({event:t,listeners:r}),t.target=Al)))}function Fp(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n}var Tl={animationend:Fp("Animation","AnimationEnd"),animationiteration:Fp("Animation","AnimationIteration"),animationstart:Fp("Animation","AnimationStart"),transitionend:Fp("Transition","TransitionEnd")},_v={},VC={};$i&&(VC=document.createElement("div").style,"AnimationEvent"in window||(delete Tl.animationend.animation,delete Tl.animationiteration.animation,delete Tl.animationstart.animation),"TransitionEvent"in window||delete Tl.transitionend.transition);function m0(e){if(_v[e])return _v[e];if(!Tl[e])return e;var t=Tl[e],n;for(n in t)if(t.hasOwnProperty(n)&&n in VC)return _v[e]=t[n];return e}var WC=m0("animationend"),HC=m0("animationiteration"),jC=m0("animationstart"),UC=m0("transitionend"),GC=new Map,yx="abort auxClick cancel canPlay canPlayThrough click close contextMenu copy cut drag dragEnd dragEnter dragExit dragLeave dragOver dragStart drop durationChange emptied encrypted ended error gotPointerCapture input invalid keyDown keyPress keyUp load loadedData loadedMetadata loadStart lostPointerCapture mouseDown mouseMove mouseOut mouseOver mouseUp paste pause play playing pointerCancel pointerDown pointerMove pointerOut pointerOver pointerUp progress rateChange reset resize seeked seeking stalled submit suspend timeUpdate touchCancel touchEnd touchStart volumeChange scroll toggle touchMove waiting wheel".split(" ");function ja(e,t){GC.set(e,t),Ns(t,[e])}for(var kv=0;kv<yx.length;kv++){var Ev=yx[kv],wB=Ev.toLowerCase(),CB=Ev[0].toUpperCase()+Ev.slice(1);ja(wB,"on"+CB)}ja(WC,"onAnimationEnd");ja(HC,"onAnimationIteration");ja(jC,"onAnimationStart");ja("dblclick","onDoubleClick");ja("focusin","onFocus");ja("focusout","onBlur");ja(UC,"onTransitionEnd");ou("onMouseEnter",["mouseout","mouseover"]);ou("onMouseLeave",["mouseout","mouseover"]);ou("onPointerEnter",["pointerout","pointerover"]);ou("onPointerLeave",["pointerout","pointerover"]);Ns("onChange","change click focusin focusout input keydown keyup selectionchange".split(" "));Ns("onSelect","focusout contextmenu dragend focusin keydown keyup mousedown mouseup selectionchange".split(" "));Ns("onBeforeInput",["compositionend","keypress","textInput","paste"]);Ns("onCompositionEnd","compositionend focusout keydown keypress keyup mousedown".split(" "));Ns("onCompositionStart","compositionstart focusout keydown keypress keyup mousedown".split(" "));Ns("onCompositionUpdate","compositionupdate focusout keydown keypress keyup mousedown".split(" "));var Ac="abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange resize seeked seeking stalled suspend timeupdate volumechange waiting".split(" "),_B=new Set("cancel close invalid load scroll toggle".split(" ").concat(Ac));function bx(e,t,n){var r=e.type||"unknown-event";e.currentTarget=n,wF(r,t,void 0,e),e.currentTarget=null}function ZC(e,t){t=(t&4)!==0;for(var n=0;n<e.length;n++){var r=e[n],o=r.event;r=r.listeners;e:{var i=void 0;if(t)for(var s=r.length-1;0<=s;s--){var u=r[s],c=u.instance,f=u.currentTarget;if(u=u.listener,c!==i&&o.isPropagationStopped())break e;bx(o,u,f),i=c}else for(s=0;s<r.length;s++){if(u=r[s],c=u.instance,f=u.currentTarget,u=u.listener,c!==i&&o.isPropagationStopped())break e;bx(o,u,f),i=c}}}if(a1)throw e=G2,a1=!1,G2=null,e}function It(e,t){var n=t[ny];n===void 0&&(n=t[ny]=new Set);var r=e+"__bubble";n.has(r)||(qC(t,e,2,!1),n.add(r))}function Lv(e,t,n){var r=0;t&&(r|=4),qC(n,e,r,t)}var Bp="_reactListening"+Math.random().toString(36).slice(2);function pf(e){if(!e[Bp]){e[Bp]=!0,tC.forEach(function(n){n!=="selectionchange"&&(_B.has(n)||Lv(n,!1,e),Lv(n,!0,e))});var t=e.nodeType===9?e:e.ownerDocument;t===null||t[Bp]||(t[Bp]=!0,Lv("selectionchange",!1,t))}}function qC(e,t,n,r){switch(IC(t)){case 1:var o=FF;break;case 4:o=BF;break;default:o=f4}n=o.bind(null,t,n,e),o=void 0,!U2||t!=="touchstart"&&t!=="touchmove"&&t!=="wheel"||(o=!0),r?o!==void 0?e.addEventListener(t,n,{capture:!0,passive:o}):e.addEventListener(t,n,!0):o!==void 0?e.addEventListener(t,n,{passive:o}):e.addEventListener(t,n,!1)}function Pv(e,t,n,r,o){var i=r;if((t&1)===0&&(t&2)===0&&r!==null)e:for(;;){if(r===null)return;var s=r.tag;if(s===3||s===4){var u=r.stateNode.containerInfo;if(u===o||u.nodeType===8&&u.parentNode===o)break;if(s===4)for(s=r.return;s!==null;){var c=s.tag;if((c===3||c===4)&&(c=s.stateNode.containerInfo,c===o||c.nodeType===8&&c.parentNode===o))return;s=s.return}for(;u!==null;){if(s=gs(u),s===null)return;if(c=s.tag,c===5||c===6){r=i=s;continue e}u=u.parentNode}}r=r.return}vC(function(){var f=i,p=s4(n),h=[];e:{var m=GC.get(e);if(m!==void 0){var g=p4,b=e;switch(e){case"keypress":if(Lh(n)===0)break e;case"keydown":case"keyup":g=eB;break;case"focusin":b="focus",g=Sv;break;case"focusout":b="blur",g=Sv;break;case"beforeblur":case"afterblur":g=Sv;break;case"click":if(n.button===2)break e;case"auxclick":case"dblclick":case"mousedown":case"mousemove":case"mouseup":case"mouseout":case"mouseover":case"contextmenu":g=sx;break;case"drag":case"dragend":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"dragstart":case"drop":g=WF;break;case"touchcancel":case"touchend":case"touchmove":case"touchstart":g=rB;break;case WC:case HC:case jC:g=UF;break;case UC:g=iB;break;case"scroll":g=$F;break;case"wheel":g=sB;break;case"copy":case"cut":case"paste":g=ZF;break;case"gotpointercapture":case"lostpointercapture":case"pointercancel":case"pointerdown":case"pointermove":case"pointerout":case"pointerover":case"pointerup":g=ux}var S=(t&4)!==0,E=!S&&e==="scroll",w=S?m!==null?m+"Capture":null:m;S=[];for(var x=f,_;x!==null;){_=x;var L=_.stateNode;if(_.tag===5&&L!==null&&(_=L,w!==null&&(L=sf(x,w),L!=null&&S.push(hf(x,L,_)))),E)break;x=x.return}0<S.length&&(m=new g(m,b,null,n,p),h.push({event:m,listeners:S}))}}if((t&7)===0){e:{if(m=e==="mouseover"||e==="pointerover",g=e==="mouseout"||e==="pointerout",m&&n!==H2&&(b=n.relatedTarget||n.fromElement)&&(gs(b)||b[Vi]))break e;if((g||m)&&(m=p.window===p?p:(m=p.ownerDocument)?m.defaultView||m.parentWindow:window,g?(b=n.relatedTarget||n.toElement,g=f,b=b?gs(b):null,b!==null&&(E=Ds(b),b!==E||b.tag!==5&&b.tag!==6)&&(b=null)):(g=null,b=f),g!==b)){if(S=sx,L="onMouseLeave",w="onMouseEnter",x="mouse",(e==="pointerout"||e==="pointerover")&&(S=ux,L="onPointerLeave",w="onPointerEnter",x="pointer"),E=g==null?m:Il(g),_=b==null?m:Il(b),m=new S(L,x+"leave",g,n,p),m.target=E,m.relatedTarget=_,L=null,gs(p)===f&&(S=new S(w,x+"enter",b,n,p),S.target=_,S.relatedTarget=E,L=S),E=L,g&&b)t:{for(S=g,w=b,x=0,_=S;_;_=hl(_))x++;for(_=0,L=w;L;L=hl(L))_++;for(;0<x-_;)S=hl(S),x--;for(;0<_-x;)w=hl(w),_--;for(;x--;){if(S===w||w!==null&&S===w.alternate)break t;S=hl(S),w=hl(w)}S=null}else S=null;g!==null&&xx(h,m,g,S,!1),b!==null&&E!==null&&xx(h,E,b,S,!0)}}e:{if(m=f?Il(f):window,g=m.nodeName&&m.nodeName.toLowerCase(),g==="select"||g==="input"&&m.type==="file")var T=hB;else if(dx(m))if(zC)T=yB;else{T=gB;var O=mB}else(g=m.nodeName)&&g.toLowerCase()==="input"&&(m.type==="checkbox"||m.type==="radio")&&(T=vB);if(T&&(T=T(e,f))){DC(h,T,n,p);break e}O&&O(e,m,f),e==="focusout"&&(O=m._wrapperState)&&O.controlled&&m.type==="number"&&F2(m,"number",m.value)}switch(O=f?Il(f):window,e){case"focusin":(dx(O)||O.contentEditable==="true")&&(Al=O,Y2=f,Bc=null);break;case"focusout":Bc=Y2=Al=null;break;case"mousedown":X2=!0;break;case"contextmenu":case"mouseup":case"dragend":X2=!1,vx(h,n,p);break;case"selectionchange":if(SB)break;case"keydown":case"keyup":vx(h,n,p)}var N;if(m4)e:{switch(e){case"compositionstart":var F="onCompositionStart";break e;case"compositionend":F="onCompositionEnd";break e;case"compositionupdate":F="onCompositionUpdate";break e}F=void 0}else Pl?OC(e,n)&&(F="onCompositionEnd"):e==="keydown"&&n.keyCode===229&&(F="onCompositionStart");F&&(RC&&n.locale!=="ko"&&(Pl||F!=="onCompositionStart"?F==="onCompositionEnd"&&Pl&&(N=MC()):(wa=p,d4="value"in wa?wa.value:wa.textContent,Pl=!0)),O=f1(f,F),0<O.length&&(F=new lx(F,e,null,n,p),h.push({event:F,listeners:O}),N?F.data=N:(N=NC(n),N!==null&&(F.data=N)))),(N=uB?cB(e,n):fB(e,n))&&(f=f1(f,"onBeforeInput"),0<f.length&&(p=new lx("onBeforeInput","beforeinput",null,n,p),h.push({event:p,listeners:f}),p.data=N))}ZC(h,t)})}function hf(e,t,n){return{instance:e,listener:t,currentTarget:n}}function f1(e,t){for(var n=t+"Capture",r=[];e!==null;){var o=e,i=o.stateNode;o.tag===5&&i!==null&&(o=i,i=sf(e,n),i!=null&&r.unshift(hf(e,i,o)),i=sf(e,t),i!=null&&r.push(hf(e,i,o))),e=e.return}return r}function hl(e){if(e===null)return null;do e=e.return;while(e&&e.tag!==5);return e||null}function xx(e,t,n,r,o){for(var i=t._reactName,s=[];n!==null&&n!==r;){var u=n,c=u.alternate,f=u.stateNode;if(c!==null&&c===r)break;u.tag===5&&f!==null&&(u=f,o?(c=sf(n,i),c!=null&&s.unshift(hf(n,c,u))):o||(c=sf(n,i),c!=null&&s.push(hf(n,c,u)))),n=n.return}s.length!==0&&e.push({event:t,listeners:s})}var kB=/\r\n?/g,EB=/\u0000|\uFFFD/g;function Sx(e){return(typeof e=="string"?e:""+e).replace(kB,` -`).replace(EB,"")}function $p(e,t,n){if(t=Sx(t),Sx(e)!==t&&n)throw Error(le(425))}function d1(){}var Q2=null,J2=null;function ey(e,t){return e==="textarea"||e==="noscript"||typeof t.children=="string"||typeof t.children=="number"||typeof t.dangerouslySetInnerHTML=="object"&&t.dangerouslySetInnerHTML!==null&&t.dangerouslySetInnerHTML.__html!=null}var ty=typeof setTimeout=="function"?setTimeout:void 0,LB=typeof clearTimeout=="function"?clearTimeout:void 0,wx=typeof Promise=="function"?Promise:void 0,PB=typeof queueMicrotask=="function"?queueMicrotask:typeof wx<"u"?function(e){return wx.resolve(null).then(e).catch(AB)}:ty;function AB(e){setTimeout(function(){throw e})}function Av(e,t){var n=t,r=0;do{var o=n.nextSibling;if(e.removeChild(n),o&&o.nodeType===8)if(n=o.data,n==="/$"){if(r===0){e.removeChild(o),cf(t);return}r--}else n!=="$"&&n!=="$?"&&n!=="$!"||r++;n=o}while(n);cf(t)}function Ia(e){for(;e!=null;e=e.nextSibling){var t=e.nodeType;if(t===1||t===3)break;if(t===8){if(t=e.data,t==="$"||t==="$!"||t==="$?")break;if(t==="/$")return null}}return e}function Cx(e){e=e.previousSibling;for(var t=0;e;){if(e.nodeType===8){var n=e.data;if(n==="$"||n==="$!"||n==="$?"){if(t===0)return e;t--}else n==="/$"&&t++}e=e.previousSibling}return null}var _u=Math.random().toString(36).slice(2),qo="__reactFiber$"+_u,mf="__reactProps$"+_u,Vi="__reactContainer$"+_u,ny="__reactEvents$"+_u,TB="__reactListeners$"+_u,IB="__reactHandles$"+_u;function gs(e){var t=e[qo];if(t)return t;for(var n=e.parentNode;n;){if(t=n[Vi]||n[qo]){if(n=t.alternate,t.child!==null||n!==null&&n.child!==null)for(e=Cx(e);e!==null;){if(n=e[qo])return n;e=Cx(e)}return t}e=n,n=e.parentNode}return null}function Jf(e){return e=e[qo]||e[Vi],!e||e.tag!==5&&e.tag!==6&&e.tag!==13&&e.tag!==3?null:e}function Il(e){if(e.tag===5||e.tag===6)return e.stateNode;throw Error(le(33))}function g0(e){return e[mf]||null}var ry=[],Ml=-1;function Ua(e){return{current:e}}function Rt(e){0>Ml||(e.current=ry[Ml],ry[Ml]=null,Ml--)}function Pt(e,t){Ml++,ry[Ml]=e.current,e.current=t}var Fa={},Hn=Ua(Fa),mr=Ua(!1),Ps=Fa;function iu(e,t){var n=e.type.contextTypes;if(!n)return Fa;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var o={},i;for(i in n)o[i]=t[i];return r&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=o),o}function gr(e){return e=e.childContextTypes,e!=null}function p1(){Rt(mr),Rt(Hn)}function _x(e,t,n){if(Hn.current!==Fa)throw Error(le(168));Pt(Hn,t),Pt(mr,n)}function KC(e,t,n){var r=e.stateNode;if(t=t.childContextTypes,typeof r.getChildContext!="function")return n;r=r.getChildContext();for(var o in r)if(!(o in t))throw Error(le(108,mF(e)||"Unknown",o));return jt({},n,r)}function h1(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||Fa,Ps=Hn.current,Pt(Hn,e),Pt(mr,mr.current),!0}function kx(e,t,n){var r=e.stateNode;if(!r)throw Error(le(169));n?(e=KC(e,t,Ps),r.__reactInternalMemoizedMergedChildContext=e,Rt(mr),Rt(Hn),Pt(Hn,e)):Rt(mr),Pt(mr,n)}var Ri=null,v0=!1,Tv=!1;function YC(e){Ri===null?Ri=[e]:Ri.push(e)}function MB(e){v0=!0,YC(e)}function Ga(){if(!Tv&&Ri!==null){Tv=!0;var e=0,t=gt;try{var n=Ri;for(gt=1;e<n.length;e++){var r=n[e];do r=r(!0);while(r!==null)}Ri=null,v0=!1}catch(o){throw Ri!==null&&(Ri=Ri.slice(e+1)),SC(l4,Ga),o}finally{gt=t,Tv=!1}}return null}var Rl=[],Ol=0,m1=null,g1=0,Jr=[],eo=0,As=null,Di=1,zi="";function ls(e,t){Rl[Ol++]=g1,Rl[Ol++]=m1,m1=e,g1=t}function XC(e,t,n){Jr[eo++]=Di,Jr[eo++]=zi,Jr[eo++]=As,As=e;var r=Di;e=zi;var o=32-Ao(r)-1;r&=~(1<<o),n+=1;var i=32-Ao(t)+o;if(30<i){var s=o-o%5;i=(r&(1<<s)-1).toString(32),r>>=s,o-=s,Di=1<<32-Ao(t)+o|n<<o|r,zi=i+e}else Di=1<<i|n<<o|r,zi=e}function v4(e){e.return!==null&&(ls(e,1),XC(e,1,0))}function y4(e){for(;e===m1;)m1=Rl[--Ol],Rl[Ol]=null,g1=Rl[--Ol],Rl[Ol]=null;for(;e===As;)As=Jr[--eo],Jr[eo]=null,zi=Jr[--eo],Jr[eo]=null,Di=Jr[--eo],Jr[eo]=null}var Or=null,Rr=null,Dt=!1,Lo=null;function QC(e,t){var n=to(5,null,null,0);n.elementType="DELETED",n.stateNode=t,n.return=e,t=e.deletions,t===null?(e.deletions=[n],e.flags|=16):t.push(n)}function Ex(e,t){switch(e.tag){case 5:var n=e.type;return t=t.nodeType!==1||n.toLowerCase()!==t.nodeName.toLowerCase()?null:t,t!==null?(e.stateNode=t,Or=e,Rr=Ia(t.firstChild),!0):!1;case 6:return t=e.pendingProps===""||t.nodeType!==3?null:t,t!==null?(e.stateNode=t,Or=e,Rr=null,!0):!1;case 13:return t=t.nodeType!==8?null:t,t!==null?(n=As!==null?{id:Di,overflow:zi}:null,e.memoizedState={dehydrated:t,treeContext:n,retryLane:1073741824},n=to(18,null,null,0),n.stateNode=t,n.return=e,e.child=n,Or=e,Rr=null,!0):!1;default:return!1}}function oy(e){return(e.mode&1)!==0&&(e.flags&128)===0}function iy(e){if(Dt){var t=Rr;if(t){var n=t;if(!Ex(e,t)){if(oy(e))throw Error(le(418));t=Ia(n.nextSibling);var r=Or;t&&Ex(e,t)?QC(r,n):(e.flags=e.flags&-4097|2,Dt=!1,Or=e)}}else{if(oy(e))throw Error(le(418));e.flags=e.flags&-4097|2,Dt=!1,Or=e}}}function Lx(e){for(e=e.return;e!==null&&e.tag!==5&&e.tag!==3&&e.tag!==13;)e=e.return;Or=e}function Vp(e){if(e!==Or)return!1;if(!Dt)return Lx(e),Dt=!0,!1;var t;if((t=e.tag!==3)&&!(t=e.tag!==5)&&(t=e.type,t=t!=="head"&&t!=="body"&&!ey(e.type,e.memoizedProps)),t&&(t=Rr)){if(oy(e))throw JC(),Error(le(418));for(;t;)QC(e,t),t=Ia(t.nextSibling)}if(Lx(e),e.tag===13){if(e=e.memoizedState,e=e!==null?e.dehydrated:null,!e)throw Error(le(317));e:{for(e=e.nextSibling,t=0;e;){if(e.nodeType===8){var n=e.data;if(n==="/$"){if(t===0){Rr=Ia(e.nextSibling);break e}t--}else n!=="$"&&n!=="$!"&&n!=="$?"||t++}e=e.nextSibling}Rr=null}}else Rr=Or?Ia(e.stateNode.nextSibling):null;return!0}function JC(){for(var e=Rr;e;)e=Ia(e.nextSibling)}function au(){Rr=Or=null,Dt=!1}function b4(e){Lo===null?Lo=[e]:Lo.push(e)}var RB=qi.ReactCurrentBatchConfig;function _o(e,t){if(e&&e.defaultProps){t=jt({},t),e=e.defaultProps;for(var n in e)t[n]===void 0&&(t[n]=e[n]);return t}return t}var v1=Ua(null),y1=null,Nl=null,x4=null;function S4(){x4=Nl=y1=null}function w4(e){var t=v1.current;Rt(v1),e._currentValue=t}function ay(e,t,n){for(;e!==null;){var r=e.alternate;if((e.childLanes&t)!==t?(e.childLanes|=t,r!==null&&(r.childLanes|=t)):r!==null&&(r.childLanes&t)!==t&&(r.childLanes|=t),e===n)break;e=e.return}}function Zl(e,t){y1=e,x4=Nl=null,e=e.dependencies,e!==null&&e.firstContext!==null&&((e.lanes&t)!==0&&(hr=!0),e.firstContext=null)}function io(e){var t=e._currentValue;if(x4!==e)if(e={context:e,memoizedValue:t,next:null},Nl===null){if(y1===null)throw Error(le(308));Nl=e,y1.dependencies={lanes:0,firstContext:e}}else Nl=Nl.next=e;return t}var vs=null;function C4(e){vs===null?vs=[e]:vs.push(e)}function e_(e,t,n,r){var o=t.interleaved;return o===null?(n.next=n,C4(t)):(n.next=o.next,o.next=n),t.interleaved=n,Wi(e,r)}function Wi(e,t){e.lanes|=t;var n=e.alternate;for(n!==null&&(n.lanes|=t),n=e,e=e.return;e!==null;)e.childLanes|=t,n=e.alternate,n!==null&&(n.childLanes|=t),n=e,e=e.return;return n.tag===3?n.stateNode:null}var ga=!1;function _4(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function t_(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function Bi(e,t){return{eventTime:e,lane:t,tag:0,payload:null,callback:null,next:null}}function Ma(e,t,n){var r=e.updateQueue;if(r===null)return null;if(r=r.shared,(et&2)!==0){var o=r.pending;return o===null?t.next=t:(t.next=o.next,o.next=t),r.pending=t,Wi(e,n)}return o=r.interleaved,o===null?(t.next=t,C4(r)):(t.next=o.next,o.next=t),r.interleaved=t,Wi(e,n)}function Ph(e,t,n){if(t=t.updateQueue,t!==null&&(t=t.shared,(n&4194240)!==0)){var r=t.lanes;r&=e.pendingLanes,n|=r,t.lanes=n,u4(e,n)}}function Px(e,t){var n=e.updateQueue,r=e.alternate;if(r!==null&&(r=r.updateQueue,n===r)){var o=null,i=null;if(n=n.firstBaseUpdate,n!==null){do{var s={eventTime:n.eventTime,lane:n.lane,tag:n.tag,payload:n.payload,callback:n.callback,next:null};i===null?o=i=s:i=i.next=s,n=n.next}while(n!==null);i===null?o=i=t:i=i.next=t}else o=i=t;n={baseState:r.baseState,firstBaseUpdate:o,lastBaseUpdate:i,shared:r.shared,effects:r.effects},e.updateQueue=n;return}e=n.lastBaseUpdate,e===null?n.firstBaseUpdate=t:e.next=t,n.lastBaseUpdate=t}function b1(e,t,n,r){var o=e.updateQueue;ga=!1;var i=o.firstBaseUpdate,s=o.lastBaseUpdate,u=o.shared.pending;if(u!==null){o.shared.pending=null;var c=u,f=c.next;c.next=null,s===null?i=f:s.next=f,s=c;var p=e.alternate;p!==null&&(p=p.updateQueue,u=p.lastBaseUpdate,u!==s&&(u===null?p.firstBaseUpdate=f:u.next=f,p.lastBaseUpdate=c))}if(i!==null){var h=o.baseState;s=0,p=f=c=null,u=i;do{var m=u.lane,g=u.eventTime;if((r&m)===m){p!==null&&(p=p.next={eventTime:g,lane:0,tag:u.tag,payload:u.payload,callback:u.callback,next:null});e:{var b=e,S=u;switch(m=t,g=n,S.tag){case 1:if(b=S.payload,typeof b=="function"){h=b.call(g,h,m);break e}h=b;break e;case 3:b.flags=b.flags&-65537|128;case 0:if(b=S.payload,m=typeof b=="function"?b.call(g,h,m):b,m==null)break e;h=jt({},h,m);break e;case 2:ga=!0}}u.callback!==null&&u.lane!==0&&(e.flags|=64,m=o.effects,m===null?o.effects=[u]:m.push(u))}else g={eventTime:g,lane:m,tag:u.tag,payload:u.payload,callback:u.callback,next:null},p===null?(f=p=g,c=h):p=p.next=g,s|=m;if(u=u.next,u===null){if(u=o.shared.pending,u===null)break;m=u,u=m.next,m.next=null,o.lastBaseUpdate=m,o.shared.pending=null}}while(1);if(p===null&&(c=h),o.baseState=c,o.firstBaseUpdate=f,o.lastBaseUpdate=p,t=o.shared.interleaved,t!==null){o=t;do s|=o.lane,o=o.next;while(o!==t)}else i===null&&(o.shared.lanes=0);Is|=s,e.lanes=s,e.memoizedState=h}}function Ax(e,t,n){if(e=t.effects,t.effects=null,e!==null)for(t=0;t<e.length;t++){var r=e[t],o=r.callback;if(o!==null){if(r.callback=null,r=n,typeof o!="function")throw Error(le(191,o));o.call(r)}}}var n_=new eC.Component().refs;function sy(e,t,n,r){t=e.memoizedState,n=n(r,t),n=n==null?t:jt({},t,n),e.memoizedState=n,e.lanes===0&&(e.updateQueue.baseState=n)}var y0={isMounted:function(e){return(e=e._reactInternals)?Ds(e)===e:!1},enqueueSetState:function(e,t,n){e=e._reactInternals;var r=tr(),o=Oa(e),i=Bi(r,o);i.payload=t,n!=null&&(i.callback=n),t=Ma(e,i,o),t!==null&&(To(t,e,o,r),Ph(t,e,o))},enqueueReplaceState:function(e,t,n){e=e._reactInternals;var r=tr(),o=Oa(e),i=Bi(r,o);i.tag=1,i.payload=t,n!=null&&(i.callback=n),t=Ma(e,i,o),t!==null&&(To(t,e,o,r),Ph(t,e,o))},enqueueForceUpdate:function(e,t){e=e._reactInternals;var n=tr(),r=Oa(e),o=Bi(n,r);o.tag=2,t!=null&&(o.callback=t),t=Ma(e,o,r),t!==null&&(To(t,e,r,n),Ph(t,e,r))}};function Tx(e,t,n,r,o,i,s){return e=e.stateNode,typeof e.shouldComponentUpdate=="function"?e.shouldComponentUpdate(r,i,s):t.prototype&&t.prototype.isPureReactComponent?!df(n,r)||!df(o,i):!0}function r_(e,t,n){var r=!1,o=Fa,i=t.contextType;return typeof i=="object"&&i!==null?i=io(i):(o=gr(t)?Ps:Hn.current,r=t.contextTypes,i=(r=r!=null)?iu(e,o):Fa),t=new t(n,i),e.memoizedState=t.state!==null&&t.state!==void 0?t.state:null,t.updater=y0,e.stateNode=t,t._reactInternals=e,r&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=o,e.__reactInternalMemoizedMaskedChildContext=i),t}function Ix(e,t,n,r){e=t.state,typeof t.componentWillReceiveProps=="function"&&t.componentWillReceiveProps(n,r),typeof t.UNSAFE_componentWillReceiveProps=="function"&&t.UNSAFE_componentWillReceiveProps(n,r),t.state!==e&&y0.enqueueReplaceState(t,t.state,null)}function ly(e,t,n,r){var o=e.stateNode;o.props=n,o.state=e.memoizedState,o.refs=n_,_4(e);var i=t.contextType;typeof i=="object"&&i!==null?o.context=io(i):(i=gr(t)?Ps:Hn.current,o.context=iu(e,i)),o.state=e.memoizedState,i=t.getDerivedStateFromProps,typeof i=="function"&&(sy(e,t,i,n),o.state=e.memoizedState),typeof t.getDerivedStateFromProps=="function"||typeof o.getSnapshotBeforeUpdate=="function"||typeof o.UNSAFE_componentWillMount!="function"&&typeof o.componentWillMount!="function"||(t=o.state,typeof o.componentWillMount=="function"&&o.componentWillMount(),typeof o.UNSAFE_componentWillMount=="function"&&o.UNSAFE_componentWillMount(),t!==o.state&&y0.enqueueReplaceState(o,o.state,null),b1(e,n,o,r),o.state=e.memoizedState),typeof o.componentDidMount=="function"&&(e.flags|=4194308)}function mc(e,t,n){if(e=n.ref,e!==null&&typeof e!="function"&&typeof e!="object"){if(n._owner){if(n=n._owner,n){if(n.tag!==1)throw Error(le(309));var r=n.stateNode}if(!r)throw Error(le(147,e));var o=r,i=""+e;return t!==null&&t.ref!==null&&typeof t.ref=="function"&&t.ref._stringRef===i?t.ref:(t=function(s){var u=o.refs;u===n_&&(u=o.refs={}),s===null?delete u[i]:u[i]=s},t._stringRef=i,t)}if(typeof e!="string")throw Error(le(284));if(!n._owner)throw Error(le(290,e))}return e}function Wp(e,t){throw e=Object.prototype.toString.call(t),Error(le(31,e==="[object Object]"?"object with keys {"+Object.keys(t).join(", ")+"}":e))}function Mx(e){var t=e._init;return t(e._payload)}function o_(e){function t(w,x){if(e){var _=w.deletions;_===null?(w.deletions=[x],w.flags|=16):_.push(x)}}function n(w,x){if(!e)return null;for(;x!==null;)t(w,x),x=x.sibling;return null}function r(w,x){for(w=new Map;x!==null;)x.key!==null?w.set(x.key,x):w.set(x.index,x),x=x.sibling;return w}function o(w,x){return w=Na(w,x),w.index=0,w.sibling=null,w}function i(w,x,_){return w.index=_,e?(_=w.alternate,_!==null?(_=_.index,_<x?(w.flags|=2,x):_):(w.flags|=2,x)):(w.flags|=1048576,x)}function s(w){return e&&w.alternate===null&&(w.flags|=2),w}function u(w,x,_,L){return x===null||x.tag!==6?(x=zv(_,w.mode,L),x.return=w,x):(x=o(x,_),x.return=w,x)}function c(w,x,_,L){var T=_.type;return T===Ll?p(w,x,_.props.children,L,_.key):x!==null&&(x.elementType===T||typeof T=="object"&&T!==null&&T.$$typeof===ma&&Mx(T)===x.type)?(L=o(x,_.props),L.ref=mc(w,x,_),L.return=w,L):(L=Oh(_.type,_.key,_.props,null,w.mode,L),L.ref=mc(w,x,_),L.return=w,L)}function f(w,x,_,L){return x===null||x.tag!==4||x.stateNode.containerInfo!==_.containerInfo||x.stateNode.implementation!==_.implementation?(x=Fv(_,w.mode,L),x.return=w,x):(x=o(x,_.children||[]),x.return=w,x)}function p(w,x,_,L,T){return x===null||x.tag!==7?(x=Cs(_,w.mode,L,T),x.return=w,x):(x=o(x,_),x.return=w,x)}function h(w,x,_){if(typeof x=="string"&&x!==""||typeof x=="number")return x=zv(""+x,w.mode,_),x.return=w,x;if(typeof x=="object"&&x!==null){switch(x.$$typeof){case Ip:return _=Oh(x.type,x.key,x.props,null,w.mode,_),_.ref=mc(w,null,x),_.return=w,_;case El:return x=Fv(x,w.mode,_),x.return=w,x;case ma:var L=x._init;return h(w,L(x._payload),_)}if(Lc(x)||cc(x))return x=Cs(x,w.mode,_,null),x.return=w,x;Wp(w,x)}return null}function m(w,x,_,L){var T=x!==null?x.key:null;if(typeof _=="string"&&_!==""||typeof _=="number")return T!==null?null:u(w,x,""+_,L);if(typeof _=="object"&&_!==null){switch(_.$$typeof){case Ip:return _.key===T?c(w,x,_,L):null;case El:return _.key===T?f(w,x,_,L):null;case ma:return T=_._init,m(w,x,T(_._payload),L)}if(Lc(_)||cc(_))return T!==null?null:p(w,x,_,L,null);Wp(w,_)}return null}function g(w,x,_,L,T){if(typeof L=="string"&&L!==""||typeof L=="number")return w=w.get(_)||null,u(x,w,""+L,T);if(typeof L=="object"&&L!==null){switch(L.$$typeof){case Ip:return w=w.get(L.key===null?_:L.key)||null,c(x,w,L,T);case El:return w=w.get(L.key===null?_:L.key)||null,f(x,w,L,T);case ma:var O=L._init;return g(w,x,_,O(L._payload),T)}if(Lc(L)||cc(L))return w=w.get(_)||null,p(x,w,L,T,null);Wp(x,L)}return null}function b(w,x,_,L){for(var T=null,O=null,N=x,F=x=0,q=null;N!==null&&F<_.length;F++){N.index>F?(q=N,N=null):q=N.sibling;var W=m(w,N,_[F],L);if(W===null){N===null&&(N=q);break}e&&N&&W.alternate===null&&t(w,N),x=i(W,x,F),O===null?T=W:O.sibling=W,O=W,N=q}if(F===_.length)return n(w,N),Dt&&ls(w,F),T;if(N===null){for(;F<_.length;F++)N=h(w,_[F],L),N!==null&&(x=i(N,x,F),O===null?T=N:O.sibling=N,O=N);return Dt&&ls(w,F),T}for(N=r(w,N);F<_.length;F++)q=g(N,w,F,_[F],L),q!==null&&(e&&q.alternate!==null&&N.delete(q.key===null?F:q.key),x=i(q,x,F),O===null?T=q:O.sibling=q,O=q);return e&&N.forEach(function(J){return t(w,J)}),Dt&&ls(w,F),T}function S(w,x,_,L){var T=cc(_);if(typeof T!="function")throw Error(le(150));if(_=T.call(_),_==null)throw Error(le(151));for(var O=T=null,N=x,F=x=0,q=null,W=_.next();N!==null&&!W.done;F++,W=_.next()){N.index>F?(q=N,N=null):q=N.sibling;var J=m(w,N,W.value,L);if(J===null){N===null&&(N=q);break}e&&N&&J.alternate===null&&t(w,N),x=i(J,x,F),O===null?T=J:O.sibling=J,O=J,N=q}if(W.done)return n(w,N),Dt&&ls(w,F),T;if(N===null){for(;!W.done;F++,W=_.next())W=h(w,W.value,L),W!==null&&(x=i(W,x,F),O===null?T=W:O.sibling=W,O=W);return Dt&&ls(w,F),T}for(N=r(w,N);!W.done;F++,W=_.next())W=g(N,w,F,W.value,L),W!==null&&(e&&W.alternate!==null&&N.delete(W.key===null?F:W.key),x=i(W,x,F),O===null?T=W:O.sibling=W,O=W);return e&&N.forEach(function(ve){return t(w,ve)}),Dt&&ls(w,F),T}function E(w,x,_,L){if(typeof _=="object"&&_!==null&&_.type===Ll&&_.key===null&&(_=_.props.children),typeof _=="object"&&_!==null){switch(_.$$typeof){case Ip:e:{for(var T=_.key,O=x;O!==null;){if(O.key===T){if(T=_.type,T===Ll){if(O.tag===7){n(w,O.sibling),x=o(O,_.props.children),x.return=w,w=x;break e}}else if(O.elementType===T||typeof T=="object"&&T!==null&&T.$$typeof===ma&&Mx(T)===O.type){n(w,O.sibling),x=o(O,_.props),x.ref=mc(w,O,_),x.return=w,w=x;break e}n(w,O);break}else t(w,O);O=O.sibling}_.type===Ll?(x=Cs(_.props.children,w.mode,L,_.key),x.return=w,w=x):(L=Oh(_.type,_.key,_.props,null,w.mode,L),L.ref=mc(w,x,_),L.return=w,w=L)}return s(w);case El:e:{for(O=_.key;x!==null;){if(x.key===O)if(x.tag===4&&x.stateNode.containerInfo===_.containerInfo&&x.stateNode.implementation===_.implementation){n(w,x.sibling),x=o(x,_.children||[]),x.return=w,w=x;break e}else{n(w,x);break}else t(w,x);x=x.sibling}x=Fv(_,w.mode,L),x.return=w,w=x}return s(w);case ma:return O=_._init,E(w,x,O(_._payload),L)}if(Lc(_))return b(w,x,_,L);if(cc(_))return S(w,x,_,L);Wp(w,_)}return typeof _=="string"&&_!==""||typeof _=="number"?(_=""+_,x!==null&&x.tag===6?(n(w,x.sibling),x=o(x,_),x.return=w,w=x):(n(w,x),x=zv(_,w.mode,L),x.return=w,w=x),s(w)):n(w,x)}return E}var su=o_(!0),i_=o_(!1),ed={},Jo=Ua(ed),gf=Ua(ed),vf=Ua(ed);function ys(e){if(e===ed)throw Error(le(174));return e}function k4(e,t){switch(Pt(vf,t),Pt(gf,e),Pt(Jo,ed),e=t.nodeType,e){case 9:case 11:t=(t=t.documentElement)?t.namespaceURI:$2(null,"");break;default:e=e===8?t.parentNode:t,t=e.namespaceURI||null,e=e.tagName,t=$2(t,e)}Rt(Jo),Pt(Jo,t)}function lu(){Rt(Jo),Rt(gf),Rt(vf)}function a_(e){ys(vf.current);var t=ys(Jo.current),n=$2(t,e.type);t!==n&&(Pt(gf,e),Pt(Jo,n))}function E4(e){gf.current===e&&(Rt(Jo),Rt(gf))}var Wt=Ua(0);function x1(e){for(var t=e;t!==null;){if(t.tag===13){var n=t.memoizedState;if(n!==null&&(n=n.dehydrated,n===null||n.data==="$?"||n.data==="$!"))return t}else if(t.tag===19&&t.memoizedProps.revealOrder!==void 0){if((t.flags&128)!==0)return t}else if(t.child!==null){t.child.return=t,t=t.child;continue}if(t===e)break;for(;t.sibling===null;){if(t.return===null||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}return null}var Iv=[];function L4(){for(var e=0;e<Iv.length;e++)Iv[e]._workInProgressVersionPrimary=null;Iv.length=0}var Ah=qi.ReactCurrentDispatcher,Mv=qi.ReactCurrentBatchConfig,Ts=0,Ht=null,fn=null,yn=null,S1=!1,$c=!1,yf=0,OB=0;function zn(){throw Error(le(321))}function P4(e,t){if(t===null)return!1;for(var n=0;n<t.length&&n<e.length;n++)if(!Mo(e[n],t[n]))return!1;return!0}function A4(e,t,n,r,o,i){if(Ts=i,Ht=t,t.memoizedState=null,t.updateQueue=null,t.lanes=0,Ah.current=e===null||e.memoizedState===null?FB:BB,e=n(r,o),$c){i=0;do{if($c=!1,yf=0,25<=i)throw Error(le(301));i+=1,yn=fn=null,t.updateQueue=null,Ah.current=$B,e=n(r,o)}while($c)}if(Ah.current=w1,t=fn!==null&&fn.next!==null,Ts=0,yn=fn=Ht=null,S1=!1,t)throw Error(le(300));return e}function T4(){var e=yf!==0;return yf=0,e}function Ho(){var e={memoizedState:null,baseState:null,baseQueue:null,queue:null,next:null};return yn===null?Ht.memoizedState=yn=e:yn=yn.next=e,yn}function ao(){if(fn===null){var e=Ht.alternate;e=e!==null?e.memoizedState:null}else e=fn.next;var t=yn===null?Ht.memoizedState:yn.next;if(t!==null)yn=t,fn=e;else{if(e===null)throw Error(le(310));fn=e,e={memoizedState:fn.memoizedState,baseState:fn.baseState,baseQueue:fn.baseQueue,queue:fn.queue,next:null},yn===null?Ht.memoizedState=yn=e:yn=yn.next=e}return yn}function bf(e,t){return typeof t=="function"?t(e):t}function Rv(e){var t=ao(),n=t.queue;if(n===null)throw Error(le(311));n.lastRenderedReducer=e;var r=fn,o=r.baseQueue,i=n.pending;if(i!==null){if(o!==null){var s=o.next;o.next=i.next,i.next=s}r.baseQueue=o=i,n.pending=null}if(o!==null){i=o.next,r=r.baseState;var u=s=null,c=null,f=i;do{var p=f.lane;if((Ts&p)===p)c!==null&&(c=c.next={lane:0,action:f.action,hasEagerState:f.hasEagerState,eagerState:f.eagerState,next:null}),r=f.hasEagerState?f.eagerState:e(r,f.action);else{var h={lane:p,action:f.action,hasEagerState:f.hasEagerState,eagerState:f.eagerState,next:null};c===null?(u=c=h,s=r):c=c.next=h,Ht.lanes|=p,Is|=p}f=f.next}while(f!==null&&f!==i);c===null?s=r:c.next=u,Mo(r,t.memoizedState)||(hr=!0),t.memoizedState=r,t.baseState=s,t.baseQueue=c,n.lastRenderedState=r}if(e=n.interleaved,e!==null){o=e;do i=o.lane,Ht.lanes|=i,Is|=i,o=o.next;while(o!==e)}else o===null&&(n.lanes=0);return[t.memoizedState,n.dispatch]}function Ov(e){var t=ao(),n=t.queue;if(n===null)throw Error(le(311));n.lastRenderedReducer=e;var r=n.dispatch,o=n.pending,i=t.memoizedState;if(o!==null){n.pending=null;var s=o=o.next;do i=e(i,s.action),s=s.next;while(s!==o);Mo(i,t.memoizedState)||(hr=!0),t.memoizedState=i,t.baseQueue===null&&(t.baseState=i),n.lastRenderedState=i}return[i,r]}function s_(){}function l_(e,t){var n=Ht,r=ao(),o=t(),i=!Mo(r.memoizedState,o);if(i&&(r.memoizedState=o,hr=!0),r=r.queue,I4(f_.bind(null,n,r,e),[e]),r.getSnapshot!==t||i||yn!==null&&yn.memoizedState.tag&1){if(n.flags|=2048,xf(9,c_.bind(null,n,r,o,t),void 0,null),bn===null)throw Error(le(349));(Ts&30)!==0||u_(n,t,o)}return o}function u_(e,t,n){e.flags|=16384,e={getSnapshot:t,value:n},t=Ht.updateQueue,t===null?(t={lastEffect:null,stores:null},Ht.updateQueue=t,t.stores=[e]):(n=t.stores,n===null?t.stores=[e]:n.push(e))}function c_(e,t,n,r){t.value=n,t.getSnapshot=r,d_(t)&&p_(e)}function f_(e,t,n){return n(function(){d_(t)&&p_(e)})}function d_(e){var t=e.getSnapshot;e=e.value;try{var n=t();return!Mo(e,n)}catch{return!0}}function p_(e){var t=Wi(e,1);t!==null&&To(t,e,1,-1)}function Rx(e){var t=Ho();return typeof e=="function"&&(e=e()),t.memoizedState=t.baseState=e,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:bf,lastRenderedState:e},t.queue=e,e=e.dispatch=zB.bind(null,Ht,e),[t.memoizedState,e]}function xf(e,t,n,r){return e={tag:e,create:t,destroy:n,deps:r,next:null},t=Ht.updateQueue,t===null?(t={lastEffect:null,stores:null},Ht.updateQueue=t,t.lastEffect=e.next=e):(n=t.lastEffect,n===null?t.lastEffect=e.next=e:(r=n.next,n.next=e,e.next=r,t.lastEffect=e)),e}function h_(){return ao().memoizedState}function Th(e,t,n,r){var o=Ho();Ht.flags|=e,o.memoizedState=xf(1|t,n,void 0,r===void 0?null:r)}function b0(e,t,n,r){var o=ao();r=r===void 0?null:r;var i=void 0;if(fn!==null){var s=fn.memoizedState;if(i=s.destroy,r!==null&&P4(r,s.deps)){o.memoizedState=xf(t,n,i,r);return}}Ht.flags|=e,o.memoizedState=xf(1|t,n,i,r)}function Ox(e,t){return Th(8390656,8,e,t)}function I4(e,t){return b0(2048,8,e,t)}function m_(e,t){return b0(4,2,e,t)}function g_(e,t){return b0(4,4,e,t)}function v_(e,t){if(typeof t=="function")return e=e(),t(e),function(){t(null)};if(t!=null)return e=e(),t.current=e,function(){t.current=null}}function y_(e,t,n){return n=n!=null?n.concat([e]):null,b0(4,4,v_.bind(null,t,e),n)}function M4(){}function b_(e,t){var n=ao();t=t===void 0?null:t;var r=n.memoizedState;return r!==null&&t!==null&&P4(t,r[1])?r[0]:(n.memoizedState=[e,t],e)}function x_(e,t){var n=ao();t=t===void 0?null:t;var r=n.memoizedState;return r!==null&&t!==null&&P4(t,r[1])?r[0]:(e=e(),n.memoizedState=[e,t],e)}function S_(e,t,n){return(Ts&21)===0?(e.baseState&&(e.baseState=!1,hr=!0),e.memoizedState=n):(Mo(n,t)||(n=_C(),Ht.lanes|=n,Is|=n,e.baseState=!0),t)}function NB(e,t){var n=gt;gt=n!==0&&4>n?n:4,e(!0);var r=Mv.transition;Mv.transition={};try{e(!1),t()}finally{gt=n,Mv.transition=r}}function w_(){return ao().memoizedState}function DB(e,t,n){var r=Oa(e);if(n={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null},C_(e))__(t,n);else if(n=e_(e,t,n,r),n!==null){var o=tr();To(n,e,r,o),k_(n,t,r)}}function zB(e,t,n){var r=Oa(e),o={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null};if(C_(e))__(t,o);else{var i=e.alternate;if(e.lanes===0&&(i===null||i.lanes===0)&&(i=t.lastRenderedReducer,i!==null))try{var s=t.lastRenderedState,u=i(s,n);if(o.hasEagerState=!0,o.eagerState=u,Mo(u,s)){var c=t.interleaved;c===null?(o.next=o,C4(t)):(o.next=c.next,c.next=o),t.interleaved=o;return}}catch{}finally{}n=e_(e,t,o,r),n!==null&&(o=tr(),To(n,e,r,o),k_(n,t,r))}}function C_(e){var t=e.alternate;return e===Ht||t!==null&&t===Ht}function __(e,t){$c=S1=!0;var n=e.pending;n===null?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function k_(e,t,n){if((n&4194240)!==0){var r=t.lanes;r&=e.pendingLanes,n|=r,t.lanes=n,u4(e,n)}}var w1={readContext:io,useCallback:zn,useContext:zn,useEffect:zn,useImperativeHandle:zn,useInsertionEffect:zn,useLayoutEffect:zn,useMemo:zn,useReducer:zn,useRef:zn,useState:zn,useDebugValue:zn,useDeferredValue:zn,useTransition:zn,useMutableSource:zn,useSyncExternalStore:zn,useId:zn,unstable_isNewReconciler:!1},FB={readContext:io,useCallback:function(e,t){return Ho().memoizedState=[e,t===void 0?null:t],e},useContext:io,useEffect:Ox,useImperativeHandle:function(e,t,n){return n=n!=null?n.concat([e]):null,Th(4194308,4,v_.bind(null,t,e),n)},useLayoutEffect:function(e,t){return Th(4194308,4,e,t)},useInsertionEffect:function(e,t){return Th(4,2,e,t)},useMemo:function(e,t){var n=Ho();return t=t===void 0?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var r=Ho();return t=n!==void 0?n(t):t,r.memoizedState=r.baseState=t,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},r.queue=e,e=e.dispatch=DB.bind(null,Ht,e),[r.memoizedState,e]},useRef:function(e){var t=Ho();return e={current:e},t.memoizedState=e},useState:Rx,useDebugValue:M4,useDeferredValue:function(e){return Ho().memoizedState=e},useTransition:function(){var e=Rx(!1),t=e[0];return e=NB.bind(null,e[1]),Ho().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var r=Ht,o=Ho();if(Dt){if(n===void 0)throw Error(le(407));n=n()}else{if(n=t(),bn===null)throw Error(le(349));(Ts&30)!==0||u_(r,t,n)}o.memoizedState=n;var i={value:n,getSnapshot:t};return o.queue=i,Ox(f_.bind(null,r,i,e),[e]),r.flags|=2048,xf(9,c_.bind(null,r,i,n,t),void 0,null),n},useId:function(){var e=Ho(),t=bn.identifierPrefix;if(Dt){var n=zi,r=Di;n=(r&~(1<<32-Ao(r)-1)).toString(32)+n,t=":"+t+"R"+n,n=yf++,0<n&&(t+="H"+n.toString(32)),t+=":"}else n=OB++,t=":"+t+"r"+n.toString(32)+":";return e.memoizedState=t},unstable_isNewReconciler:!1},BB={readContext:io,useCallback:b_,useContext:io,useEffect:I4,useImperativeHandle:y_,useInsertionEffect:m_,useLayoutEffect:g_,useMemo:x_,useReducer:Rv,useRef:h_,useState:function(){return Rv(bf)},useDebugValue:M4,useDeferredValue:function(e){var t=ao();return S_(t,fn.memoizedState,e)},useTransition:function(){var e=Rv(bf)[0],t=ao().memoizedState;return[e,t]},useMutableSource:s_,useSyncExternalStore:l_,useId:w_,unstable_isNewReconciler:!1},$B={readContext:io,useCallback:b_,useContext:io,useEffect:I4,useImperativeHandle:y_,useInsertionEffect:m_,useLayoutEffect:g_,useMemo:x_,useReducer:Ov,useRef:h_,useState:function(){return Ov(bf)},useDebugValue:M4,useDeferredValue:function(e){var t=ao();return fn===null?t.memoizedState=e:S_(t,fn.memoizedState,e)},useTransition:function(){var e=Ov(bf)[0],t=ao().memoizedState;return[e,t]},useMutableSource:s_,useSyncExternalStore:l_,useId:w_,unstable_isNewReconciler:!1};function uu(e,t){try{var n="",r=t;do n+=hF(r),r=r.return;while(r);var o=n}catch(i){o=` -Error generating stack: `+i.message+` -`+i.stack}return{value:e,source:t,stack:o,digest:null}}function Nv(e,t,n){return{value:e,source:null,stack:n??null,digest:t??null}}function uy(e,t){try{console.error(t.value)}catch(n){setTimeout(function(){throw n})}}var VB=typeof WeakMap=="function"?WeakMap:Map;function E_(e,t,n){n=Bi(-1,n),n.tag=3,n.payload={element:null};var r=t.value;return n.callback=function(){_1||(_1=!0,by=r),uy(e,t)},n}function L_(e,t,n){n=Bi(-1,n),n.tag=3;var r=e.type.getDerivedStateFromError;if(typeof r=="function"){var o=t.value;n.payload=function(){return r(o)},n.callback=function(){uy(e,t)}}var i=e.stateNode;return i!==null&&typeof i.componentDidCatch=="function"&&(n.callback=function(){uy(e,t),typeof r!="function"&&(Ra===null?Ra=new Set([this]):Ra.add(this));var s=t.stack;this.componentDidCatch(t.value,{componentStack:s!==null?s:""})}),n}function Nx(e,t,n){var r=e.pingCache;if(r===null){r=e.pingCache=new VB;var o=new Set;r.set(t,o)}else o=r.get(t),o===void 0&&(o=new Set,r.set(t,o));o.has(n)||(o.add(n),e=t$.bind(null,e,t,n),t.then(e,e))}function Dx(e){do{var t;if((t=e.tag===13)&&(t=e.memoizedState,t=t!==null?t.dehydrated!==null:!0),t)return e;e=e.return}while(e!==null);return null}function zx(e,t,n,r,o){return(e.mode&1)===0?(e===t?e.flags|=65536:(e.flags|=128,n.flags|=131072,n.flags&=-52805,n.tag===1&&(n.alternate===null?n.tag=17:(t=Bi(-1,1),t.tag=2,Ma(n,t,1))),n.lanes|=1),e):(e.flags|=65536,e.lanes=o,e)}var WB=qi.ReactCurrentOwner,hr=!1;function Jn(e,t,n,r){t.child=e===null?i_(t,null,n,r):su(t,e.child,n,r)}function Fx(e,t,n,r,o){n=n.render;var i=t.ref;return Zl(t,o),r=A4(e,t,n,r,i,o),n=T4(),e!==null&&!hr?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~o,Hi(e,t,o)):(Dt&&n&&v4(t),t.flags|=1,Jn(e,t,r,o),t.child)}function Bx(e,t,n,r,o){if(e===null){var i=n.type;return typeof i=="function"&&!$4(i)&&i.defaultProps===void 0&&n.compare===null&&n.defaultProps===void 0?(t.tag=15,t.type=i,P_(e,t,i,r,o)):(e=Oh(n.type,null,r,t,t.mode,o),e.ref=t.ref,e.return=t,t.child=e)}if(i=e.child,(e.lanes&o)===0){var s=i.memoizedProps;if(n=n.compare,n=n!==null?n:df,n(s,r)&&e.ref===t.ref)return Hi(e,t,o)}return t.flags|=1,e=Na(i,r),e.ref=t.ref,e.return=t,t.child=e}function P_(e,t,n,r,o){if(e!==null){var i=e.memoizedProps;if(df(i,r)&&e.ref===t.ref)if(hr=!1,t.pendingProps=r=i,(e.lanes&o)!==0)(e.flags&131072)!==0&&(hr=!0);else return t.lanes=e.lanes,Hi(e,t,o)}return cy(e,t,n,r,o)}function A_(e,t,n){var r=t.pendingProps,o=r.children,i=e!==null?e.memoizedState:null;if(r.mode==="hidden")if((t.mode&1)===0)t.memoizedState={baseLanes:0,cachePool:null,transitions:null},Pt(zl,Ir),Ir|=n;else{if((n&1073741824)===0)return e=i!==null?i.baseLanes|n:n,t.lanes=t.childLanes=1073741824,t.memoizedState={baseLanes:e,cachePool:null,transitions:null},t.updateQueue=null,Pt(zl,Ir),Ir|=e,null;t.memoizedState={baseLanes:0,cachePool:null,transitions:null},r=i!==null?i.baseLanes:n,Pt(zl,Ir),Ir|=r}else i!==null?(r=i.baseLanes|n,t.memoizedState=null):r=n,Pt(zl,Ir),Ir|=r;return Jn(e,t,o,n),t.child}function T_(e,t){var n=t.ref;(e===null&&n!==null||e!==null&&e.ref!==n)&&(t.flags|=512,t.flags|=2097152)}function cy(e,t,n,r,o){var i=gr(n)?Ps:Hn.current;return i=iu(t,i),Zl(t,o),n=A4(e,t,n,r,i,o),r=T4(),e!==null&&!hr?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~o,Hi(e,t,o)):(Dt&&r&&v4(t),t.flags|=1,Jn(e,t,n,o),t.child)}function $x(e,t,n,r,o){if(gr(n)){var i=!0;h1(t)}else i=!1;if(Zl(t,o),t.stateNode===null)Ih(e,t),r_(t,n,r),ly(t,n,r,o),r=!0;else if(e===null){var s=t.stateNode,u=t.memoizedProps;s.props=u;var c=s.context,f=n.contextType;typeof f=="object"&&f!==null?f=io(f):(f=gr(n)?Ps:Hn.current,f=iu(t,f));var p=n.getDerivedStateFromProps,h=typeof p=="function"||typeof s.getSnapshotBeforeUpdate=="function";h||typeof s.UNSAFE_componentWillReceiveProps!="function"&&typeof s.componentWillReceiveProps!="function"||(u!==r||c!==f)&&Ix(t,s,r,f),ga=!1;var m=t.memoizedState;s.state=m,b1(t,r,s,o),c=t.memoizedState,u!==r||m!==c||mr.current||ga?(typeof p=="function"&&(sy(t,n,p,r),c=t.memoizedState),(u=ga||Tx(t,n,u,r,m,c,f))?(h||typeof s.UNSAFE_componentWillMount!="function"&&typeof s.componentWillMount!="function"||(typeof s.componentWillMount=="function"&&s.componentWillMount(),typeof s.UNSAFE_componentWillMount=="function"&&s.UNSAFE_componentWillMount()),typeof s.componentDidMount=="function"&&(t.flags|=4194308)):(typeof s.componentDidMount=="function"&&(t.flags|=4194308),t.memoizedProps=r,t.memoizedState=c),s.props=r,s.state=c,s.context=f,r=u):(typeof s.componentDidMount=="function"&&(t.flags|=4194308),r=!1)}else{s=t.stateNode,t_(e,t),u=t.memoizedProps,f=t.type===t.elementType?u:_o(t.type,u),s.props=f,h=t.pendingProps,m=s.context,c=n.contextType,typeof c=="object"&&c!==null?c=io(c):(c=gr(n)?Ps:Hn.current,c=iu(t,c));var g=n.getDerivedStateFromProps;(p=typeof g=="function"||typeof s.getSnapshotBeforeUpdate=="function")||typeof s.UNSAFE_componentWillReceiveProps!="function"&&typeof s.componentWillReceiveProps!="function"||(u!==h||m!==c)&&Ix(t,s,r,c),ga=!1,m=t.memoizedState,s.state=m,b1(t,r,s,o);var b=t.memoizedState;u!==h||m!==b||mr.current||ga?(typeof g=="function"&&(sy(t,n,g,r),b=t.memoizedState),(f=ga||Tx(t,n,f,r,m,b,c)||!1)?(p||typeof s.UNSAFE_componentWillUpdate!="function"&&typeof s.componentWillUpdate!="function"||(typeof s.componentWillUpdate=="function"&&s.componentWillUpdate(r,b,c),typeof s.UNSAFE_componentWillUpdate=="function"&&s.UNSAFE_componentWillUpdate(r,b,c)),typeof s.componentDidUpdate=="function"&&(t.flags|=4),typeof s.getSnapshotBeforeUpdate=="function"&&(t.flags|=1024)):(typeof s.componentDidUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=4),typeof s.getSnapshotBeforeUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=1024),t.memoizedProps=r,t.memoizedState=b),s.props=r,s.state=b,s.context=c,r=f):(typeof s.componentDidUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=4),typeof s.getSnapshotBeforeUpdate!="function"||u===e.memoizedProps&&m===e.memoizedState||(t.flags|=1024),r=!1)}return fy(e,t,n,r,i,o)}function fy(e,t,n,r,o,i){T_(e,t);var s=(t.flags&128)!==0;if(!r&&!s)return o&&kx(t,n,!1),Hi(e,t,i);r=t.stateNode,WB.current=t;var u=s&&typeof n.getDerivedStateFromError!="function"?null:r.render();return t.flags|=1,e!==null&&s?(t.child=su(t,e.child,null,i),t.child=su(t,null,u,i)):Jn(e,t,u,i),t.memoizedState=r.state,o&&kx(t,n,!0),t.child}function I_(e){var t=e.stateNode;t.pendingContext?_x(e,t.pendingContext,t.pendingContext!==t.context):t.context&&_x(e,t.context,!1),k4(e,t.containerInfo)}function Vx(e,t,n,r,o){return au(),b4(o),t.flags|=256,Jn(e,t,n,r),t.child}var dy={dehydrated:null,treeContext:null,retryLane:0};function py(e){return{baseLanes:e,cachePool:null,transitions:null}}function M_(e,t,n){var r=t.pendingProps,o=Wt.current,i=!1,s=(t.flags&128)!==0,u;if((u=s)||(u=e!==null&&e.memoizedState===null?!1:(o&2)!==0),u?(i=!0,t.flags&=-129):(e===null||e.memoizedState!==null)&&(o|=1),Pt(Wt,o&1),e===null)return iy(t),e=t.memoizedState,e!==null&&(e=e.dehydrated,e!==null)?((t.mode&1)===0?t.lanes=1:e.data==="$!"?t.lanes=8:t.lanes=1073741824,null):(s=r.children,e=r.fallback,i?(r=t.mode,i=t.child,s={mode:"hidden",children:s},(r&1)===0&&i!==null?(i.childLanes=0,i.pendingProps=s):i=w0(s,r,0,null),e=Cs(e,r,n,null),i.return=t,e.return=t,i.sibling=e,t.child=i,t.child.memoizedState=py(n),t.memoizedState=dy,e):R4(t,s));if(o=e.memoizedState,o!==null&&(u=o.dehydrated,u!==null))return HB(e,t,s,r,u,o,n);if(i){i=r.fallback,s=t.mode,o=e.child,u=o.sibling;var c={mode:"hidden",children:r.children};return(s&1)===0&&t.child!==o?(r=t.child,r.childLanes=0,r.pendingProps=c,t.deletions=null):(r=Na(o,c),r.subtreeFlags=o.subtreeFlags&14680064),u!==null?i=Na(u,i):(i=Cs(i,s,n,null),i.flags|=2),i.return=t,r.return=t,r.sibling=i,t.child=r,r=i,i=t.child,s=e.child.memoizedState,s=s===null?py(n):{baseLanes:s.baseLanes|n,cachePool:null,transitions:s.transitions},i.memoizedState=s,i.childLanes=e.childLanes&~n,t.memoizedState=dy,r}return i=e.child,e=i.sibling,r=Na(i,{mode:"visible",children:r.children}),(t.mode&1)===0&&(r.lanes=n),r.return=t,r.sibling=null,e!==null&&(n=t.deletions,n===null?(t.deletions=[e],t.flags|=16):n.push(e)),t.child=r,t.memoizedState=null,r}function R4(e,t){return t=w0({mode:"visible",children:t},e.mode,0,null),t.return=e,e.child=t}function Hp(e,t,n,r){return r!==null&&b4(r),su(t,e.child,null,n),e=R4(t,t.pendingProps.children),e.flags|=2,t.memoizedState=null,e}function HB(e,t,n,r,o,i,s){if(n)return t.flags&256?(t.flags&=-257,r=Nv(Error(le(422))),Hp(e,t,s,r)):t.memoizedState!==null?(t.child=e.child,t.flags|=128,null):(i=r.fallback,o=t.mode,r=w0({mode:"visible",children:r.children},o,0,null),i=Cs(i,o,s,null),i.flags|=2,r.return=t,i.return=t,r.sibling=i,t.child=r,(t.mode&1)!==0&&su(t,e.child,null,s),t.child.memoizedState=py(s),t.memoizedState=dy,i);if((t.mode&1)===0)return Hp(e,t,s,null);if(o.data==="$!"){if(r=o.nextSibling&&o.nextSibling.dataset,r)var u=r.dgst;return r=u,i=Error(le(419)),r=Nv(i,r,void 0),Hp(e,t,s,r)}if(u=(s&e.childLanes)!==0,hr||u){if(r=bn,r!==null){switch(s&-s){case 4:o=2;break;case 16:o=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:o=32;break;case 536870912:o=268435456;break;default:o=0}o=(o&(r.suspendedLanes|s))!==0?0:o,o!==0&&o!==i.retryLane&&(i.retryLane=o,Wi(e,o),To(r,e,o,-1))}return B4(),r=Nv(Error(le(421))),Hp(e,t,s,r)}return o.data==="$?"?(t.flags|=128,t.child=e.child,t=n$.bind(null,e),o._reactRetry=t,null):(e=i.treeContext,Rr=Ia(o.nextSibling),Or=t,Dt=!0,Lo=null,e!==null&&(Jr[eo++]=Di,Jr[eo++]=zi,Jr[eo++]=As,Di=e.id,zi=e.overflow,As=t),t=R4(t,r.children),t.flags|=4096,t)}function Wx(e,t,n){e.lanes|=t;var r=e.alternate;r!==null&&(r.lanes|=t),ay(e.return,t,n)}function Dv(e,t,n,r,o){var i=e.memoizedState;i===null?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailMode:o}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=r,i.tail=n,i.tailMode=o)}function R_(e,t,n){var r=t.pendingProps,o=r.revealOrder,i=r.tail;if(Jn(e,t,r.children,n),r=Wt.current,(r&2)!==0)r=r&1|2,t.flags|=128;else{if(e!==null&&(e.flags&128)!==0)e:for(e=t.child;e!==null;){if(e.tag===13)e.memoizedState!==null&&Wx(e,n,t);else if(e.tag===19)Wx(e,n,t);else if(e.child!==null){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;e.sibling===null;){if(e.return===null||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(Pt(Wt,r),(t.mode&1)===0)t.memoizedState=null;else switch(o){case"forwards":for(n=t.child,o=null;n!==null;)e=n.alternate,e!==null&&x1(e)===null&&(o=n),n=n.sibling;n=o,n===null?(o=t.child,t.child=null):(o=n.sibling,n.sibling=null),Dv(t,!1,o,n,i);break;case"backwards":for(n=null,o=t.child,t.child=null;o!==null;){if(e=o.alternate,e!==null&&x1(e)===null){t.child=o;break}e=o.sibling,o.sibling=n,n=o,o=e}Dv(t,!0,n,null,i);break;case"together":Dv(t,!1,null,null,void 0);break;default:t.memoizedState=null}return t.child}function Ih(e,t){(t.mode&1)===0&&e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2)}function Hi(e,t,n){if(e!==null&&(t.dependencies=e.dependencies),Is|=t.lanes,(n&t.childLanes)===0)return null;if(e!==null&&t.child!==e.child)throw Error(le(153));if(t.child!==null){for(e=t.child,n=Na(e,e.pendingProps),t.child=n,n.return=t;e.sibling!==null;)e=e.sibling,n=n.sibling=Na(e,e.pendingProps),n.return=t;n.sibling=null}return t.child}function jB(e,t,n){switch(t.tag){case 3:I_(t),au();break;case 5:a_(t);break;case 1:gr(t.type)&&h1(t);break;case 4:k4(t,t.stateNode.containerInfo);break;case 10:var r=t.type._context,o=t.memoizedProps.value;Pt(v1,r._currentValue),r._currentValue=o;break;case 13:if(r=t.memoizedState,r!==null)return r.dehydrated!==null?(Pt(Wt,Wt.current&1),t.flags|=128,null):(n&t.child.childLanes)!==0?M_(e,t,n):(Pt(Wt,Wt.current&1),e=Hi(e,t,n),e!==null?e.sibling:null);Pt(Wt,Wt.current&1);break;case 19:if(r=(n&t.childLanes)!==0,(e.flags&128)!==0){if(r)return R_(e,t,n);t.flags|=128}if(o=t.memoizedState,o!==null&&(o.rendering=null,o.tail=null,o.lastEffect=null),Pt(Wt,Wt.current),r)break;return null;case 22:case 23:return t.lanes=0,A_(e,t,n)}return Hi(e,t,n)}var O_,hy,N_,D_;O_=function(e,t){for(var n=t.child;n!==null;){if(n.tag===5||n.tag===6)e.appendChild(n.stateNode);else if(n.tag!==4&&n.child!==null){n.child.return=n,n=n.child;continue}if(n===t)break;for(;n.sibling===null;){if(n.return===null||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}};hy=function(){};N_=function(e,t,n,r){var o=e.memoizedProps;if(o!==r){e=t.stateNode,ys(Jo.current);var i=null;switch(n){case"input":o=D2(e,o),r=D2(e,r),i=[];break;case"select":o=jt({},o,{value:void 0}),r=jt({},r,{value:void 0}),i=[];break;case"textarea":o=B2(e,o),r=B2(e,r),i=[];break;default:typeof o.onClick!="function"&&typeof r.onClick=="function"&&(e.onclick=d1)}V2(n,r);var s;n=null;for(f in o)if(!r.hasOwnProperty(f)&&o.hasOwnProperty(f)&&o[f]!=null)if(f==="style"){var u=o[f];for(s in u)u.hasOwnProperty(s)&&(n||(n={}),n[s]="")}else f!=="dangerouslySetInnerHTML"&&f!=="children"&&f!=="suppressContentEditableWarning"&&f!=="suppressHydrationWarning"&&f!=="autoFocus"&&(of.hasOwnProperty(f)?i||(i=[]):(i=i||[]).push(f,null));for(f in r){var c=r[f];if(u=o?.[f],r.hasOwnProperty(f)&&c!==u&&(c!=null||u!=null))if(f==="style")if(u){for(s in u)!u.hasOwnProperty(s)||c&&c.hasOwnProperty(s)||(n||(n={}),n[s]="");for(s in c)c.hasOwnProperty(s)&&u[s]!==c[s]&&(n||(n={}),n[s]=c[s])}else n||(i||(i=[]),i.push(f,n)),n=c;else f==="dangerouslySetInnerHTML"?(c=c?c.__html:void 0,u=u?u.__html:void 0,c!=null&&u!==c&&(i=i||[]).push(f,c)):f==="children"?typeof c!="string"&&typeof c!="number"||(i=i||[]).push(f,""+c):f!=="suppressContentEditableWarning"&&f!=="suppressHydrationWarning"&&(of.hasOwnProperty(f)?(c!=null&&f==="onScroll"&&It("scroll",e),i||u===c||(i=[])):(i=i||[]).push(f,c))}n&&(i=i||[]).push("style",n);var f=i;(t.updateQueue=f)&&(t.flags|=4)}};D_=function(e,t,n,r){n!==r&&(t.flags|=4)};function gc(e,t){if(!Dt)switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;t!==null;)t.alternate!==null&&(n=t),t=t.sibling;n===null?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var r=null;n!==null;)n.alternate!==null&&(r=n),n=n.sibling;r===null?t||e.tail===null?e.tail=null:e.tail.sibling=null:r.sibling=null}}function Fn(e){var t=e.alternate!==null&&e.alternate.child===e.child,n=0,r=0;if(t)for(var o=e.child;o!==null;)n|=o.lanes|o.childLanes,r|=o.subtreeFlags&14680064,r|=o.flags&14680064,o.return=e,o=o.sibling;else for(o=e.child;o!==null;)n|=o.lanes|o.childLanes,r|=o.subtreeFlags,r|=o.flags,o.return=e,o=o.sibling;return e.subtreeFlags|=r,e.childLanes=n,t}function UB(e,t,n){var r=t.pendingProps;switch(y4(t),t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return Fn(t),null;case 1:return gr(t.type)&&p1(),Fn(t),null;case 3:return r=t.stateNode,lu(),Rt(mr),Rt(Hn),L4(),r.pendingContext&&(r.context=r.pendingContext,r.pendingContext=null),(e===null||e.child===null)&&(Vp(t)?t.flags|=4:e===null||e.memoizedState.isDehydrated&&(t.flags&256)===0||(t.flags|=1024,Lo!==null&&(wy(Lo),Lo=null))),hy(e,t),Fn(t),null;case 5:E4(t);var o=ys(vf.current);if(n=t.type,e!==null&&t.stateNode!=null)N_(e,t,n,r,o),e.ref!==t.ref&&(t.flags|=512,t.flags|=2097152);else{if(!r){if(t.stateNode===null)throw Error(le(166));return Fn(t),null}if(e=ys(Jo.current),Vp(t)){r=t.stateNode,n=t.type;var i=t.memoizedProps;switch(r[qo]=t,r[mf]=i,e=(t.mode&1)!==0,n){case"dialog":It("cancel",r),It("close",r);break;case"iframe":case"object":case"embed":It("load",r);break;case"video":case"audio":for(o=0;o<Ac.length;o++)It(Ac[o],r);break;case"source":It("error",r);break;case"img":case"image":case"link":It("error",r),It("load",r);break;case"details":It("toggle",r);break;case"input":X9(r,i),It("invalid",r);break;case"select":r._wrapperState={wasMultiple:!!i.multiple},It("invalid",r);break;case"textarea":J9(r,i),It("invalid",r)}V2(n,i),o=null;for(var s in i)if(i.hasOwnProperty(s)){var u=i[s];s==="children"?typeof u=="string"?r.textContent!==u&&(i.suppressHydrationWarning!==!0&&$p(r.textContent,u,e),o=["children",u]):typeof u=="number"&&r.textContent!==""+u&&(i.suppressHydrationWarning!==!0&&$p(r.textContent,u,e),o=["children",""+u]):of.hasOwnProperty(s)&&u!=null&&s==="onScroll"&&It("scroll",r)}switch(n){case"input":Mp(r),Q9(r,i,!0);break;case"textarea":Mp(r),ex(r);break;case"select":case"option":break;default:typeof i.onClick=="function"&&(r.onclick=d1)}r=o,t.updateQueue=r,r!==null&&(t.flags|=4)}else{s=o.nodeType===9?o:o.ownerDocument,e==="http://www.w3.org/1999/xhtml"&&(e=uC(n)),e==="http://www.w3.org/1999/xhtml"?n==="script"?(e=s.createElement("div"),e.innerHTML="<script><\/script>",e=e.removeChild(e.firstChild)):typeof r.is=="string"?e=s.createElement(n,{is:r.is}):(e=s.createElement(n),n==="select"&&(s=e,r.multiple?s.multiple=!0:r.size&&(s.size=r.size))):e=s.createElementNS(e,n),e[qo]=t,e[mf]=r,O_(e,t,!1,!1),t.stateNode=e;e:{switch(s=W2(n,r),n){case"dialog":It("cancel",e),It("close",e),o=r;break;case"iframe":case"object":case"embed":It("load",e),o=r;break;case"video":case"audio":for(o=0;o<Ac.length;o++)It(Ac[o],e);o=r;break;case"source":It("error",e),o=r;break;case"img":case"image":case"link":It("error",e),It("load",e),o=r;break;case"details":It("toggle",e),o=r;break;case"input":X9(e,r),o=D2(e,r),It("invalid",e);break;case"option":o=r;break;case"select":e._wrapperState={wasMultiple:!!r.multiple},o=jt({},r,{value:void 0}),It("invalid",e);break;case"textarea":J9(e,r),o=B2(e,r),It("invalid",e);break;default:o=r}V2(n,o),u=o;for(i in u)if(u.hasOwnProperty(i)){var c=u[i];i==="style"?dC(e,c):i==="dangerouslySetInnerHTML"?(c=c?c.__html:void 0,c!=null&&cC(e,c)):i==="children"?typeof c=="string"?(n!=="textarea"||c!=="")&&af(e,c):typeof c=="number"&&af(e,""+c):i!=="suppressContentEditableWarning"&&i!=="suppressHydrationWarning"&&i!=="autoFocus"&&(of.hasOwnProperty(i)?c!=null&&i==="onScroll"&&It("scroll",e):c!=null&&r4(e,i,c,s))}switch(n){case"input":Mp(e),Q9(e,r,!1);break;case"textarea":Mp(e),ex(e);break;case"option":r.value!=null&&e.setAttribute("value",""+za(r.value));break;case"select":e.multiple=!!r.multiple,i=r.value,i!=null?Hl(e,!!r.multiple,i,!1):r.defaultValue!=null&&Hl(e,!!r.multiple,r.defaultValue,!0);break;default:typeof o.onClick=="function"&&(e.onclick=d1)}switch(n){case"button":case"input":case"select":case"textarea":r=!!r.autoFocus;break e;case"img":r=!0;break e;default:r=!1}}r&&(t.flags|=4)}t.ref!==null&&(t.flags|=512,t.flags|=2097152)}return Fn(t),null;case 6:if(e&&t.stateNode!=null)D_(e,t,e.memoizedProps,r);else{if(typeof r!="string"&&t.stateNode===null)throw Error(le(166));if(n=ys(vf.current),ys(Jo.current),Vp(t)){if(r=t.stateNode,n=t.memoizedProps,r[qo]=t,(i=r.nodeValue!==n)&&(e=Or,e!==null))switch(e.tag){case 3:$p(r.nodeValue,n,(e.mode&1)!==0);break;case 5:e.memoizedProps.suppressHydrationWarning!==!0&&$p(r.nodeValue,n,(e.mode&1)!==0)}i&&(t.flags|=4)}else r=(n.nodeType===9?n:n.ownerDocument).createTextNode(r),r[qo]=t,t.stateNode=r}return Fn(t),null;case 13:if(Rt(Wt),r=t.memoizedState,e===null||e.memoizedState!==null&&e.memoizedState.dehydrated!==null){if(Dt&&Rr!==null&&(t.mode&1)!==0&&(t.flags&128)===0)JC(),au(),t.flags|=98560,i=!1;else if(i=Vp(t),r!==null&&r.dehydrated!==null){if(e===null){if(!i)throw Error(le(318));if(i=t.memoizedState,i=i!==null?i.dehydrated:null,!i)throw Error(le(317));i[qo]=t}else au(),(t.flags&128)===0&&(t.memoizedState=null),t.flags|=4;Fn(t),i=!1}else Lo!==null&&(wy(Lo),Lo=null),i=!0;if(!i)return t.flags&65536?t:null}return(t.flags&128)!==0?(t.lanes=n,t):(r=r!==null,r!==(e!==null&&e.memoizedState!==null)&&r&&(t.child.flags|=8192,(t.mode&1)!==0&&(e===null||(Wt.current&1)!==0?dn===0&&(dn=3):B4())),t.updateQueue!==null&&(t.flags|=4),Fn(t),null);case 4:return lu(),hy(e,t),e===null&&pf(t.stateNode.containerInfo),Fn(t),null;case 10:return w4(t.type._context),Fn(t),null;case 17:return gr(t.type)&&p1(),Fn(t),null;case 19:if(Rt(Wt),i=t.memoizedState,i===null)return Fn(t),null;if(r=(t.flags&128)!==0,s=i.rendering,s===null)if(r)gc(i,!1);else{if(dn!==0||e!==null&&(e.flags&128)!==0)for(e=t.child;e!==null;){if(s=x1(e),s!==null){for(t.flags|=128,gc(i,!1),r=s.updateQueue,r!==null&&(t.updateQueue=r,t.flags|=4),t.subtreeFlags=0,r=n,n=t.child;n!==null;)i=n,e=r,i.flags&=14680066,s=i.alternate,s===null?(i.childLanes=0,i.lanes=e,i.child=null,i.subtreeFlags=0,i.memoizedProps=null,i.memoizedState=null,i.updateQueue=null,i.dependencies=null,i.stateNode=null):(i.childLanes=s.childLanes,i.lanes=s.lanes,i.child=s.child,i.subtreeFlags=0,i.deletions=null,i.memoizedProps=s.memoizedProps,i.memoizedState=s.memoizedState,i.updateQueue=s.updateQueue,i.type=s.type,e=s.dependencies,i.dependencies=e===null?null:{lanes:e.lanes,firstContext:e.firstContext}),n=n.sibling;return Pt(Wt,Wt.current&1|2),t.child}e=e.sibling}i.tail!==null&&tn()>cu&&(t.flags|=128,r=!0,gc(i,!1),t.lanes=4194304)}else{if(!r)if(e=x1(s),e!==null){if(t.flags|=128,r=!0,n=e.updateQueue,n!==null&&(t.updateQueue=n,t.flags|=4),gc(i,!0),i.tail===null&&i.tailMode==="hidden"&&!s.alternate&&!Dt)return Fn(t),null}else 2*tn()-i.renderingStartTime>cu&&n!==1073741824&&(t.flags|=128,r=!0,gc(i,!1),t.lanes=4194304);i.isBackwards?(s.sibling=t.child,t.child=s):(n=i.last,n!==null?n.sibling=s:t.child=s,i.last=s)}return i.tail!==null?(t=i.tail,i.rendering=t,i.tail=t.sibling,i.renderingStartTime=tn(),t.sibling=null,n=Wt.current,Pt(Wt,r?n&1|2:n&1),t):(Fn(t),null);case 22:case 23:return F4(),r=t.memoizedState!==null,e!==null&&e.memoizedState!==null!==r&&(t.flags|=8192),r&&(t.mode&1)!==0?(Ir&1073741824)!==0&&(Fn(t),t.subtreeFlags&6&&(t.flags|=8192)):Fn(t),null;case 24:return null;case 25:return null}throw Error(le(156,t.tag))}function GB(e,t){switch(y4(t),t.tag){case 1:return gr(t.type)&&p1(),e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 3:return lu(),Rt(mr),Rt(Hn),L4(),e=t.flags,(e&65536)!==0&&(e&128)===0?(t.flags=e&-65537|128,t):null;case 5:return E4(t),null;case 13:if(Rt(Wt),e=t.memoizedState,e!==null&&e.dehydrated!==null){if(t.alternate===null)throw Error(le(340));au()}return e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 19:return Rt(Wt),null;case 4:return lu(),null;case 10:return w4(t.type._context),null;case 22:case 23:return F4(),null;case 24:return null;default:return null}}var jp=!1,Vn=!1,ZB=typeof WeakSet=="function"?WeakSet:Set,ke=null;function Dl(e,t){var n=e.ref;if(n!==null)if(typeof n=="function")try{n(null)}catch(r){Zt(e,t,r)}else n.current=null}function my(e,t,n){try{n()}catch(r){Zt(e,t,r)}}var Hx=!1;function qB(e,t){if(Q2=u1,e=$C(),g4(e)){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{n=(n=e.ownerDocument)&&n.defaultView||window;var r=n.getSelection&&n.getSelection();if(r&&r.rangeCount!==0){n=r.anchorNode;var o=r.anchorOffset,i=r.focusNode;r=r.focusOffset;try{n.nodeType,i.nodeType}catch{n=null;break e}var s=0,u=-1,c=-1,f=0,p=0,h=e,m=null;t:for(;;){for(var g;h!==n||o!==0&&h.nodeType!==3||(u=s+o),h!==i||r!==0&&h.nodeType!==3||(c=s+r),h.nodeType===3&&(s+=h.nodeValue.length),(g=h.firstChild)!==null;)m=h,h=g;for(;;){if(h===e)break t;if(m===n&&++f===o&&(u=s),m===i&&++p===r&&(c=s),(g=h.nextSibling)!==null)break;h=m,m=h.parentNode}h=g}n=u===-1||c===-1?null:{start:u,end:c}}else n=null}n=n||{start:0,end:0}}else n=null;for(J2={focusedElem:e,selectionRange:n},u1=!1,ke=t;ke!==null;)if(t=ke,e=t.child,(t.subtreeFlags&1028)!==0&&e!==null)e.return=t,ke=e;else for(;ke!==null;){t=ke;try{var b=t.alternate;if((t.flags&1024)!==0)switch(t.tag){case 0:case 11:case 15:break;case 1:if(b!==null){var S=b.memoizedProps,E=b.memoizedState,w=t.stateNode,x=w.getSnapshotBeforeUpdate(t.elementType===t.type?S:_o(t.type,S),E);w.__reactInternalSnapshotBeforeUpdate=x}break;case 3:var _=t.stateNode.containerInfo;_.nodeType===1?_.textContent="":_.nodeType===9&&_.documentElement&&_.removeChild(_.documentElement);break;case 5:case 6:case 4:case 17:break;default:throw Error(le(163))}}catch(L){Zt(t,t.return,L)}if(e=t.sibling,e!==null){e.return=t.return,ke=e;break}ke=t.return}return b=Hx,Hx=!1,b}function Vc(e,t,n){var r=t.updateQueue;if(r=r!==null?r.lastEffect:null,r!==null){var o=r=r.next;do{if((o.tag&e)===e){var i=o.destroy;o.destroy=void 0,i!==void 0&&my(t,n,i)}o=o.next}while(o!==r)}}function x0(e,t){if(t=t.updateQueue,t=t!==null?t.lastEffect:null,t!==null){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function gy(e){var t=e.ref;if(t!==null){var n=e.stateNode;switch(e.tag){case 5:e=n;break;default:e=n}typeof t=="function"?t(e):t.current=e}}function z_(e){var t=e.alternate;t!==null&&(e.alternate=null,z_(t)),e.child=null,e.deletions=null,e.sibling=null,e.tag===5&&(t=e.stateNode,t!==null&&(delete t[qo],delete t[mf],delete t[ny],delete t[TB],delete t[IB])),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function F_(e){return e.tag===5||e.tag===3||e.tag===4}function jx(e){e:for(;;){for(;e.sibling===null;){if(e.return===null||F_(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;e.tag!==5&&e.tag!==6&&e.tag!==18;){if(e.flags&2||e.child===null||e.tag===4)continue e;e.child.return=e,e=e.child}if(!(e.flags&2))return e.stateNode}}function vy(e,t,n){var r=e.tag;if(r===5||r===6)e=e.stateNode,t?n.nodeType===8?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(n.nodeType===8?(t=n.parentNode,t.insertBefore(e,n)):(t=n,t.appendChild(e)),n=n._reactRootContainer,n!=null||t.onclick!==null||(t.onclick=d1));else if(r!==4&&(e=e.child,e!==null))for(vy(e,t,n),e=e.sibling;e!==null;)vy(e,t,n),e=e.sibling}function yy(e,t,n){var r=e.tag;if(r===5||r===6)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(r!==4&&(e=e.child,e!==null))for(yy(e,t,n),e=e.sibling;e!==null;)yy(e,t,n),e=e.sibling}var Pn=null,ko=!1;function la(e,t,n){for(n=n.child;n!==null;)B_(e,t,n),n=n.sibling}function B_(e,t,n){if(Qo&&typeof Qo.onCommitFiberUnmount=="function")try{Qo.onCommitFiberUnmount(d0,n)}catch{}switch(n.tag){case 5:Vn||Dl(n,t);case 6:var r=Pn,o=ko;Pn=null,la(e,t,n),Pn=r,ko=o,Pn!==null&&(ko?(e=Pn,n=n.stateNode,e.nodeType===8?e.parentNode.removeChild(n):e.removeChild(n)):Pn.removeChild(n.stateNode));break;case 18:Pn!==null&&(ko?(e=Pn,n=n.stateNode,e.nodeType===8?Av(e.parentNode,n):e.nodeType===1&&Av(e,n),cf(e)):Av(Pn,n.stateNode));break;case 4:r=Pn,o=ko,Pn=n.stateNode.containerInfo,ko=!0,la(e,t,n),Pn=r,ko=o;break;case 0:case 11:case 14:case 15:if(!Vn&&(r=n.updateQueue,r!==null&&(r=r.lastEffect,r!==null))){o=r=r.next;do{var i=o,s=i.destroy;i=i.tag,s!==void 0&&((i&2)!==0||(i&4)!==0)&&my(n,t,s),o=o.next}while(o!==r)}la(e,t,n);break;case 1:if(!Vn&&(Dl(n,t),r=n.stateNode,typeof r.componentWillUnmount=="function"))try{r.props=n.memoizedProps,r.state=n.memoizedState,r.componentWillUnmount()}catch(u){Zt(n,t,u)}la(e,t,n);break;case 21:la(e,t,n);break;case 22:n.mode&1?(Vn=(r=Vn)||n.memoizedState!==null,la(e,t,n),Vn=r):la(e,t,n);break;default:la(e,t,n)}}function Ux(e){var t=e.updateQueue;if(t!==null){e.updateQueue=null;var n=e.stateNode;n===null&&(n=e.stateNode=new ZB),t.forEach(function(r){var o=r$.bind(null,e,r);n.has(r)||(n.add(r),r.then(o,o))})}}function bo(e,t){var n=t.deletions;if(n!==null)for(var r=0;r<n.length;r++){var o=n[r];try{var i=e,s=t,u=s;e:for(;u!==null;){switch(u.tag){case 5:Pn=u.stateNode,ko=!1;break e;case 3:Pn=u.stateNode.containerInfo,ko=!0;break e;case 4:Pn=u.stateNode.containerInfo,ko=!0;break e}u=u.return}if(Pn===null)throw Error(le(160));B_(i,s,o),Pn=null,ko=!1;var c=o.alternate;c!==null&&(c.return=null),o.return=null}catch(f){Zt(o,t,f)}}if(t.subtreeFlags&12854)for(t=t.child;t!==null;)$_(t,e),t=t.sibling}function $_(e,t){var n=e.alternate,r=e.flags;switch(e.tag){case 0:case 11:case 14:case 15:if(bo(t,e),Fo(e),r&4){try{Vc(3,e,e.return),x0(3,e)}catch(S){Zt(e,e.return,S)}try{Vc(5,e,e.return)}catch(S){Zt(e,e.return,S)}}break;case 1:bo(t,e),Fo(e),r&512&&n!==null&&Dl(n,n.return);break;case 5:if(bo(t,e),Fo(e),r&512&&n!==null&&Dl(n,n.return),e.flags&32){var o=e.stateNode;try{af(o,"")}catch(S){Zt(e,e.return,S)}}if(r&4&&(o=e.stateNode,o!=null)){var i=e.memoizedProps,s=n!==null?n.memoizedProps:i,u=e.type,c=e.updateQueue;if(e.updateQueue=null,c!==null)try{u==="input"&&i.type==="radio"&&i.name!=null&&sC(o,i),W2(u,s);var f=W2(u,i);for(s=0;s<c.length;s+=2){var p=c[s],h=c[s+1];p==="style"?dC(o,h):p==="dangerouslySetInnerHTML"?cC(o,h):p==="children"?af(o,h):r4(o,p,h,f)}switch(u){case"input":z2(o,i);break;case"textarea":lC(o,i);break;case"select":var m=o._wrapperState.wasMultiple;o._wrapperState.wasMultiple=!!i.multiple;var g=i.value;g!=null?Hl(o,!!i.multiple,g,!1):m!==!!i.multiple&&(i.defaultValue!=null?Hl(o,!!i.multiple,i.defaultValue,!0):Hl(o,!!i.multiple,i.multiple?[]:"",!1))}o[mf]=i}catch(S){Zt(e,e.return,S)}}break;case 6:if(bo(t,e),Fo(e),r&4){if(e.stateNode===null)throw Error(le(162));o=e.stateNode,i=e.memoizedProps;try{o.nodeValue=i}catch(S){Zt(e,e.return,S)}}break;case 3:if(bo(t,e),Fo(e),r&4&&n!==null&&n.memoizedState.isDehydrated)try{cf(t.containerInfo)}catch(S){Zt(e,e.return,S)}break;case 4:bo(t,e),Fo(e);break;case 13:bo(t,e),Fo(e),o=e.child,o.flags&8192&&(i=o.memoizedState!==null,o.stateNode.isHidden=i,!i||o.alternate!==null&&o.alternate.memoizedState!==null||(D4=tn())),r&4&&Ux(e);break;case 22:if(p=n!==null&&n.memoizedState!==null,e.mode&1?(Vn=(f=Vn)||p,bo(t,e),Vn=f):bo(t,e),Fo(e),r&8192){if(f=e.memoizedState!==null,(e.stateNode.isHidden=f)&&!p&&(e.mode&1)!==0)for(ke=e,p=e.child;p!==null;){for(h=ke=p;ke!==null;){switch(m=ke,g=m.child,m.tag){case 0:case 11:case 14:case 15:Vc(4,m,m.return);break;case 1:Dl(m,m.return);var b=m.stateNode;if(typeof b.componentWillUnmount=="function"){r=m,n=m.return;try{t=r,b.props=t.memoizedProps,b.state=t.memoizedState,b.componentWillUnmount()}catch(S){Zt(r,n,S)}}break;case 5:Dl(m,m.return);break;case 22:if(m.memoizedState!==null){Zx(h);continue}}g!==null?(g.return=m,ke=g):Zx(h)}p=p.sibling}e:for(p=null,h=e;;){if(h.tag===5){if(p===null){p=h;try{o=h.stateNode,f?(i=o.style,typeof i.setProperty=="function"?i.setProperty("display","none","important"):i.display="none"):(u=h.stateNode,c=h.memoizedProps.style,s=c!=null&&c.hasOwnProperty("display")?c.display:null,u.style.display=fC("display",s))}catch(S){Zt(e,e.return,S)}}}else if(h.tag===6){if(p===null)try{h.stateNode.nodeValue=f?"":h.memoizedProps}catch(S){Zt(e,e.return,S)}}else if((h.tag!==22&&h.tag!==23||h.memoizedState===null||h===e)&&h.child!==null){h.child.return=h,h=h.child;continue}if(h===e)break e;for(;h.sibling===null;){if(h.return===null||h.return===e)break e;p===h&&(p=null),h=h.return}p===h&&(p=null),h.sibling.return=h.return,h=h.sibling}}break;case 19:bo(t,e),Fo(e),r&4&&Ux(e);break;case 21:break;default:bo(t,e),Fo(e)}}function Fo(e){var t=e.flags;if(t&2){try{e:{for(var n=e.return;n!==null;){if(F_(n)){var r=n;break e}n=n.return}throw Error(le(160))}switch(r.tag){case 5:var o=r.stateNode;r.flags&32&&(af(o,""),r.flags&=-33);var i=jx(e);yy(e,i,o);break;case 3:case 4:var s=r.stateNode.containerInfo,u=jx(e);vy(e,u,s);break;default:throw Error(le(161))}}catch(c){Zt(e,e.return,c)}e.flags&=-3}t&4096&&(e.flags&=-4097)}function KB(e,t,n){ke=e,V_(e)}function V_(e,t,n){for(var r=(e.mode&1)!==0;ke!==null;){var o=ke,i=o.child;if(o.tag===22&&r){var s=o.memoizedState!==null||jp;if(!s){var u=o.alternate,c=u!==null&&u.memoizedState!==null||Vn;u=jp;var f=Vn;if(jp=s,(Vn=c)&&!f)for(ke=o;ke!==null;)s=ke,c=s.child,s.tag===22&&s.memoizedState!==null?qx(o):c!==null?(c.return=s,ke=c):qx(o);for(;i!==null;)ke=i,V_(i),i=i.sibling;ke=o,jp=u,Vn=f}Gx(e)}else(o.subtreeFlags&8772)!==0&&i!==null?(i.return=o,ke=i):Gx(e)}}function Gx(e){for(;ke!==null;){var t=ke;if((t.flags&8772)!==0){var n=t.alternate;try{if((t.flags&8772)!==0)switch(t.tag){case 0:case 11:case 15:Vn||x0(5,t);break;case 1:var r=t.stateNode;if(t.flags&4&&!Vn)if(n===null)r.componentDidMount();else{var o=t.elementType===t.type?n.memoizedProps:_o(t.type,n.memoizedProps);r.componentDidUpdate(o,n.memoizedState,r.__reactInternalSnapshotBeforeUpdate)}var i=t.updateQueue;i!==null&&Ax(t,i,r);break;case 3:var s=t.updateQueue;if(s!==null){if(n=null,t.child!==null)switch(t.child.tag){case 5:n=t.child.stateNode;break;case 1:n=t.child.stateNode}Ax(t,s,n)}break;case 5:var u=t.stateNode;if(n===null&&t.flags&4){n=u;var c=t.memoizedProps;switch(t.type){case"button":case"input":case"select":case"textarea":c.autoFocus&&n.focus();break;case"img":c.src&&(n.src=c.src)}}break;case 6:break;case 4:break;case 12:break;case 13:if(t.memoizedState===null){var f=t.alternate;if(f!==null){var p=f.memoizedState;if(p!==null){var h=p.dehydrated;h!==null&&cf(h)}}}break;case 19:case 17:case 21:case 22:case 23:case 25:break;default:throw Error(le(163))}Vn||t.flags&512&&gy(t)}catch(m){Zt(t,t.return,m)}}if(t===e){ke=null;break}if(n=t.sibling,n!==null){n.return=t.return,ke=n;break}ke=t.return}}function Zx(e){for(;ke!==null;){var t=ke;if(t===e){ke=null;break}var n=t.sibling;if(n!==null){n.return=t.return,ke=n;break}ke=t.return}}function qx(e){for(;ke!==null;){var t=ke;try{switch(t.tag){case 0:case 11:case 15:var n=t.return;try{x0(4,t)}catch(c){Zt(t,n,c)}break;case 1:var r=t.stateNode;if(typeof r.componentDidMount=="function"){var o=t.return;try{r.componentDidMount()}catch(c){Zt(t,o,c)}}var i=t.return;try{gy(t)}catch(c){Zt(t,i,c)}break;case 5:var s=t.return;try{gy(t)}catch(c){Zt(t,s,c)}}}catch(c){Zt(t,t.return,c)}if(t===e){ke=null;break}var u=t.sibling;if(u!==null){u.return=t.return,ke=u;break}ke=t.return}}var YB=Math.ceil,C1=qi.ReactCurrentDispatcher,O4=qi.ReactCurrentOwner,no=qi.ReactCurrentBatchConfig,et=0,bn=null,sn=null,An=0,Ir=0,zl=Ua(0),dn=0,Sf=null,Is=0,S0=0,N4=0,Wc=null,pr=null,D4=0,cu=1/0,Mi=null,_1=!1,by=null,Ra=null,Up=!1,Ca=null,k1=0,Hc=0,xy=null,Mh=-1,Rh=0;function tr(){return(et&6)!==0?tn():Mh!==-1?Mh:Mh=tn()}function Oa(e){return(e.mode&1)===0?1:(et&2)!==0&&An!==0?An&-An:RB.transition!==null?(Rh===0&&(Rh=_C()),Rh):(e=gt,e!==0||(e=window.event,e=e===void 0?16:IC(e.type)),e)}function To(e,t,n,r){if(50<Hc)throw Hc=0,xy=null,Error(le(185));Xf(e,n,r),((et&2)===0||e!==bn)&&(e===bn&&((et&2)===0&&(S0|=n),dn===4&&ba(e,An)),vr(e,r),n===1&&et===0&&(t.mode&1)===0&&(cu=tn()+500,v0&&Ga()))}function vr(e,t){var n=e.callbackNode;RF(e,t);var r=l1(e,e===bn?An:0);if(r===0)n!==null&&rx(n),e.callbackNode=null,e.callbackPriority=0;else if(t=r&-r,e.callbackPriority!==t){if(n!=null&&rx(n),t===1)e.tag===0?MB(Kx.bind(null,e)):YC(Kx.bind(null,e)),PB(function(){(et&6)===0&&Ga()}),n=null;else{switch(kC(r)){case 1:n=l4;break;case 4:n=wC;break;case 16:n=s1;break;case 536870912:n=CC;break;default:n=s1}n=K_(n,W_.bind(null,e))}e.callbackPriority=t,e.callbackNode=n}}function W_(e,t){if(Mh=-1,Rh=0,(et&6)!==0)throw Error(le(327));var n=e.callbackNode;if(ql()&&e.callbackNode!==n)return null;var r=l1(e,e===bn?An:0);if(r===0)return null;if((r&30)!==0||(r&e.expiredLanes)!==0||t)t=E1(e,r);else{t=r;var o=et;et|=2;var i=j_();(bn!==e||An!==t)&&(Mi=null,cu=tn()+500,ws(e,t));do try{JB();break}catch(u){H_(e,u)}while(1);S4(),C1.current=i,et=o,sn!==null?t=0:(bn=null,An=0,t=dn)}if(t!==0){if(t===2&&(o=Z2(e),o!==0&&(r=o,t=Sy(e,o))),t===1)throw n=Sf,ws(e,0),ba(e,r),vr(e,tn()),n;if(t===6)ba(e,r);else{if(o=e.current.alternate,(r&30)===0&&!XB(o)&&(t=E1(e,r),t===2&&(i=Z2(e),i!==0&&(r=i,t=Sy(e,i))),t===1))throw n=Sf,ws(e,0),ba(e,r),vr(e,tn()),n;switch(e.finishedWork=o,e.finishedLanes=r,t){case 0:case 1:throw Error(le(345));case 2:us(e,pr,Mi);break;case 3:if(ba(e,r),(r&130023424)===r&&(t=D4+500-tn(),10<t)){if(l1(e,0)!==0)break;if(o=e.suspendedLanes,(o&r)!==r){tr(),e.pingedLanes|=e.suspendedLanes&o;break}e.timeoutHandle=ty(us.bind(null,e,pr,Mi),t);break}us(e,pr,Mi);break;case 4:if(ba(e,r),(r&4194240)===r)break;for(t=e.eventTimes,o=-1;0<r;){var s=31-Ao(r);i=1<<s,s=t[s],s>o&&(o=s),r&=~i}if(r=o,r=tn()-r,r=(120>r?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*YB(r/1960))-r,10<r){e.timeoutHandle=ty(us.bind(null,e,pr,Mi),r);break}us(e,pr,Mi);break;case 5:us(e,pr,Mi);break;default:throw Error(le(329))}}}return vr(e,tn()),e.callbackNode===n?W_.bind(null,e):null}function Sy(e,t){var n=Wc;return e.current.memoizedState.isDehydrated&&(ws(e,t).flags|=256),e=E1(e,t),e!==2&&(t=pr,pr=n,t!==null&&wy(t)),e}function wy(e){pr===null?pr=e:pr.push.apply(pr,e)}function XB(e){for(var t=e;;){if(t.flags&16384){var n=t.updateQueue;if(n!==null&&(n=n.stores,n!==null))for(var r=0;r<n.length;r++){var o=n[r],i=o.getSnapshot;o=o.value;try{if(!Mo(i(),o))return!1}catch{return!1}}}if(n=t.child,t.subtreeFlags&16384&&n!==null)n.return=t,t=n;else{if(t===e)break;for(;t.sibling===null;){if(t.return===null||t.return===e)return!0;t=t.return}t.sibling.return=t.return,t=t.sibling}}return!0}function ba(e,t){for(t&=~N4,t&=~S0,e.suspendedLanes|=t,e.pingedLanes&=~t,e=e.expirationTimes;0<t;){var n=31-Ao(t),r=1<<n;e[n]=-1,t&=~r}}function Kx(e){if((et&6)!==0)throw Error(le(327));ql();var t=l1(e,0);if((t&1)===0)return vr(e,tn()),null;var n=E1(e,t);if(e.tag!==0&&n===2){var r=Z2(e);r!==0&&(t=r,n=Sy(e,r))}if(n===1)throw n=Sf,ws(e,0),ba(e,t),vr(e,tn()),n;if(n===6)throw Error(le(345));return e.finishedWork=e.current.alternate,e.finishedLanes=t,us(e,pr,Mi),vr(e,tn()),null}function z4(e,t){var n=et;et|=1;try{return e(t)}finally{et=n,et===0&&(cu=tn()+500,v0&&Ga())}}function Ms(e){Ca!==null&&Ca.tag===0&&(et&6)===0&&ql();var t=et;et|=1;var n=no.transition,r=gt;try{if(no.transition=null,gt=1,e)return e()}finally{gt=r,no.transition=n,et=t,(et&6)===0&&Ga()}}function F4(){Ir=zl.current,Rt(zl)}function ws(e,t){e.finishedWork=null,e.finishedLanes=0;var n=e.timeoutHandle;if(n!==-1&&(e.timeoutHandle=-1,LB(n)),sn!==null)for(n=sn.return;n!==null;){var r=n;switch(y4(r),r.tag){case 1:r=r.type.childContextTypes,r!=null&&p1();break;case 3:lu(),Rt(mr),Rt(Hn),L4();break;case 5:E4(r);break;case 4:lu();break;case 13:Rt(Wt);break;case 19:Rt(Wt);break;case 10:w4(r.type._context);break;case 22:case 23:F4()}n=n.return}if(bn=e,sn=e=Na(e.current,null),An=Ir=t,dn=0,Sf=null,N4=S0=Is=0,pr=Wc=null,vs!==null){for(t=0;t<vs.length;t++)if(n=vs[t],r=n.interleaved,r!==null){n.interleaved=null;var o=r.next,i=n.pending;if(i!==null){var s=i.next;i.next=o,r.next=s}n.pending=r}vs=null}return e}function H_(e,t){do{var n=sn;try{if(S4(),Ah.current=w1,S1){for(var r=Ht.memoizedState;r!==null;){var o=r.queue;o!==null&&(o.pending=null),r=r.next}S1=!1}if(Ts=0,yn=fn=Ht=null,$c=!1,yf=0,O4.current=null,n===null||n.return===null){dn=1,Sf=t,sn=null;break}e:{var i=e,s=n.return,u=n,c=t;if(t=An,u.flags|=32768,c!==null&&typeof c=="object"&&typeof c.then=="function"){var f=c,p=u,h=p.tag;if((p.mode&1)===0&&(h===0||h===11||h===15)){var m=p.alternate;m?(p.updateQueue=m.updateQueue,p.memoizedState=m.memoizedState,p.lanes=m.lanes):(p.updateQueue=null,p.memoizedState=null)}var g=Dx(s);if(g!==null){g.flags&=-257,zx(g,s,u,i,t),g.mode&1&&Nx(i,f,t),t=g,c=f;var b=t.updateQueue;if(b===null){var S=new Set;S.add(c),t.updateQueue=S}else b.add(c);break e}else{if((t&1)===0){Nx(i,f,t),B4();break e}c=Error(le(426))}}else if(Dt&&u.mode&1){var E=Dx(s);if(E!==null){(E.flags&65536)===0&&(E.flags|=256),zx(E,s,u,i,t),b4(uu(c,u));break e}}i=c=uu(c,u),dn!==4&&(dn=2),Wc===null?Wc=[i]:Wc.push(i),i=s;do{switch(i.tag){case 3:i.flags|=65536,t&=-t,i.lanes|=t;var w=E_(i,c,t);Px(i,w);break e;case 1:u=c;var x=i.type,_=i.stateNode;if((i.flags&128)===0&&(typeof x.getDerivedStateFromError=="function"||_!==null&&typeof _.componentDidCatch=="function"&&(Ra===null||!Ra.has(_)))){i.flags|=65536,t&=-t,i.lanes|=t;var L=L_(i,u,t);Px(i,L);break e}}i=i.return}while(i!==null)}G_(n)}catch(T){t=T,sn===n&&n!==null&&(sn=n=n.return);continue}break}while(1)}function j_(){var e=C1.current;return C1.current=w1,e===null?w1:e}function B4(){(dn===0||dn===3||dn===2)&&(dn=4),bn===null||(Is&268435455)===0&&(S0&268435455)===0||ba(bn,An)}function E1(e,t){var n=et;et|=2;var r=j_();(bn!==e||An!==t)&&(Mi=null,ws(e,t));do try{QB();break}catch(o){H_(e,o)}while(1);if(S4(),et=n,C1.current=r,sn!==null)throw Error(le(261));return bn=null,An=0,dn}function QB(){for(;sn!==null;)U_(sn)}function JB(){for(;sn!==null&&!_F();)U_(sn)}function U_(e){var t=q_(e.alternate,e,Ir);e.memoizedProps=e.pendingProps,t===null?G_(e):sn=t,O4.current=null}function G_(e){var t=e;do{var n=t.alternate;if(e=t.return,(t.flags&32768)===0){if(n=UB(n,t,Ir),n!==null){sn=n;return}}else{if(n=GB(n,t),n!==null){n.flags&=32767,sn=n;return}if(e!==null)e.flags|=32768,e.subtreeFlags=0,e.deletions=null;else{dn=6,sn=null;return}}if(t=t.sibling,t!==null){sn=t;return}sn=t=e}while(t!==null);dn===0&&(dn=5)}function us(e,t,n){var r=gt,o=no.transition;try{no.transition=null,gt=1,e$(e,t,n,r)}finally{no.transition=o,gt=r}return null}function e$(e,t,n,r){do ql();while(Ca!==null);if((et&6)!==0)throw Error(le(327));n=e.finishedWork;var o=e.finishedLanes;if(n===null)return null;if(e.finishedWork=null,e.finishedLanes=0,n===e.current)throw Error(le(177));e.callbackNode=null,e.callbackPriority=0;var i=n.lanes|n.childLanes;if(OF(e,i),e===bn&&(sn=bn=null,An=0),(n.subtreeFlags&2064)===0&&(n.flags&2064)===0||Up||(Up=!0,K_(s1,function(){return ql(),null})),i=(n.flags&15990)!==0,(n.subtreeFlags&15990)!==0||i){i=no.transition,no.transition=null;var s=gt;gt=1;var u=et;et|=4,O4.current=null,qB(e,n),$_(n,e),xB(J2),u1=!!Q2,J2=Q2=null,e.current=n,KB(n),kF(),et=u,gt=s,no.transition=i}else e.current=n;if(Up&&(Up=!1,Ca=e,k1=o),i=e.pendingLanes,i===0&&(Ra=null),PF(n.stateNode),vr(e,tn()),t!==null)for(r=e.onRecoverableError,n=0;n<t.length;n++)o=t[n],r(o.value,{componentStack:o.stack,digest:o.digest});if(_1)throw _1=!1,e=by,by=null,e;return(k1&1)!==0&&e.tag!==0&&ql(),i=e.pendingLanes,(i&1)!==0?e===xy?Hc++:(Hc=0,xy=e):Hc=0,Ga(),null}function ql(){if(Ca!==null){var e=kC(k1),t=no.transition,n=gt;try{if(no.transition=null,gt=16>e?16:e,Ca===null)var r=!1;else{if(e=Ca,Ca=null,k1=0,(et&6)!==0)throw Error(le(331));var o=et;for(et|=4,ke=e.current;ke!==null;){var i=ke,s=i.child;if((ke.flags&16)!==0){var u=i.deletions;if(u!==null){for(var c=0;c<u.length;c++){var f=u[c];for(ke=f;ke!==null;){var p=ke;switch(p.tag){case 0:case 11:case 15:Vc(8,p,i)}var h=p.child;if(h!==null)h.return=p,ke=h;else for(;ke!==null;){p=ke;var m=p.sibling,g=p.return;if(z_(p),p===f){ke=null;break}if(m!==null){m.return=g,ke=m;break}ke=g}}}var b=i.alternate;if(b!==null){var S=b.child;if(S!==null){b.child=null;do{var E=S.sibling;S.sibling=null,S=E}while(S!==null)}}ke=i}}if((i.subtreeFlags&2064)!==0&&s!==null)s.return=i,ke=s;else e:for(;ke!==null;){if(i=ke,(i.flags&2048)!==0)switch(i.tag){case 0:case 11:case 15:Vc(9,i,i.return)}var w=i.sibling;if(w!==null){w.return=i.return,ke=w;break e}ke=i.return}}var x=e.current;for(ke=x;ke!==null;){s=ke;var _=s.child;if((s.subtreeFlags&2064)!==0&&_!==null)_.return=s,ke=_;else e:for(s=x;ke!==null;){if(u=ke,(u.flags&2048)!==0)try{switch(u.tag){case 0:case 11:case 15:x0(9,u)}}catch(T){Zt(u,u.return,T)}if(u===s){ke=null;break e}var L=u.sibling;if(L!==null){L.return=u.return,ke=L;break e}ke=u.return}}if(et=o,Ga(),Qo&&typeof Qo.onPostCommitFiberRoot=="function")try{Qo.onPostCommitFiberRoot(d0,e)}catch{}r=!0}return r}finally{gt=n,no.transition=t}}return!1}function Yx(e,t,n){t=uu(n,t),t=E_(e,t,1),e=Ma(e,t,1),t=tr(),e!==null&&(Xf(e,1,t),vr(e,t))}function Zt(e,t,n){if(e.tag===3)Yx(e,e,n);else for(;t!==null;){if(t.tag===3){Yx(t,e,n);break}else if(t.tag===1){var r=t.stateNode;if(typeof t.type.getDerivedStateFromError=="function"||typeof r.componentDidCatch=="function"&&(Ra===null||!Ra.has(r))){e=uu(n,e),e=L_(t,e,1),t=Ma(t,e,1),e=tr(),t!==null&&(Xf(t,1,e),vr(t,e));break}}t=t.return}}function t$(e,t,n){var r=e.pingCache;r!==null&&r.delete(t),t=tr(),e.pingedLanes|=e.suspendedLanes&n,bn===e&&(An&n)===n&&(dn===4||dn===3&&(An&130023424)===An&&500>tn()-D4?ws(e,0):N4|=n),vr(e,t)}function Z_(e,t){t===0&&((e.mode&1)===0?t=1:(t=Np,Np<<=1,(Np&130023424)===0&&(Np=4194304)));var n=tr();e=Wi(e,t),e!==null&&(Xf(e,t,n),vr(e,n))}function n$(e){var t=e.memoizedState,n=0;t!==null&&(n=t.retryLane),Z_(e,n)}function r$(e,t){var n=0;switch(e.tag){case 13:var r=e.stateNode,o=e.memoizedState;o!==null&&(n=o.retryLane);break;case 19:r=e.stateNode;break;default:throw Error(le(314))}r!==null&&r.delete(t),Z_(e,n)}var q_;q_=function(e,t,n){if(e!==null)if(e.memoizedProps!==t.pendingProps||mr.current)hr=!0;else{if((e.lanes&n)===0&&(t.flags&128)===0)return hr=!1,jB(e,t,n);hr=(e.flags&131072)!==0}else hr=!1,Dt&&(t.flags&1048576)!==0&&XC(t,g1,t.index);switch(t.lanes=0,t.tag){case 2:var r=t.type;Ih(e,t),e=t.pendingProps;var o=iu(t,Hn.current);Zl(t,n),o=A4(null,t,r,e,o,n);var i=T4();return t.flags|=1,typeof o=="object"&&o!==null&&typeof o.render=="function"&&o.$$typeof===void 0?(t.tag=1,t.memoizedState=null,t.updateQueue=null,gr(r)?(i=!0,h1(t)):i=!1,t.memoizedState=o.state!==null&&o.state!==void 0?o.state:null,_4(t),o.updater=y0,t.stateNode=o,o._reactInternals=t,ly(t,r,e,n),t=fy(null,t,r,!0,i,n)):(t.tag=0,Dt&&i&&v4(t),Jn(null,t,o,n),t=t.child),t;case 16:r=t.elementType;e:{switch(Ih(e,t),e=t.pendingProps,o=r._init,r=o(r._payload),t.type=r,o=t.tag=i$(r),e=_o(r,e),o){case 0:t=cy(null,t,r,e,n);break e;case 1:t=$x(null,t,r,e,n);break e;case 11:t=Fx(null,t,r,e,n);break e;case 14:t=Bx(null,t,r,_o(r.type,e),n);break e}throw Error(le(306,r,""))}return t;case 0:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:_o(r,o),cy(e,t,r,o,n);case 1:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:_o(r,o),$x(e,t,r,o,n);case 3:e:{if(I_(t),e===null)throw Error(le(387));r=t.pendingProps,i=t.memoizedState,o=i.element,t_(e,t),b1(t,r,null,n);var s=t.memoizedState;if(r=s.element,i.isDehydrated)if(i={element:r,isDehydrated:!1,cache:s.cache,pendingSuspenseBoundaries:s.pendingSuspenseBoundaries,transitions:s.transitions},t.updateQueue.baseState=i,t.memoizedState=i,t.flags&256){o=uu(Error(le(423)),t),t=Vx(e,t,r,n,o);break e}else if(r!==o){o=uu(Error(le(424)),t),t=Vx(e,t,r,n,o);break e}else for(Rr=Ia(t.stateNode.containerInfo.firstChild),Or=t,Dt=!0,Lo=null,n=i_(t,null,r,n),t.child=n;n;)n.flags=n.flags&-3|4096,n=n.sibling;else{if(au(),r===o){t=Hi(e,t,n);break e}Jn(e,t,r,n)}t=t.child}return t;case 5:return a_(t),e===null&&iy(t),r=t.type,o=t.pendingProps,i=e!==null?e.memoizedProps:null,s=o.children,ey(r,o)?s=null:i!==null&&ey(r,i)&&(t.flags|=32),T_(e,t),Jn(e,t,s,n),t.child;case 6:return e===null&&iy(t),null;case 13:return M_(e,t,n);case 4:return k4(t,t.stateNode.containerInfo),r=t.pendingProps,e===null?t.child=su(t,null,r,n):Jn(e,t,r,n),t.child;case 11:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:_o(r,o),Fx(e,t,r,o,n);case 7:return Jn(e,t,t.pendingProps,n),t.child;case 8:return Jn(e,t,t.pendingProps.children,n),t.child;case 12:return Jn(e,t,t.pendingProps.children,n),t.child;case 10:e:{if(r=t.type._context,o=t.pendingProps,i=t.memoizedProps,s=o.value,Pt(v1,r._currentValue),r._currentValue=s,i!==null)if(Mo(i.value,s)){if(i.children===o.children&&!mr.current){t=Hi(e,t,n);break e}}else for(i=t.child,i!==null&&(i.return=t);i!==null;){var u=i.dependencies;if(u!==null){s=i.child;for(var c=u.firstContext;c!==null;){if(c.context===r){if(i.tag===1){c=Bi(-1,n&-n),c.tag=2;var f=i.updateQueue;if(f!==null){f=f.shared;var p=f.pending;p===null?c.next=c:(c.next=p.next,p.next=c),f.pending=c}}i.lanes|=n,c=i.alternate,c!==null&&(c.lanes|=n),ay(i.return,n,t),u.lanes|=n;break}c=c.next}}else if(i.tag===10)s=i.type===t.type?null:i.child;else if(i.tag===18){if(s=i.return,s===null)throw Error(le(341));s.lanes|=n,u=s.alternate,u!==null&&(u.lanes|=n),ay(s,n,t),s=i.sibling}else s=i.child;if(s!==null)s.return=i;else for(s=i;s!==null;){if(s===t){s=null;break}if(i=s.sibling,i!==null){i.return=s.return,s=i;break}s=s.return}i=s}Jn(e,t,o.children,n),t=t.child}return t;case 9:return o=t.type,r=t.pendingProps.children,Zl(t,n),o=io(o),r=r(o),t.flags|=1,Jn(e,t,r,n),t.child;case 14:return r=t.type,o=_o(r,t.pendingProps),o=_o(r.type,o),Bx(e,t,r,o,n);case 15:return P_(e,t,t.type,t.pendingProps,n);case 17:return r=t.type,o=t.pendingProps,o=t.elementType===r?o:_o(r,o),Ih(e,t),t.tag=1,gr(r)?(e=!0,h1(t)):e=!1,Zl(t,n),r_(t,r,o),ly(t,r,o,n),fy(null,t,r,!0,e,n);case 19:return R_(e,t,n);case 22:return A_(e,t,n)}throw Error(le(156,t.tag))};function K_(e,t){return SC(e,t)}function o$(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function to(e,t,n,r){return new o$(e,t,n,r)}function $4(e){return e=e.prototype,!(!e||!e.isReactComponent)}function i$(e){if(typeof e=="function")return $4(e)?1:0;if(e!=null){if(e=e.$$typeof,e===i4)return 11;if(e===a4)return 14}return 2}function Na(e,t){var n=e.alternate;return n===null?(n=to(e.tag,t,e.key,e.mode),n.elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=e.flags&14680064,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=t===null?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function Oh(e,t,n,r,o,i){var s=2;if(r=e,typeof e=="function")$4(e)&&(s=1);else if(typeof e=="string")s=5;else e:switch(e){case Ll:return Cs(n.children,o,i,t);case o4:s=8,o|=8;break;case M2:return e=to(12,n,t,o|2),e.elementType=M2,e.lanes=i,e;case R2:return e=to(13,n,t,o),e.elementType=R2,e.lanes=i,e;case O2:return e=to(19,n,t,o),e.elementType=O2,e.lanes=i,e;case oC:return w0(n,o,i,t);default:if(typeof e=="object"&&e!==null)switch(e.$$typeof){case nC:s=10;break e;case rC:s=9;break e;case i4:s=11;break e;case a4:s=14;break e;case ma:s=16,r=null;break e}throw Error(le(130,e==null?e:typeof e,""))}return t=to(s,n,t,o),t.elementType=e,t.type=r,t.lanes=i,t}function Cs(e,t,n,r){return e=to(7,e,r,t),e.lanes=n,e}function w0(e,t,n,r){return e=to(22,e,r,t),e.elementType=oC,e.lanes=n,e.stateNode={isHidden:!1},e}function zv(e,t,n){return e=to(6,e,null,t),e.lanes=n,e}function Fv(e,t,n){return t=to(4,e.children!==null?e.children:[],e.key,t),t.lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function a$(e,t,n,r,o){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=yv(0),this.expirationTimes=yv(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=yv(0),this.identifierPrefix=r,this.onRecoverableError=o,this.mutableSourceEagerHydrationData=null}function V4(e,t,n,r,o,i,s,u,c){return e=new a$(e,t,n,u,c),t===1?(t=1,i===!0&&(t|=8)):t=0,i=to(3,null,null,t),e.current=i,i.stateNode=e,i.memoizedState={element:r,isDehydrated:n,cache:null,transitions:null,pendingSuspenseBoundaries:null},_4(i),e}function s$(e,t,n){var r=3<arguments.length&&arguments[3]!==void 0?arguments[3]:null;return{$$typeof:El,key:r==null?null:""+r,children:e,containerInfo:t,implementation:n}}function Y_(e){if(!e)return Fa;e=e._reactInternals;e:{if(Ds(e)!==e||e.tag!==1)throw Error(le(170));var t=e;do{switch(t.tag){case 3:t=t.stateNode.context;break e;case 1:if(gr(t.type)){t=t.stateNode.__reactInternalMemoizedMergedChildContext;break e}}t=t.return}while(t!==null);throw Error(le(171))}if(e.tag===1){var n=e.type;if(gr(n))return KC(e,n,t)}return t}function X_(e,t,n,r,o,i,s,u,c){return e=V4(n,r,!0,e,o,i,s,u,c),e.context=Y_(null),n=e.current,r=tr(),o=Oa(n),i=Bi(r,o),i.callback=t??null,Ma(n,i,o),e.current.lanes=o,Xf(e,o,r),vr(e,r),e}function C0(e,t,n,r){var o=t.current,i=tr(),s=Oa(o);return n=Y_(n),t.context===null?t.context=n:t.pendingContext=n,t=Bi(i,s),t.payload={element:e},r=r===void 0?null:r,r!==null&&(t.callback=r),e=Ma(o,t,s),e!==null&&(To(e,o,s,i),Ph(e,o,s)),s}function L1(e){if(e=e.current,!e.child)return null;switch(e.child.tag){case 5:return e.child.stateNode;default:return e.child.stateNode}}function Xx(e,t){if(e=e.memoizedState,e!==null&&e.dehydrated!==null){var n=e.retryLane;e.retryLane=n!==0&&n<t?n:t}}function W4(e,t){Xx(e,t),(e=e.alternate)&&Xx(e,t)}function l$(){return null}var Q_=typeof reportError=="function"?reportError:function(e){console.error(e)};function H4(e){this._internalRoot=e}_0.prototype.render=H4.prototype.render=function(e){var t=this._internalRoot;if(t===null)throw Error(le(409));C0(e,t,null,null)};_0.prototype.unmount=H4.prototype.unmount=function(){var e=this._internalRoot;if(e!==null){this._internalRoot=null;var t=e.containerInfo;Ms(function(){C0(null,e,null,null)}),t[Vi]=null}};function _0(e){this._internalRoot=e}_0.prototype.unstable_scheduleHydration=function(e){if(e){var t=PC();e={blockedOn:null,target:e,priority:t};for(var n=0;n<ya.length&&t!==0&&t<ya[n].priority;n++);ya.splice(n,0,e),n===0&&TC(e)}};function j4(e){return!(!e||e.nodeType!==1&&e.nodeType!==9&&e.nodeType!==11)}function k0(e){return!(!e||e.nodeType!==1&&e.nodeType!==9&&e.nodeType!==11&&(e.nodeType!==8||e.nodeValue!==" react-mount-point-unstable "))}function Qx(){}function u$(e,t,n,r,o){if(o){if(typeof r=="function"){var i=r;r=function(){var f=L1(s);i.call(f)}}var s=X_(t,r,e,0,null,!1,!1,"",Qx);return e._reactRootContainer=s,e[Vi]=s.current,pf(e.nodeType===8?e.parentNode:e),Ms(),s}for(;o=e.lastChild;)e.removeChild(o);if(typeof r=="function"){var u=r;r=function(){var f=L1(c);u.call(f)}}var c=V4(e,0,!1,null,null,!1,!1,"",Qx);return e._reactRootContainer=c,e[Vi]=c.current,pf(e.nodeType===8?e.parentNode:e),Ms(function(){C0(t,c,n,r)}),c}function E0(e,t,n,r,o){var i=n._reactRootContainer;if(i){var s=i;if(typeof o=="function"){var u=o;o=function(){var c=L1(s);u.call(c)}}C0(t,s,e,o)}else s=u$(n,t,e,o,r);return L1(s)}EC=function(e){switch(e.tag){case 3:var t=e.stateNode;if(t.current.memoizedState.isDehydrated){var n=Pc(t.pendingLanes);n!==0&&(u4(t,n|1),vr(t,tn()),(et&6)===0&&(cu=tn()+500,Ga()))}break;case 13:Ms(function(){var r=Wi(e,1);if(r!==null){var o=tr();To(r,e,1,o)}}),W4(e,1)}};c4=function(e){if(e.tag===13){var t=Wi(e,134217728);if(t!==null){var n=tr();To(t,e,134217728,n)}W4(e,134217728)}};LC=function(e){if(e.tag===13){var t=Oa(e),n=Wi(e,t);if(n!==null){var r=tr();To(n,e,t,r)}W4(e,t)}};PC=function(){return gt};AC=function(e,t){var n=gt;try{return gt=e,t()}finally{gt=n}};j2=function(e,t,n){switch(t){case"input":if(z2(e,n),t=n.name,n.type==="radio"&&t!=null){for(n=e;n.parentNode;)n=n.parentNode;for(n=n.querySelectorAll("input[name="+JSON.stringify(""+t)+'][type="radio"]'),t=0;t<n.length;t++){var r=n[t];if(r!==e&&r.form===e.form){var o=g0(r);if(!o)throw Error(le(90));aC(r),z2(r,o)}}}break;case"textarea":lC(e,n);break;case"select":t=n.value,t!=null&&Hl(e,!!n.multiple,t,!1)}};mC=z4;gC=Ms;var c$={usingClientEntryPoint:!1,Events:[Jf,Il,g0,pC,hC,z4]},vc={findFiberByHostInstance:gs,bundleType:0,version:"18.2.0",rendererPackageName:"react-dom"},f$={bundleType:vc.bundleType,version:vc.version,rendererPackageName:vc.rendererPackageName,rendererConfig:vc.rendererConfig,overrideHookState:null,overrideHookStateDeletePath:null,overrideHookStateRenamePath:null,overrideProps:null,overridePropsDeletePath:null,overridePropsRenamePath:null,setErrorHandler:null,setSuspenseHandler:null,scheduleUpdate:null,currentDispatcherRef:qi.ReactCurrentDispatcher,findHostInstanceByFiber:function(e){return e=bC(e),e===null?null:e.stateNode},findFiberByHostInstance:vc.findFiberByHostInstance||l$,findHostInstancesForRefresh:null,scheduleRefresh:null,scheduleRoot:null,setRefreshHandler:null,getCurrentFiber:null,reconcilerVersion:"18.2.0-next-9e3b772b8-20220608"};if(typeof __REACT_DEVTOOLS_GLOBAL_HOOK__<"u"){var Gp=__REACT_DEVTOOLS_GLOBAL_HOOK__;if(!Gp.isDisabled&&Gp.supportsFiber)try{d0=Gp.inject(f$),Qo=Gp}catch{}}Br.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=c$;Br.createPortal=function(e,t){var n=2<arguments.length&&arguments[2]!==void 0?arguments[2]:null;if(!j4(t))throw Error(le(200));return s$(e,t,null,n)};Br.createRoot=function(e,t){if(!j4(e))throw Error(le(299));var n=!1,r="",o=Q_;return t!=null&&(t.unstable_strictMode===!0&&(n=!0),t.identifierPrefix!==void 0&&(r=t.identifierPrefix),t.onRecoverableError!==void 0&&(o=t.onRecoverableError)),t=V4(e,1,!1,null,null,n,!1,r,o),e[Vi]=t.current,pf(e.nodeType===8?e.parentNode:e),new H4(t)};Br.findDOMNode=function(e){if(e==null)return null;if(e.nodeType===1)return e;var t=e._reactInternals;if(t===void 0)throw typeof e.render=="function"?Error(le(188)):(e=Object.keys(e).join(","),Error(le(268,e)));return e=bC(t),e=e===null?null:e.stateNode,e};Br.flushSync=function(e){return Ms(e)};Br.hydrate=function(e,t,n){if(!k0(t))throw Error(le(200));return E0(null,e,t,!0,n)};Br.hydrateRoot=function(e,t,n){if(!j4(e))throw Error(le(405));var r=n!=null&&n.hydratedSources||null,o=!1,i="",s=Q_;if(n!=null&&(n.unstable_strictMode===!0&&(o=!0),n.identifierPrefix!==void 0&&(i=n.identifierPrefix),n.onRecoverableError!==void 0&&(s=n.onRecoverableError)),t=X_(t,null,e,1,n??null,o,!1,i,s),e[Vi]=t.current,pf(e),r)for(e=0;e<r.length;e++)n=r[e],o=n._getVersion,o=o(n._source),t.mutableSourceEagerHydrationData==null?t.mutableSourceEagerHydrationData=[n,o]:t.mutableSourceEagerHydrationData.push(n,o);return new _0(t)};Br.render=function(e,t,n){if(!k0(t))throw Error(le(200));return E0(null,e,t,!1,n)};Br.unmountComponentAtNode=function(e){if(!k0(e))throw Error(le(40));return e._reactRootContainer?(Ms(function(){E0(null,null,e,!1,function(){e._reactRootContainer=null,e[Vi]=null})}),!0):!1};Br.unstable_batchedUpdates=z4;Br.unstable_renderSubtreeIntoContainer=function(e,t,n,r){if(!k0(n))throw Error(le(200));if(e==null||e._reactInternals===void 0)throw Error(le(38));return E0(e,t,n,!1,r)};Br.version="18.2.0-next-9e3b772b8-20220608";(function(e){function t(){if(!(typeof __REACT_DEVTOOLS_GLOBAL_HOOK__>"u"||typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE!="function"))try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(t)}catch(n){console.error(n)}}t(),e.exports=Br})(wu);var Jx=wu.exports;T2.createRoot=Jx.createRoot,T2.hydrateRoot=Jx.hydrateRoot;var ei=Boolean(globalThis?.document)?C.exports.useLayoutEffect:C.exports.useEffect,L0={exports:{}},P0={};/** - * @license React - * react-jsx-runtime.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var d$=C.exports,p$=Symbol.for("react.element"),h$=Symbol.for("react.fragment"),m$=Object.prototype.hasOwnProperty,g$=d$.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ReactCurrentOwner,v$={key:!0,ref:!0,__self:!0,__source:!0};function J_(e,t,n){var r,o={},i=null,s=null;n!==void 0&&(i=""+n),t.key!==void 0&&(i=""+t.key),t.ref!==void 0&&(s=t.ref);for(r in t)m$.call(t,r)&&!v$.hasOwnProperty(r)&&(o[r]=t[r]);if(e&&e.defaultProps)for(r in t=e.defaultProps,t)o[r]===void 0&&(o[r]=t[r]);return{$$typeof:p$,type:e,key:i,ref:s,props:o,_owner:g$.current}}P0.Fragment=h$;P0.jsx=J_;P0.jsxs=J_;(function(e){e.exports=P0})(L0);const Mn=L0.exports.Fragment,y=L0.exports.jsx,X=L0.exports.jsxs;var U4=C.exports.createContext({});U4.displayName="ColorModeContext";function A0(){const e=C.exports.useContext(U4);if(e===void 0)throw new Error("useColorMode must be used within a ColorModeProvider");return e}function Bv(e,t){const{colorMode:n}=A0();return n==="dark"?t:e}var Zp={light:"chakra-ui-light",dark:"chakra-ui-dark"};function y$(e={}){const{preventTransition:t=!0}=e,n={setDataset:r=>{const o=t?n.preventTransition():void 0;document.documentElement.dataset.theme=r,document.documentElement.style.colorScheme=r,o?.()},setClassName(r){document.body.classList.add(r?Zp.dark:Zp.light),document.body.classList.remove(r?Zp.light:Zp.dark)},query(){return window.matchMedia("(prefers-color-scheme: dark)")},getSystemTheme(r){return n.query().matches??r==="dark"?"dark":"light"},addListener(r){const o=n.query(),i=s=>{r(s.matches?"dark":"light")};return typeof o.addListener=="function"?o.addListener(i):o.addEventListener("change",i),()=>{typeof o.removeListener=="function"?o.removeListener(i):o.removeEventListener("change",i)}},preventTransition(){const r=document.createElement("style");return r.appendChild(document.createTextNode("*{-webkit-transition:none!important;-moz-transition:none!important;-o-transition:none!important;-ms-transition:none!important;transition:none!important}")),document.head.appendChild(r),()=>{window.getComputedStyle(document.body),requestAnimationFrame(()=>{requestAnimationFrame(()=>{document.head.removeChild(r)})})}}};return n}var b$="chakra-ui-color-mode";function x$(e){return{ssr:!1,type:"localStorage",get(t){if(!globalThis?.document)return t;let n;try{n=localStorage.getItem(e)||t}catch{}return n||t},set(t){try{localStorage.setItem(e,t)}catch{}}}}var S$=x$(b$),eS=()=>{};function tS(e,t){return e.type==="cookie"&&e.ssr?e.get(t):t}function ek(e){const{value:t,children:n,options:{useSystemColorMode:r,initialColorMode:o,disableTransitionOnChange:i}={},colorModeManager:s=S$}=e,u=o==="dark"?"dark":"light",[c,f]=C.exports.useState(()=>tS(s,u)),[p,h]=C.exports.useState(()=>tS(s)),{getSystemTheme:m,setClassName:g,setDataset:b,addListener:S}=C.exports.useMemo(()=>y$({preventTransition:i}),[i]),E=o==="system"&&!c?p:c,w=C.exports.useCallback(L=>{const T=L==="system"?m():L;f(T),g(T==="dark"),b(T),s.set(T)},[s,m,g,b]);ei(()=>{o==="system"&&h(m())},[]),C.exports.useEffect(()=>{const L=s.get();if(L){w(L);return}if(o==="system"){w("system");return}w(u)},[s,u,o,w]);const x=C.exports.useCallback(()=>{w(E==="dark"?"light":"dark")},[E,w]);C.exports.useEffect(()=>{if(!!r)return S(w)},[r,S,w]);const _=C.exports.useMemo(()=>({colorMode:t??E,toggleColorMode:t?eS:x,setColorMode:t?eS:w}),[E,x,w,t]);return y(U4.Provider,{value:_,children:n})}ek.displayName="ColorModeProvider";var w$=new Set(["dark","light","system"]);function C$(e){let t=e;return w$.has(t)||(t="light"),t}function _$(e={}){const{initialColorMode:t="light",type:n="localStorage",storageKey:r="chakra-ui-color-mode"}=e,o=C$(t),i=n==="cookie",s=`(function(){try{var a=function(o){var l="(prefers-color-scheme: dark)",v=window.matchMedia(l).matches?"dark":"light",e=o==="system"?v:o,d=document.documentElement,m=document.body,i="chakra-ui-light",n="chakra-ui-dark",s=e==="dark";return m.classList.add(s?n:i),m.classList.remove(s?i:n),d.style.colorScheme=e,d.dataset.theme=e,e},u=a,h="${o}",r="${r}",t=document.cookie.match(new RegExp("(^| )".concat(r,"=([^;]+)"))),c=t?t[2]:null;c?a(c):document.cookie="".concat(r,"=").concat(a(h),"; max-age=31536000; path=/")}catch(a){}})(); - `,u=`(function(){try{var a=function(c){var v="(prefers-color-scheme: dark)",h=window.matchMedia(v).matches?"dark":"light",r=c==="system"?h:c,o=document.documentElement,s=document.body,l="chakra-ui-light",d="chakra-ui-dark",i=r==="dark";return s.classList.add(i?d:l),s.classList.remove(i?l:d),o.style.colorScheme=r,o.dataset.theme=r,r},n=a,m="${o}",e="${r}",t=localStorage.getItem(e);t?a(t):localStorage.setItem(e,a(m))}catch(a){}})(); - `;return`!${i?s:u}`.trim()}function k$(e={}){return y("script",{id:"chakra-script",dangerouslySetInnerHTML:{__html:_$(e)}})}var Cy={exports:{}};(function(e,t){var n=200,r="__lodash_hash_undefined__",o=800,i=16,s=9007199254740991,u="[object Arguments]",c="[object Array]",f="[object AsyncFunction]",p="[object Boolean]",h="[object Date]",m="[object Error]",g="[object Function]",b="[object GeneratorFunction]",S="[object Map]",E="[object Number]",w="[object Null]",x="[object Object]",_="[object Proxy]",L="[object RegExp]",T="[object Set]",O="[object String]",N="[object Undefined]",F="[object WeakMap]",q="[object ArrayBuffer]",W="[object DataView]",J="[object Float32Array]",ve="[object Float64Array]",xe="[object Int8Array]",he="[object Int16Array]",fe="[object Int32Array]",me="[object Uint8Array]",ne="[object Uint8ClampedArray]",H="[object Uint16Array]",K="[object Uint32Array]",Z=/[\\^$.*+?()[\]{}|]/g,M=/^\[object .+?Constructor\]$/,j=/^(?:0|[1-9]\d*)$/,se={};se[J]=se[ve]=se[xe]=se[he]=se[fe]=se[me]=se[ne]=se[H]=se[K]=!0,se[u]=se[c]=se[q]=se[p]=se[W]=se[h]=se[m]=se[g]=se[S]=se[E]=se[x]=se[L]=se[T]=se[O]=se[F]=!1;var ce=typeof Oi=="object"&&Oi&&Oi.Object===Object&&Oi,ye=typeof self=="object"&&self&&self.Object===Object&&self,be=ce||ye||Function("return this")(),Le=t&&!t.nodeType&&t,de=Le&&!0&&e&&!e.nodeType&&e,_e=de&&de.exports===Le,De=_e&&ce.process,st=function(){try{var I=de&&de.require&&de.require("util").types;return I||De&&De.binding&&De.binding("util")}catch{}}(),Tt=st&&st.isTypedArray;function hn(I,z,U){switch(U.length){case 0:return I.call(z);case 1:return I.call(z,U[0]);case 2:return I.call(z,U[0],U[1]);case 3:return I.call(z,U[0],U[1],U[2])}return I.apply(z,U)}function Se(I,z){for(var U=-1,we=Array(I);++U<I;)we[U]=z(U);return we}function Ie(I){return function(z){return I(z)}}function tt(I,z){return I?.[z]}function ze(I,z){return function(U){return I(z(U))}}var Bt=Array.prototype,mn=Function.prototype,lt=Object.prototype,Ct=be["__core-js_shared__"],Xt=mn.toString,Ut=lt.hasOwnProperty,pe=function(){var I=/[^.]+$/.exec(Ct&&Ct.keys&&Ct.keys.IE_PROTO||"");return I?"Symbol(src)_1."+I:""}(),Ee=lt.toString,pt=Xt.call(Object),ut=RegExp("^"+Xt.call(Ut).replace(Z,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),ie=_e?be.Buffer:void 0,Ge=be.Symbol,Et=be.Uint8Array,wn=ie?ie.allocUnsafe:void 0,On=ze(Object.getPrototypeOf,Object),wr=Object.create,Oo=lt.propertyIsEnumerable,hi=Bt.splice,jn=Ge?Ge.toStringTag:void 0,Hr=function(){try{var I=Ks(Object,"defineProperty");return I({},"",{}),I}catch{}}(),Ya=ie?ie.isBuffer:void 0,Us=Math.max,Rm=Date.now,Du=Ks(be,"Map"),Yi=Ks(Object,"create"),Om=function(){function I(){}return function(z){if(!ho(z))return{};if(wr)return wr(z);I.prototype=z;var U=new I;return I.prototype=void 0,U}}();function mi(I){var z=-1,U=I==null?0:I.length;for(this.clear();++z<U;){var we=I[z];this.set(we[0],we[1])}}function Nm(){this.__data__=Yi?Yi(null):{},this.size=0}function Dm(I){var z=this.has(I)&&delete this.__data__[I];return this.size-=z?1:0,z}function Cd(I){var z=this.__data__;if(Yi){var U=z[I];return U===r?void 0:U}return Ut.call(z,I)?z[I]:void 0}function zm(I){var z=this.__data__;return Yi?z[I]!==void 0:Ut.call(z,I)}function Fm(I,z){var U=this.__data__;return this.size+=this.has(I)?0:1,U[I]=Yi&&z===void 0?r:z,this}mi.prototype.clear=Nm,mi.prototype.delete=Dm,mi.prototype.get=Cd,mi.prototype.has=zm,mi.prototype.set=Fm;function po(I){var z=-1,U=I==null?0:I.length;for(this.clear();++z<U;){var we=I[z];this.set(we[0],we[1])}}function zu(){this.__data__=[],this.size=0}function Bm(I){var z=this.__data__,U=vi(z,I);if(U<0)return!1;var we=z.length-1;return U==we?z.pop():hi.call(z,U,1),--this.size,!0}function Fu(I){var z=this.__data__,U=vi(z,I);return U<0?void 0:z[U][1]}function $m(I){return vi(this.__data__,I)>-1}function Vm(I,z){var U=this.__data__,we=vi(U,I);return we<0?(++this.size,U.push([I,z])):U[we][1]=z,this}po.prototype.clear=zu,po.prototype.delete=Bm,po.prototype.get=Fu,po.prototype.has=$m,po.prototype.set=Vm;function Xi(I){var z=-1,U=I==null?0:I.length;for(this.clear();++z<U;){var we=I[z];this.set(we[0],we[1])}}function Wm(){this.size=0,this.__data__={hash:new mi,map:new(Du||po),string:new mi}}function Hm(I){var z=qs(this,I).delete(I);return this.size-=z?1:0,z}function jm(I){return qs(this,I).get(I)}function Um(I){return qs(this,I).has(I)}function Gm(I,z){var U=qs(this,I),we=U.size;return U.set(I,z),this.size+=U.size==we?0:1,this}Xi.prototype.clear=Wm,Xi.prototype.delete=Hm,Xi.prototype.get=jm,Xi.prototype.has=Um,Xi.prototype.set=Gm;function gi(I){var z=this.__data__=new po(I);this.size=z.size}function Zm(){this.__data__=new po,this.size=0}function qm(I){var z=this.__data__,U=z.delete(I);return this.size=z.size,U}function Km(I){return this.__data__.get(I)}function Ym(I){return this.__data__.has(I)}function Xm(I,z){var U=this.__data__;if(U instanceof po){var we=U.__data__;if(!Du||we.length<n-1)return we.push([I,z]),this.size=++U.size,this;U=this.__data__=new Xi(we)}return U.set(I,z),this.size=U.size,this}gi.prototype.clear=Zm,gi.prototype.delete=qm,gi.prototype.get=Km,gi.prototype.has=Ym,gi.prototype.set=Xm;function Qm(I,z){var U=Gu(I),we=!U&&Uu(I),Ze=!U&&!we&&$d(I),ht=!U&&!we&&!Ze&&Wd(I),$e=U||we||Ze||ht,He=$e?Se(I.length,String):[],nt=He.length;for(var Un in I)(z||Ut.call(I,Un))&&!($e&&(Un=="length"||Ze&&(Un=="offset"||Un=="parent")||ht&&(Un=="buffer"||Un=="byteLength"||Un=="byteOffset")||Rd(Un,nt)))&&He.push(Un);return He}function Qi(I,z,U){(U!==void 0&&!Xs(I[z],U)||U===void 0&&!(z in I))&&Bu(I,z,U)}function Jm(I,z,U){var we=I[z];(!(Ut.call(I,z)&&Xs(we,U))||U===void 0&&!(z in I))&&Bu(I,z,U)}function vi(I,z){for(var U=I.length;U--;)if(Xs(I[U][0],z))return U;return-1}function Bu(I,z,U){z=="__proto__"&&Hr?Hr(I,z,{configurable:!0,enumerable:!0,value:U,writable:!0}):I[z]=U}var eg=Id();function Gs(I){return I==null?I===void 0?N:w:jn&&jn in Object(I)?Md(I):Dd(I)}function $u(I){return Xa(I)&&Gs(I)==u}function _d(I){if(!ho(I)||ju(I))return!1;var z=Zu(I)?ut:M;return z.test(Bd(I))}function kd(I){return Xa(I)&&Vd(I.length)&&!!se[Gs(I)]}function tg(I){if(!ho(I))return Nd(I);var z=yi(I),U=[];for(var we in I)we=="constructor"&&(z||!Ut.call(I,we))||U.push(we);return U}function Ed(I,z,U,we,Ze){I!==z&&eg(z,function(ht,$e){if(Ze||(Ze=new gi),ho(ht))ng(I,z,$e,U,Ed,we,Ze);else{var He=we?we(Ys(I,$e),ht,$e+"",I,z,Ze):void 0;He===void 0&&(He=ht),Qi(I,$e,He)}},Hd)}function ng(I,z,U,we,Ze,ht,$e){var He=Ys(I,U),nt=Ys(z,U),Un=$e.get(nt);if(Un){Qi(I,U,Un);return}var Cn=ht?ht(He,nt,U+"",I,z,$e):void 0,gn=Cn===void 0;if(gn){var Js=Gu(nt),el=!Js&&$d(nt),qu=!Js&&!el&&Wd(nt);Cn=nt,Js||el||qu?Gu(He)?Cn=He:ag(He)?Cn=og(He):el?(gn=!1,Cn=Pd(nt,!0)):qu?(gn=!1,Cn=Vu(nt,!0)):Cn=[]:sg(nt)||Uu(nt)?(Cn=He,Uu(He)?Cn=lg(He):(!ho(He)||Zu(He))&&(Cn=Wu(nt))):gn=!1}gn&&($e.set(nt,Cn),Ze(Cn,nt,we,ht,$e),$e.delete(nt)),Qi(I,U,Cn)}function rg(I,z){return zd(ig(I,z,jd),I+"")}var Ld=Hr?function(I,z){return Hr(I,"toString",{configurable:!0,enumerable:!1,value:St(z),writable:!0})}:jd;function Pd(I,z){if(z)return I.slice();var U=I.length,we=wn?wn(U):new I.constructor(U);return I.copy(we),we}function Ad(I){var z=new I.constructor(I.byteLength);return new Et(z).set(new Et(I)),z}function Vu(I,z){var U=z?Ad(I.buffer):I.buffer;return new I.constructor(U,I.byteOffset,I.length)}function og(I,z){var U=-1,we=I.length;for(z||(z=Array(we));++U<we;)z[U]=I[U];return z}function Td(I,z,U,we){var Ze=!U;U||(U={});for(var ht=-1,$e=z.length;++ht<$e;){var He=z[ht],nt=we?we(U[He],I[He],He,U,I):void 0;nt===void 0&&(nt=I[He]),Ze?Bu(U,He,nt):Jm(U,He,nt)}return U}function Zs(I){return rg(function(z,U){var we=-1,Ze=U.length,ht=Ze>1?U[Ze-1]:void 0,$e=Ze>2?U[2]:void 0;for(ht=I.length>3&&typeof ht=="function"?(Ze--,ht):void 0,$e&&Od(U[0],U[1],$e)&&(ht=Ze<3?void 0:ht,Ze=1),z=Object(z);++we<Ze;){var He=U[we];He&&I(z,He,we,ht)}return z})}function Id(I){return function(z,U,we){for(var Ze=-1,ht=Object(z),$e=we(z),He=$e.length;He--;){var nt=$e[I?He:++Ze];if(U(ht[nt],nt,ht)===!1)break}return z}}function qs(I,z){var U=I.__data__;return Hu(z)?U[typeof z=="string"?"string":"hash"]:U.map}function Ks(I,z){var U=tt(I,z);return _d(U)?U:void 0}function Md(I){var z=Ut.call(I,jn),U=I[jn];try{I[jn]=void 0;var we=!0}catch{}var Ze=Ee.call(I);return we&&(z?I[jn]=U:delete I[jn]),Ze}function Wu(I){return typeof I.constructor=="function"&&!yi(I)?Om(On(I)):{}}function Rd(I,z){var U=typeof I;return z=z??s,!!z&&(U=="number"||U!="symbol"&&j.test(I))&&I>-1&&I%1==0&&I<z}function Od(I,z,U){if(!ho(U))return!1;var we=typeof z;return(we=="number"?Qs(U)&&Rd(z,U.length):we=="string"&&z in U)?Xs(U[z],I):!1}function Hu(I){var z=typeof I;return z=="string"||z=="number"||z=="symbol"||z=="boolean"?I!=="__proto__":I===null}function ju(I){return!!pe&&pe in I}function yi(I){var z=I&&I.constructor,U=typeof z=="function"&&z.prototype||lt;return I===U}function Nd(I){var z=[];if(I!=null)for(var U in Object(I))z.push(U);return z}function Dd(I){return Ee.call(I)}function ig(I,z,U){return z=Us(z===void 0?I.length-1:z,0),function(){for(var we=arguments,Ze=-1,ht=Us(we.length-z,0),$e=Array(ht);++Ze<ht;)$e[Ze]=we[z+Ze];Ze=-1;for(var He=Array(z+1);++Ze<z;)He[Ze]=we[Ze];return He[z]=U($e),hn(I,this,He)}}function Ys(I,z){if(!(z==="constructor"&&typeof I[z]=="function")&&z!="__proto__")return I[z]}var zd=Fd(Ld);function Fd(I){var z=0,U=0;return function(){var we=Rm(),Ze=i-(we-U);if(U=we,Ze>0){if(++z>=o)return arguments[0]}else z=0;return I.apply(void 0,arguments)}}function Bd(I){if(I!=null){try{return Xt.call(I)}catch{}try{return I+""}catch{}}return""}function Xs(I,z){return I===z||I!==I&&z!==z}var Uu=$u(function(){return arguments}())?$u:function(I){return Xa(I)&&Ut.call(I,"callee")&&!Oo.call(I,"callee")},Gu=Array.isArray;function Qs(I){return I!=null&&Vd(I.length)&&!Zu(I)}function ag(I){return Xa(I)&&Qs(I)}var $d=Ya||ug;function Zu(I){if(!ho(I))return!1;var z=Gs(I);return z==g||z==b||z==f||z==_}function Vd(I){return typeof I=="number"&&I>-1&&I%1==0&&I<=s}function ho(I){var z=typeof I;return I!=null&&(z=="object"||z=="function")}function Xa(I){return I!=null&&typeof I=="object"}function sg(I){if(!Xa(I)||Gs(I)!=x)return!1;var z=On(I);if(z===null)return!0;var U=Ut.call(z,"constructor")&&z.constructor;return typeof U=="function"&&U instanceof U&&Xt.call(U)==pt}var Wd=Tt?Ie(Tt):kd;function lg(I){return Td(I,Hd(I))}function Hd(I){return Qs(I)?Qm(I,!0):tg(I)}var _t=Zs(function(I,z,U,we){Ed(I,z,U,we)});function St(I){return function(){return I}}function jd(I){return I}function ug(){return!1}e.exports=_t})(Cy,Cy.exports);const Ba=Cy.exports;function Xo(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}function Fl(e,...t){return E$(e)?e(...t):e}var E$=e=>typeof e=="function",L$=e=>/!(important)?$/.test(e),nS=e=>typeof e=="string"?e.replace(/!(important)?$/,"").trim():e,_y=(e,t)=>n=>{const r=String(t),o=L$(r),i=nS(r),s=e?`${e}.${i}`:i;let u=Xo(n.__cssMap)&&s in n.__cssMap?n.__cssMap[s].varRef:t;return u=nS(u),o?`${u} !important`:u};function wf(e){const{scale:t,transform:n,compose:r}=e;return(i,s)=>{const u=_y(t,i)(s);let c=n?.(u,s)??u;return r&&(c=r(c,s)),c}}var qp=(...e)=>t=>e.reduce((n,r)=>r(n),t);function xo(e,t){return n=>{const r={property:n,scale:e};return r.transform=wf({scale:e,transform:t}),r}}var P$=({rtl:e,ltr:t})=>n=>n.direction==="rtl"?e:t;function A$(e){const{property:t,scale:n,transform:r}=e;return{scale:n,property:P$(t),transform:n?wf({scale:n,compose:r}):r}}var tk=["rotate(var(--chakra-rotate, 0))","scaleX(var(--chakra-scale-x, 1))","scaleY(var(--chakra-scale-y, 1))","skewX(var(--chakra-skew-x, 0))","skewY(var(--chakra-skew-y, 0))"];function T$(){return["translateX(var(--chakra-translate-x, 0))","translateY(var(--chakra-translate-y, 0))",...tk].join(" ")}function I$(){return["translate3d(var(--chakra-translate-x, 0), var(--chakra-translate-y, 0), 0)",...tk].join(" ")}var M$={"--chakra-blur":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-brightness":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-contrast":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-grayscale":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-hue-rotate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-invert":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-saturate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-sepia":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-drop-shadow":"var(--chakra-empty,/*!*/ /*!*/)",filter:["var(--chakra-blur)","var(--chakra-brightness)","var(--chakra-contrast)","var(--chakra-grayscale)","var(--chakra-hue-rotate)","var(--chakra-invert)","var(--chakra-saturate)","var(--chakra-sepia)","var(--chakra-drop-shadow)"].join(" ")},R$={backdropFilter:["var(--chakra-backdrop-blur)","var(--chakra-backdrop-brightness)","var(--chakra-backdrop-contrast)","var(--chakra-backdrop-grayscale)","var(--chakra-backdrop-hue-rotate)","var(--chakra-backdrop-invert)","var(--chakra-backdrop-opacity)","var(--chakra-backdrop-saturate)","var(--chakra-backdrop-sepia)"].join(" "),"--chakra-backdrop-blur":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-brightness":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-contrast":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-grayscale":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-hue-rotate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-invert":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-opacity":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-saturate":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-backdrop-sepia":"var(--chakra-empty,/*!*/ /*!*/)"};function O$(e){return{"--chakra-ring-offset-shadow":"var(--chakra-ring-inset) 0 0 0 var(--chakra-ring-offset-width) var(--chakra-ring-offset-color)","--chakra-ring-shadow":"var(--chakra-ring-inset) 0 0 0 calc(var(--chakra-ring-width) + var(--chakra-ring-offset-width)) var(--chakra-ring-color)","--chakra-ring-width":e,boxShadow:["var(--chakra-ring-offset-shadow)","var(--chakra-ring-shadow)","var(--chakra-shadow, 0 0 #0000)"].join(", ")}}var N$={"row-reverse":{space:"--chakra-space-x-reverse",divide:"--chakra-divide-x-reverse"},"column-reverse":{space:"--chakra-space-y-reverse",divide:"--chakra-divide-y-reverse"}},nk="& > :not(style) ~ :not(style)",D$={[nk]:{marginInlineStart:"calc(var(--chakra-space-x) * calc(1 - var(--chakra-space-x-reverse)))",marginInlineEnd:"calc(var(--chakra-space-x) * var(--chakra-space-x-reverse))"}},z$={[nk]:{marginTop:"calc(var(--chakra-space-y) * calc(1 - var(--chakra-space-y-reverse)))",marginBottom:"calc(var(--chakra-space-y) * var(--chakra-space-y-reverse))"}},ky={"to-t":"to top","to-tr":"to top right","to-r":"to right","to-br":"to bottom right","to-b":"to bottom","to-bl":"to bottom left","to-l":"to left","to-tl":"to top left"},F$=new Set(Object.values(ky)),rk=new Set(["none","-moz-initial","inherit","initial","revert","unset"]),B$=e=>e.trim();function $$(e,t){var n;if(e==null||rk.has(e))return e;const r=/(?<type>^[a-z-A-Z]+)\((?<values>(.*))\)/g,{type:o,values:i}=((n=r.exec(e))==null?void 0:n.groups)??{};if(!o||!i)return e;const s=o.includes("-gradient")?o:`${o}-gradient`,[u,...c]=i.split(",").map(B$).filter(Boolean);if(c?.length===0)return e;const f=u in ky?ky[u]:u;c.unshift(f);const p=c.map(h=>{if(F$.has(h))return h;const m=h.indexOf(" "),[g,b]=m!==-1?[h.substr(0,m),h.substr(m+1)]:[h],S=ok(b)?b:b&&b.split(" "),E=`colors.${g}`,w=E in t.__cssMap?t.__cssMap[E].varRef:g;return S?[w,...Array.isArray(S)?S:[S]].join(" "):w});return`${s}(${p.join(", ")})`}var ok=e=>typeof e=="string"&&e.includes("(")&&e.includes(")"),V$=(e,t)=>$$(e,t??{});function W$(e){return/^var\(--.+\)$/.test(e)}var H$=e=>{const t=parseFloat(e.toString()),n=e.toString().replace(String(t),"");return{unitless:!n,value:t,unit:n}},Bo=e=>t=>`${e}(${t})`,Je={filter(e){return e!=="auto"?e:M$},backdropFilter(e){return e!=="auto"?e:R$},ring(e){return O$(Je.px(e))},bgClip(e){return e==="text"?{color:"transparent",backgroundClip:"text"}:{backgroundClip:e}},transform(e){return e==="auto"?T$():e==="auto-gpu"?I$():e},vh(e){return e==="$100vh"?"var(--chakra-vh)":e},px(e){if(e==null)return e;const{unitless:t}=H$(e);return t||typeof e=="number"?`${e}px`:e},fraction(e){return typeof e!="number"||e>1?e:`${e*100}%`},float(e,t){const n={left:"right",right:"left"};return t.direction==="rtl"?n[e]:e},degree(e){if(W$(e)||e==null)return e;const t=typeof e=="string"&&!e.endsWith("deg");return typeof e=="number"||t?`${e}deg`:e},gradient:V$,blur:Bo("blur"),opacity:Bo("opacity"),brightness:Bo("brightness"),contrast:Bo("contrast"),dropShadow:Bo("drop-shadow"),grayscale:Bo("grayscale"),hueRotate:Bo("hue-rotate"),invert:Bo("invert"),saturate:Bo("saturate"),sepia:Bo("sepia"),bgImage(e){return e==null||ok(e)||rk.has(e)?e:`url(${e})`},outline(e){const t=String(e)==="0"||String(e)==="none";return e!==null&&t?{outline:"2px solid transparent",outlineOffset:"2px"}:{outline:e}},flexDirection(e){const{space:t,divide:n}=N$[e]??{},r={flexDirection:e};return t&&(r[t]=1),n&&(r[n]=1),r}},B={borderWidths:xo("borderWidths"),borderStyles:xo("borderStyles"),colors:xo("colors"),borders:xo("borders"),radii:xo("radii",Je.px),space:xo("space",qp(Je.vh,Je.px)),spaceT:xo("space",qp(Je.vh,Je.px)),degreeT(e){return{property:e,transform:Je.degree}},prop(e,t,n){return{property:e,scale:t,...t&&{transform:wf({scale:t,transform:n})}}},propT(e,t){return{property:e,transform:t}},sizes:xo("sizes",qp(Je.vh,Je.px)),sizesT:xo("sizes",qp(Je.vh,Je.fraction)),shadows:xo("shadows"),logical:A$,blur:xo("blur",Je.blur)},Nh={background:B.colors("background"),backgroundColor:B.colors("backgroundColor"),backgroundImage:B.propT("backgroundImage",Je.bgImage),backgroundSize:!0,backgroundPosition:!0,backgroundRepeat:!0,backgroundAttachment:!0,backgroundClip:{transform:Je.bgClip},bgSize:B.prop("backgroundSize"),bgPosition:B.prop("backgroundPosition"),bg:B.colors("background"),bgColor:B.colors("backgroundColor"),bgPos:B.prop("backgroundPosition"),bgRepeat:B.prop("backgroundRepeat"),bgAttachment:B.prop("backgroundAttachment"),bgGradient:B.propT("backgroundImage",Je.gradient),bgClip:{transform:Je.bgClip}};Object.assign(Nh,{bgImage:Nh.backgroundImage,bgImg:Nh.backgroundImage});var ot={border:B.borders("border"),borderWidth:B.borderWidths("borderWidth"),borderStyle:B.borderStyles("borderStyle"),borderColor:B.colors("borderColor"),borderRadius:B.radii("borderRadius"),borderTop:B.borders("borderTop"),borderBlockStart:B.borders("borderBlockStart"),borderTopLeftRadius:B.radii("borderTopLeftRadius"),borderStartStartRadius:B.logical({scale:"radii",property:{ltr:"borderTopLeftRadius",rtl:"borderTopRightRadius"}}),borderEndStartRadius:B.logical({scale:"radii",property:{ltr:"borderBottomLeftRadius",rtl:"borderBottomRightRadius"}}),borderTopRightRadius:B.radii("borderTopRightRadius"),borderStartEndRadius:B.logical({scale:"radii",property:{ltr:"borderTopRightRadius",rtl:"borderTopLeftRadius"}}),borderEndEndRadius:B.logical({scale:"radii",property:{ltr:"borderBottomRightRadius",rtl:"borderBottomLeftRadius"}}),borderRight:B.borders("borderRight"),borderInlineEnd:B.borders("borderInlineEnd"),borderBottom:B.borders("borderBottom"),borderBlockEnd:B.borders("borderBlockEnd"),borderBottomLeftRadius:B.radii("borderBottomLeftRadius"),borderBottomRightRadius:B.radii("borderBottomRightRadius"),borderLeft:B.borders("borderLeft"),borderInlineStart:{property:"borderInlineStart",scale:"borders"},borderInlineStartRadius:B.logical({scale:"radii",property:{ltr:["borderTopLeftRadius","borderBottomLeftRadius"],rtl:["borderTopRightRadius","borderBottomRightRadius"]}}),borderInlineEndRadius:B.logical({scale:"radii",property:{ltr:["borderTopRightRadius","borderBottomRightRadius"],rtl:["borderTopLeftRadius","borderBottomLeftRadius"]}}),borderX:B.borders(["borderLeft","borderRight"]),borderInline:B.borders("borderInline"),borderY:B.borders(["borderTop","borderBottom"]),borderBlock:B.borders("borderBlock"),borderTopWidth:B.borderWidths("borderTopWidth"),borderBlockStartWidth:B.borderWidths("borderBlockStartWidth"),borderTopColor:B.colors("borderTopColor"),borderBlockStartColor:B.colors("borderBlockStartColor"),borderTopStyle:B.borderStyles("borderTopStyle"),borderBlockStartStyle:B.borderStyles("borderBlockStartStyle"),borderBottomWidth:B.borderWidths("borderBottomWidth"),borderBlockEndWidth:B.borderWidths("borderBlockEndWidth"),borderBottomColor:B.colors("borderBottomColor"),borderBlockEndColor:B.colors("borderBlockEndColor"),borderBottomStyle:B.borderStyles("borderBottomStyle"),borderBlockEndStyle:B.borderStyles("borderBlockEndStyle"),borderLeftWidth:B.borderWidths("borderLeftWidth"),borderInlineStartWidth:B.borderWidths("borderInlineStartWidth"),borderLeftColor:B.colors("borderLeftColor"),borderInlineStartColor:B.colors("borderInlineStartColor"),borderLeftStyle:B.borderStyles("borderLeftStyle"),borderInlineStartStyle:B.borderStyles("borderInlineStartStyle"),borderRightWidth:B.borderWidths("borderRightWidth"),borderInlineEndWidth:B.borderWidths("borderInlineEndWidth"),borderRightColor:B.colors("borderRightColor"),borderInlineEndColor:B.colors("borderInlineEndColor"),borderRightStyle:B.borderStyles("borderRightStyle"),borderInlineEndStyle:B.borderStyles("borderInlineEndStyle"),borderTopRadius:B.radii(["borderTopLeftRadius","borderTopRightRadius"]),borderBottomRadius:B.radii(["borderBottomLeftRadius","borderBottomRightRadius"]),borderLeftRadius:B.radii(["borderTopLeftRadius","borderBottomLeftRadius"]),borderRightRadius:B.radii(["borderTopRightRadius","borderBottomRightRadius"])};Object.assign(ot,{rounded:ot.borderRadius,roundedTop:ot.borderTopRadius,roundedTopLeft:ot.borderTopLeftRadius,roundedTopRight:ot.borderTopRightRadius,roundedTopStart:ot.borderStartStartRadius,roundedTopEnd:ot.borderStartEndRadius,roundedBottom:ot.borderBottomRadius,roundedBottomLeft:ot.borderBottomLeftRadius,roundedBottomRight:ot.borderBottomRightRadius,roundedBottomStart:ot.borderEndStartRadius,roundedBottomEnd:ot.borderEndEndRadius,roundedLeft:ot.borderLeftRadius,roundedRight:ot.borderRightRadius,roundedStart:ot.borderInlineStartRadius,roundedEnd:ot.borderInlineEndRadius,borderStart:ot.borderInlineStart,borderEnd:ot.borderInlineEnd,borderTopStartRadius:ot.borderStartStartRadius,borderTopEndRadius:ot.borderStartEndRadius,borderBottomStartRadius:ot.borderEndStartRadius,borderBottomEndRadius:ot.borderEndEndRadius,borderStartRadius:ot.borderInlineStartRadius,borderEndRadius:ot.borderInlineEndRadius,borderStartWidth:ot.borderInlineStartWidth,borderEndWidth:ot.borderInlineEndWidth,borderStartColor:ot.borderInlineStartColor,borderEndColor:ot.borderInlineEndColor,borderStartStyle:ot.borderInlineStartStyle,borderEndStyle:ot.borderInlineEndStyle});var j$={color:B.colors("color"),textColor:B.colors("color"),fill:B.colors("fill"),stroke:B.colors("stroke")},Ey={boxShadow:B.shadows("boxShadow"),mixBlendMode:!0,blendMode:B.prop("mixBlendMode"),backgroundBlendMode:!0,bgBlendMode:B.prop("backgroundBlendMode"),opacity:!0};Object.assign(Ey,{shadow:Ey.boxShadow});var U$={filter:{transform:Je.filter},blur:B.blur("--chakra-blur"),brightness:B.propT("--chakra-brightness",Je.brightness),contrast:B.propT("--chakra-contrast",Je.contrast),hueRotate:B.degreeT("--chakra-hue-rotate"),invert:B.propT("--chakra-invert",Je.invert),saturate:B.propT("--chakra-saturate",Je.saturate),dropShadow:B.propT("--chakra-drop-shadow",Je.dropShadow),backdropFilter:{transform:Je.backdropFilter},backdropBlur:B.blur("--chakra-backdrop-blur"),backdropBrightness:B.propT("--chakra-backdrop-brightness",Je.brightness),backdropContrast:B.propT("--chakra-backdrop-contrast",Je.contrast),backdropHueRotate:B.degreeT("--chakra-backdrop-hue-rotate"),backdropInvert:B.propT("--chakra-backdrop-invert",Je.invert),backdropSaturate:B.propT("--chakra-backdrop-saturate",Je.saturate)},P1={alignItems:!0,alignContent:!0,justifyItems:!0,justifyContent:!0,flexWrap:!0,flexDirection:{transform:Je.flexDirection},experimental_spaceX:{static:D$,transform:wf({scale:"space",transform:e=>e!==null?{"--chakra-space-x":e}:null})},experimental_spaceY:{static:z$,transform:wf({scale:"space",transform:e=>e!=null?{"--chakra-space-y":e}:null})},flex:!0,flexFlow:!0,flexGrow:!0,flexShrink:!0,flexBasis:B.sizes("flexBasis"),justifySelf:!0,alignSelf:!0,order:!0,placeItems:!0,placeContent:!0,placeSelf:!0,gap:B.space("gap"),rowGap:B.space("rowGap"),columnGap:B.space("columnGap")};Object.assign(P1,{flexDir:P1.flexDirection});var ik={gridGap:B.space("gridGap"),gridColumnGap:B.space("gridColumnGap"),gridRowGap:B.space("gridRowGap"),gridColumn:!0,gridRow:!0,gridAutoFlow:!0,gridAutoColumns:!0,gridColumnStart:!0,gridColumnEnd:!0,gridRowStart:!0,gridRowEnd:!0,gridAutoRows:!0,gridTemplate:!0,gridTemplateColumns:!0,gridTemplateRows:!0,gridTemplateAreas:!0,gridArea:!0},G$={appearance:!0,cursor:!0,resize:!0,userSelect:!0,pointerEvents:!0,outline:{transform:Je.outline},outlineOffset:!0,outlineColor:B.colors("outlineColor")},Qr={width:B.sizesT("width"),inlineSize:B.sizesT("inlineSize"),height:B.sizes("height"),blockSize:B.sizes("blockSize"),boxSize:B.sizes(["width","height"]),minWidth:B.sizes("minWidth"),minInlineSize:B.sizes("minInlineSize"),minHeight:B.sizes("minHeight"),minBlockSize:B.sizes("minBlockSize"),maxWidth:B.sizes("maxWidth"),maxInlineSize:B.sizes("maxInlineSize"),maxHeight:B.sizes("maxHeight"),maxBlockSize:B.sizes("maxBlockSize"),overflow:!0,overflowX:!0,overflowY:!0,overscrollBehavior:!0,overscrollBehaviorX:!0,overscrollBehaviorY:!0,display:!0,verticalAlign:!0,boxSizing:!0,boxDecorationBreak:!0,float:B.propT("float",Je.float),objectFit:!0,objectPosition:!0,visibility:!0,isolation:!0};Object.assign(Qr,{w:Qr.width,h:Qr.height,minW:Qr.minWidth,maxW:Qr.maxWidth,minH:Qr.minHeight,maxH:Qr.maxHeight,overscroll:Qr.overscrollBehavior,overscrollX:Qr.overscrollBehaviorX,overscrollY:Qr.overscrollBehaviorY});var Z$={listStyleType:!0,listStylePosition:!0,listStylePos:B.prop("listStylePosition"),listStyleImage:!0,listStyleImg:B.prop("listStyleImage")};function q$(e,t,n,r){const o=typeof t=="string"?t.split("."):[t];for(r=0;r<o.length&&e;r+=1)e=e[o[r]];return e===void 0?n:e}var K$=e=>{const t=new WeakMap;return(r,o,i,s)=>{if(typeof r>"u")return e(r,o,i);t.has(r)||t.set(r,new Map);const u=t.get(r);if(u.has(o))return u.get(o);const c=e(r,o,i,s);return u.set(o,c),c}},Y$=K$(q$),X$={border:"0px",clip:"rect(0, 0, 0, 0)",width:"1px",height:"1px",margin:"-1px",padding:"0px",overflow:"hidden",whiteSpace:"nowrap",position:"absolute"},Q$={position:"static",width:"auto",height:"auto",clip:"auto",padding:"0",margin:"0",overflow:"visible",whiteSpace:"normal"},$v=(e,t,n)=>{const r={},o=Y$(e,t,{});for(const i in o)i in n&&n[i]!=null||(r[i]=o[i]);return r},J$={srOnly:{transform(e){return e===!0?X$:e==="focusable"?Q$:{}}},layerStyle:{processResult:!0,transform:(e,t,n)=>$v(t,`layerStyles.${e}`,n)},textStyle:{processResult:!0,transform:(e,t,n)=>$v(t,`textStyles.${e}`,n)},apply:{processResult:!0,transform:(e,t,n)=>$v(t,e,n)}},jc={position:!0,pos:B.prop("position"),zIndex:B.prop("zIndex","zIndices"),inset:B.spaceT("inset"),insetX:B.spaceT(["left","right"]),insetInline:B.spaceT("insetInline"),insetY:B.spaceT(["top","bottom"]),insetBlock:B.spaceT("insetBlock"),top:B.spaceT("top"),insetBlockStart:B.spaceT("insetBlockStart"),bottom:B.spaceT("bottom"),insetBlockEnd:B.spaceT("insetBlockEnd"),left:B.spaceT("left"),insetInlineStart:B.logical({scale:"space",property:{ltr:"left",rtl:"right"}}),right:B.spaceT("right"),insetInlineEnd:B.logical({scale:"space",property:{ltr:"right",rtl:"left"}})};Object.assign(jc,{insetStart:jc.insetInlineStart,insetEnd:jc.insetInlineEnd});var eV={ring:{transform:Je.ring},ringColor:B.colors("--chakra-ring-color"),ringOffset:B.prop("--chakra-ring-offset-width"),ringOffsetColor:B.colors("--chakra-ring-offset-color"),ringInset:B.prop("--chakra-ring-inset")},Mt={margin:B.spaceT("margin"),marginTop:B.spaceT("marginTop"),marginBlockStart:B.spaceT("marginBlockStart"),marginRight:B.spaceT("marginRight"),marginInlineEnd:B.spaceT("marginInlineEnd"),marginBottom:B.spaceT("marginBottom"),marginBlockEnd:B.spaceT("marginBlockEnd"),marginLeft:B.spaceT("marginLeft"),marginInlineStart:B.spaceT("marginInlineStart"),marginX:B.spaceT(["marginInlineStart","marginInlineEnd"]),marginInline:B.spaceT("marginInline"),marginY:B.spaceT(["marginTop","marginBottom"]),marginBlock:B.spaceT("marginBlock"),padding:B.space("padding"),paddingTop:B.space("paddingTop"),paddingBlockStart:B.space("paddingBlockStart"),paddingRight:B.space("paddingRight"),paddingBottom:B.space("paddingBottom"),paddingBlockEnd:B.space("paddingBlockEnd"),paddingLeft:B.space("paddingLeft"),paddingInlineStart:B.space("paddingInlineStart"),paddingInlineEnd:B.space("paddingInlineEnd"),paddingX:B.space(["paddingInlineStart","paddingInlineEnd"]),paddingInline:B.space("paddingInline"),paddingY:B.space(["paddingTop","paddingBottom"]),paddingBlock:B.space("paddingBlock")};Object.assign(Mt,{m:Mt.margin,mt:Mt.marginTop,mr:Mt.marginRight,me:Mt.marginInlineEnd,marginEnd:Mt.marginInlineEnd,mb:Mt.marginBottom,ml:Mt.marginLeft,ms:Mt.marginInlineStart,marginStart:Mt.marginInlineStart,mx:Mt.marginX,my:Mt.marginY,p:Mt.padding,pt:Mt.paddingTop,py:Mt.paddingY,px:Mt.paddingX,pb:Mt.paddingBottom,pl:Mt.paddingLeft,ps:Mt.paddingInlineStart,paddingStart:Mt.paddingInlineStart,pr:Mt.paddingRight,pe:Mt.paddingInlineEnd,paddingEnd:Mt.paddingInlineEnd});var tV={textDecorationColor:B.colors("textDecorationColor"),textDecoration:!0,textDecor:{property:"textDecoration"},textDecorationLine:!0,textDecorationStyle:!0,textDecorationThickness:!0,textUnderlineOffset:!0,textShadow:B.shadows("textShadow")},nV={clipPath:!0,transform:B.propT("transform",Je.transform),transformOrigin:!0,translateX:B.spaceT("--chakra-translate-x"),translateY:B.spaceT("--chakra-translate-y"),skewX:B.degreeT("--chakra-skew-x"),skewY:B.degreeT("--chakra-skew-y"),scaleX:B.prop("--chakra-scale-x"),scaleY:B.prop("--chakra-scale-y"),scale:B.prop(["--chakra-scale-x","--chakra-scale-y"]),rotate:B.degreeT("--chakra-rotate")},rV={transition:!0,transitionDelay:!0,animation:!0,willChange:!0,transitionDuration:B.prop("transitionDuration","transition.duration"),transitionProperty:B.prop("transitionProperty","transition.property"),transitionTimingFunction:B.prop("transitionTimingFunction","transition.easing")},oV={fontFamily:B.prop("fontFamily","fonts"),fontSize:B.prop("fontSize","fontSizes",Je.px),fontWeight:B.prop("fontWeight","fontWeights"),lineHeight:B.prop("lineHeight","lineHeights"),letterSpacing:B.prop("letterSpacing","letterSpacings"),textAlign:!0,fontStyle:!0,wordBreak:!0,overflowWrap:!0,textOverflow:!0,textTransform:!0,whiteSpace:!0,noOfLines:{static:{overflow:"hidden",textOverflow:"ellipsis",display:"-webkit-box",WebkitBoxOrient:"vertical",WebkitLineClamp:"var(--chakra-line-clamp)"},property:"--chakra-line-clamp"}},iV={scrollBehavior:!0,scrollSnapAlign:!0,scrollSnapStop:!0,scrollSnapType:!0,scrollMargin:B.spaceT("scrollMargin"),scrollMarginTop:B.spaceT("scrollMarginTop"),scrollMarginBottom:B.spaceT("scrollMarginBottom"),scrollMarginLeft:B.spaceT("scrollMarginLeft"),scrollMarginRight:B.spaceT("scrollMarginRight"),scrollMarginX:B.spaceT(["scrollMarginLeft","scrollMarginRight"]),scrollMarginY:B.spaceT(["scrollMarginTop","scrollMarginBottom"]),scrollPadding:B.spaceT("scrollPadding"),scrollPaddingTop:B.spaceT("scrollPaddingTop"),scrollPaddingBottom:B.spaceT("scrollPaddingBottom"),scrollPaddingLeft:B.spaceT("scrollPaddingLeft"),scrollPaddingRight:B.spaceT("scrollPaddingRight"),scrollPaddingX:B.spaceT(["scrollPaddingLeft","scrollPaddingRight"]),scrollPaddingY:B.spaceT(["scrollPaddingTop","scrollPaddingBottom"])};function ak(e){return Xo(e)&&e.reference?e.reference:String(e)}var T0=(e,...t)=>t.map(ak).join(` ${e} `).replace(/calc/g,""),rS=(...e)=>`calc(${T0("+",...e)})`,oS=(...e)=>`calc(${T0("-",...e)})`,Ly=(...e)=>`calc(${T0("*",...e)})`,iS=(...e)=>`calc(${T0("/",...e)})`,aS=e=>{const t=ak(e);return t!=null&&!Number.isNaN(parseFloat(t))?String(t).startsWith("-")?String(t).slice(1):`-${t}`:Ly(t,-1)},ds=Object.assign(e=>({add:(...t)=>ds(rS(e,...t)),subtract:(...t)=>ds(oS(e,...t)),multiply:(...t)=>ds(Ly(e,...t)),divide:(...t)=>ds(iS(e,...t)),negate:()=>ds(aS(e)),toString:()=>e.toString()}),{add:rS,subtract:oS,multiply:Ly,divide:iS,negate:aS});function aV(e,t="-"){return e.replace(/\s+/g,t)}function sV(e){const t=aV(e.toString());return uV(lV(t))}function lV(e){return e.includes("\\.")?e:!Number.isInteger(parseFloat(e.toString()))?e.replace(".","\\."):e}function uV(e){return e.replace(/[!-,/:-@[-^`{-~]/g,"\\$&")}function cV(e,t=""){return[t,e].filter(Boolean).join("-")}function fV(e,t){return`var(${e}${t?`, ${t}`:""})`}function dV(e,t=""){return sV(`--${cV(e,t)}`)}function Za(e,t,n){const r=dV(e,n);return{variable:r,reference:fV(r,t)}}function pV(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}Object.freeze(["base","sm","md","lg","xl","2xl"]);function hV(e){const t=e==null?0:e.length;return t?e[t-1]:void 0}function mV(e){const t=parseFloat(e.toString()),n=e.toString().replace(String(t),"");return{unitless:!n,value:t,unit:n}}function Py(e){if(e==null)return e;const{unitless:t}=mV(e);return t||typeof e=="number"?`${e}px`:e}var sk=(e,t)=>parseInt(e[1],10)>parseInt(t[1],10)?1:-1,G4=e=>Object.fromEntries(Object.entries(e).sort(sk));function sS(e){const t=G4(e);return Object.assign(Object.values(t),t)}function gV(e){const t=Object.keys(G4(e));return new Set(t)}function lS(e){if(!e)return e;e=Py(e)??e;const t=e.endsWith("px")?-1:-.0625;return typeof e=="number"?`${e+t}`:e.replace(/(\d+\.?\d*)/u,n=>`${parseFloat(n)+t}`)}function Tc(e,t){const n=["@media screen"];return e&&n.push("and",`(min-width: ${Py(e)})`),t&&n.push("and",`(max-width: ${Py(t)})`),n.join(" ")}function vV(e){if(!e)return null;e.base=e.base??"0px";const t=sS(e),n=Object.entries(e).sort(sk).map(([i,s],u,c)=>{let[,f]=c[u+1]??[];return f=parseFloat(f)>0?lS(f):void 0,{_minW:lS(s),breakpoint:i,minW:s,maxW:f,maxWQuery:Tc(null,f),minWQuery:Tc(s),minMaxQuery:Tc(s,f)}}),r=gV(e),o=Array.from(r.values());return{keys:r,normalized:t,isResponsive(i){const s=Object.keys(i);return s.length>0&&s.every(u=>r.has(u))},asObject:G4(e),asArray:sS(e),details:n,media:[null,...t.map(i=>Tc(i)).slice(1)],toArrayValue(i){if(!pV(i))throw new Error("toArrayValue: value must be an object");const s=o.map(u=>i[u]??null);for(;hV(s)===null;)s.pop();return s},toObjectValue(i){if(!Array.isArray(i))throw new Error("toObjectValue: value must be an array");return i.reduce((s,u,c)=>{const f=o[c];return f!=null&&u!=null&&(s[f]=u),s},{})}}}var kn={hover:(e,t)=>`${e}:hover ${t}, ${e}[data-hover] ${t}`,focus:(e,t)=>`${e}:focus ${t}, ${e}[data-focus] ${t}`,focusVisible:(e,t)=>`${e}:focus-visible ${t}`,focusWithin:(e,t)=>`${e}:focus-within ${t}`,active:(e,t)=>`${e}:active ${t}, ${e}[data-active] ${t}`,disabled:(e,t)=>`${e}:disabled ${t}, ${e}[data-disabled] ${t}`,invalid:(e,t)=>`${e}:invalid ${t}, ${e}[data-invalid] ${t}`,checked:(e,t)=>`${e}:checked ${t}, ${e}[data-checked] ${t}`,indeterminate:(e,t)=>`${e}:indeterminate ${t}, ${e}[aria-checked=mixed] ${t}, ${e}[data-indeterminate] ${t}`,readOnly:(e,t)=>`${e}:read-only ${t}, ${e}[readonly] ${t}, ${e}[data-read-only] ${t}`,expanded:(e,t)=>`${e}:read-only ${t}, ${e}[aria-expanded=true] ${t}, ${e}[data-expanded] ${t}`,placeholderShown:(e,t)=>`${e}:placeholder-shown ${t}`},ua=e=>lk(t=>e(t,"&"),"[role=group]","[data-group]",".group"),Pi=e=>lk(t=>e(t,"~ &"),"[data-peer]",".peer"),lk=(e,...t)=>t.map(e).join(", "),I0={_hover:"&:hover, &[data-hover]",_active:"&:active, &[data-active]",_focus:"&:focus, &[data-focus]",_highlighted:"&[data-highlighted]",_focusWithin:"&:focus-within",_focusVisible:"&:focus-visible, &[data-focus-visible]",_disabled:"&[disabled], &[aria-disabled=true], &[data-disabled]",_readOnly:"&[aria-readonly=true], &[readonly], &[data-readonly]",_before:"&::before",_after:"&::after",_empty:"&:empty",_expanded:"&[aria-expanded=true], &[data-expanded]",_checked:"&[aria-checked=true], &[data-checked]",_grabbed:"&[aria-grabbed=true], &[data-grabbed]",_pressed:"&[aria-pressed=true], &[data-pressed]",_invalid:"&[aria-invalid=true], &[data-invalid]",_valid:"&[data-valid], &[data-state=valid]",_loading:"&[data-loading], &[aria-busy=true]",_selected:"&[aria-selected=true], &[data-selected]",_hidden:"&[hidden], &[data-hidden]",_autofill:"&:-webkit-autofill",_even:"&:nth-of-type(even)",_odd:"&:nth-of-type(odd)",_first:"&:first-of-type",_last:"&:last-of-type",_notFirst:"&:not(:first-of-type)",_notLast:"&:not(:last-of-type)",_visited:"&:visited",_activeLink:"&[aria-current=page]",_activeStep:"&[aria-current=step]",_indeterminate:"&:indeterminate, &[aria-checked=mixed], &[data-indeterminate]",_groupHover:ua(kn.hover),_peerHover:Pi(kn.hover),_groupFocus:ua(kn.focus),_peerFocus:Pi(kn.focus),_groupFocusVisible:ua(kn.focusVisible),_peerFocusVisible:Pi(kn.focusVisible),_groupActive:ua(kn.active),_peerActive:Pi(kn.active),_groupDisabled:ua(kn.disabled),_peerDisabled:Pi(kn.disabled),_groupInvalid:ua(kn.invalid),_peerInvalid:Pi(kn.invalid),_groupChecked:ua(kn.checked),_peerChecked:Pi(kn.checked),_groupFocusWithin:ua(kn.focusWithin),_peerFocusWithin:Pi(kn.focusWithin),_peerPlaceholderShown:Pi(kn.placeholderShown),_placeholder:"&::placeholder",_placeholderShown:"&:placeholder-shown",_fullScreen:"&:fullscreen",_selection:"&::selection",_rtl:"[dir=rtl] &, &[dir=rtl]",_ltr:"[dir=ltr] &, &[dir=ltr]",_mediaDark:"@media (prefers-color-scheme: dark)",_mediaReduceMotion:"@media (prefers-reduced-motion: reduce)",_dark:".chakra-ui-dark &:not([data-theme]),[data-theme=dark] &:not([data-theme]),&[data-theme=dark]",_light:".chakra-ui-light &:not([data-theme]),[data-theme=light] &:not([data-theme]),&[data-theme=light]"},yV=Object.keys(I0);function uS(e,t){return Za(String(e).replace(/\./g,"-"),void 0,t)}function bV(e,t){let n={};const r={};for(const[o,i]of Object.entries(e)){const{isSemantic:s,value:u}=i,{variable:c,reference:f}=uS(o,t?.cssVarPrefix);if(!s){if(o.startsWith("space")){const m=o.split("."),[g,...b]=m,S=`${g}.-${b.join(".")}`,E=ds.negate(u),w=ds.negate(f);r[S]={value:E,var:c,varRef:w}}n[c]=u,r[o]={value:u,var:c,varRef:f};continue}const p=m=>{const b=[String(o).split(".")[0],m].join(".");if(!e[b])return m;const{reference:E}=uS(b,t?.cssVarPrefix);return E},h=Xo(u)?u:{default:u};n=Ba(n,Object.entries(h).reduce((m,[g,b])=>{var S;const E=p(b);if(g==="default")return m[c]=E,m;const w=((S=I0)==null?void 0:S[g])??g;return m[w]={[c]:E},m},{})),r[o]={value:f,var:c,varRef:f}}return{cssVars:n,cssMap:r}}function xV(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function SV(e,t){const n={};for(const r of t)r in e&&(n[r]=e[r]);return n}var wV=["colors","borders","borderWidths","borderStyles","fonts","fontSizes","fontWeights","letterSpacings","lineHeights","radii","space","shadows","sizes","zIndices","transition","blur"];function CV(e){return SV(e,wV)}function _V(e){return e.semanticTokens}function kV(e){const{__cssMap:t,__cssVars:n,__breakpoints:r,...o}=e;return o}function EV({tokens:e,semanticTokens:t}){const n=Object.entries(Ay(e)??{}).map(([o,i])=>[o,{isSemantic:!1,value:i}]),r=Object.entries(Ay(t,1)??{}).map(([o,i])=>[o,{isSemantic:!0,value:i}]);return Object.fromEntries([...n,...r])}function Ay(e,t=1/0){return!Xo(e)&&!Array.isArray(e)||!t?e:Object.entries(e).reduce((n,[r,o])=>(Xo(o)||Array.isArray(o)?Object.entries(Ay(o,t-1)).forEach(([i,s])=>{n[`${r}.${i}`]=s}):n[r]=o,n),{})}function LV(e){var t;const n=kV(e),r=CV(n),o=_V(n),i=EV({tokens:r,semanticTokens:o}),s=(t=n.config)==null?void 0:t.cssVarPrefix,{cssMap:u,cssVars:c}=bV(i,{cssVarPrefix:s});return Object.assign(n,{__cssVars:{...{"--chakra-ring-inset":"var(--chakra-empty,/*!*/ /*!*/)","--chakra-ring-offset-width":"0px","--chakra-ring-offset-color":"#fff","--chakra-ring-color":"rgba(66, 153, 225, 0.6)","--chakra-ring-offset-shadow":"0 0 #0000","--chakra-ring-shadow":"0 0 #0000","--chakra-space-x-reverse":"0","--chakra-space-y-reverse":"0"},...c},__cssMap:u,__breakpoints:vV(n.breakpoints)}),n}var Z4=Ba({},Nh,ot,j$,P1,Qr,U$,eV,G$,ik,J$,jc,Ey,Mt,iV,oV,tV,nV,Z$,rV),PV=Object.assign({},Mt,Qr,P1,ik,jc),AV=Object.keys(PV),TV=[...Object.keys(Z4),...yV],IV={...Z4,...I0},MV=e=>e in IV;function RV(e){return/^var\(--.+\)$/.test(e)}var OV=(e,t)=>e.startsWith("--")&&typeof t=="string"&&!RV(t),NV=(e,t)=>{if(t==null)return t;const n=u=>{var c,f;return(f=(c=e.__cssMap)==null?void 0:c[u])==null?void 0:f.varRef},r=u=>n(u)??u,o=t.split(",").map(u=>u.trim()),[i,s]=o;return t=n(i)??r(s)??r(t),t};function DV(e){const{configs:t={},pseudos:n={},theme:r}=e;if(!r.__breakpoints)return()=>({});const{isResponsive:o,toArrayValue:i,media:s}=r.__breakpoints,u=(c,f=!1)=>{var p;const h=Fl(c,r);let m={};for(let g in h){let b=Fl(h[g],r);if(b==null)continue;if(Array.isArray(b)||Xo(b)&&o(b)){let x=Array.isArray(b)?b:i(b);x=x.slice(0,s.length);for(let _=0;_<x.length;_++){const L=s[_],T=x[_];L?T==null?m[L]??(m[L]={}):m[L]=Object.assign({},m[L],u({[g]:T},!0)):m=Object.assign({},m,u({...h,[g]:T},!1))}continue}if(g in n&&(g=n[g]),OV(g,b)&&(b=NV(r,b)),Xo(b)){m[g]=Object.assign({},m[g],u(b,!0));continue}let S=t[g];if(S===!0&&(S={property:g}),!f&&S?.static){const x=Fl(S.static,r);m=Object.assign({},m,x)}let E=((p=S?.transform)==null?void 0:p.call(S,b,r,h))??b;if(E=S?.processResult?u(E,!0):E,Xo(E)){m=Object.assign({},m,E);continue}const w=Fl(S?.property,r);if(w){if(Array.isArray(w)){for(const x of w)m[x]=E;continue}w==="&"&&Xo(E)?m=Object.assign({},m,E):m[w]=E;continue}m[g]=E}return m};return u}var uk=e=>t=>DV({theme:t,pseudos:I0,configs:Z4})(e);function zt(e){return{definePartsStyle(t){return t},defineMultiStyleConfig(t){return{parts:e,...t}}}}function zV(e,t){if(Array.isArray(e))return e;if(Xo(e))return t(e);if(e!=null)return[e]}function FV(e,t){for(let n=t+1;n<e.length;n++)if(e[n]!=null)return n;return-1}function BV(e){const t=e.__breakpoints;return function(r,o,i,s){var u,c;if(!t)return;const f={},p=zV(i,t.toArrayValue);if(!p)return f;const h=p.length,m=h===1,g=!!r.parts;for(let b=0;b<h;b++){const S=t.details[b],E=t.details[FV(p,b)],w=Tc(S.minW,E?._minW),x=Fl((u=r[o])==null?void 0:u[p[b]],s);if(!!x){if(g){(c=r.parts)==null||c.forEach(_=>{Ba(f,{[_]:m?x[_]:{[w]:x[_]}})});continue}if(!g){m?Ba(f,x):f[w]=x;continue}f[w]=x}}return f}}function $V(e){return t=>{const{variant:n,size:r,theme:o}=t,i=BV(o);return Ba({},Fl(e.baseStyle??{},t),i(e,"sizes",r,t),i(e,"variants",n,t))}}function VV(e,t,n){var r,o;return((o=(r=e.__cssMap)==null?void 0:r[`${t}.${n}`])==null?void 0:o.varRef)??n}function yt(e){return xV(e,["styleConfig","size","variant","colorScheme"])}function WV(e){if(e.sheet)return e.sheet;for(var t=0;t<document.styleSheets.length;t++)if(document.styleSheets[t].ownerNode===e)return document.styleSheets[t]}function HV(e){var t=document.createElement("style");return t.setAttribute("data-emotion",e.key),e.nonce!==void 0&&t.setAttribute("nonce",e.nonce),t.appendChild(document.createTextNode("")),t.setAttribute("data-s",""),t}var jV=function(){function e(n){var r=this;this._insertTag=function(o){var i;r.tags.length===0?r.insertionPoint?i=r.insertionPoint.nextSibling:r.prepend?i=r.container.firstChild:i=r.before:i=r.tags[r.tags.length-1].nextSibling,r.container.insertBefore(o,i),r.tags.push(o)},this.isSpeedy=n.speedy===void 0?!0:n.speedy,this.tags=[],this.ctr=0,this.nonce=n.nonce,this.key=n.key,this.container=n.container,this.prepend=n.prepend,this.insertionPoint=n.insertionPoint,this.before=null}var t=e.prototype;return t.hydrate=function(r){r.forEach(this._insertTag)},t.insert=function(r){this.ctr%(this.isSpeedy?65e3:1)===0&&this._insertTag(HV(this));var o=this.tags[this.tags.length-1];if(this.isSpeedy){var i=WV(o);try{i.insertRule(r,i.cssRules.length)}catch{}}else o.appendChild(document.createTextNode(r));this.ctr++},t.flush=function(){this.tags.forEach(function(r){return r.parentNode&&r.parentNode.removeChild(r)}),this.tags=[],this.ctr=0},e}(),Bn="-ms-",A1="-moz-",it="-webkit-",ck="comm",q4="rule",K4="decl",UV="@import",fk="@keyframes",GV=Math.abs,M0=String.fromCharCode,ZV=Object.assign;function qV(e,t){return(((t<<2^dr(e,0))<<2^dr(e,1))<<2^dr(e,2))<<2^dr(e,3)}function dk(e){return e.trim()}function KV(e,t){return(e=t.exec(e))?e[0]:e}function ft(e,t,n){return e.replace(t,n)}function Ty(e,t){return e.indexOf(t)}function dr(e,t){return e.charCodeAt(t)|0}function Cf(e,t,n){return e.slice(t,n)}function Go(e){return e.length}function Y4(e){return e.length}function Kp(e,t){return t.push(e),e}function YV(e,t){return e.map(t).join("")}var R0=1,fu=1,pk=0,xr=0,on=0,ku="";function O0(e,t,n,r,o,i,s){return{value:e,root:t,parent:n,type:r,props:o,children:i,line:R0,column:fu,length:s,return:""}}function yc(e,t){return ZV(O0("",null,null,"",null,null,0),e,{length:-e.length},t)}function XV(){return on}function QV(){return on=xr>0?dr(ku,--xr):0,fu--,on===10&&(fu=1,R0--),on}function Nr(){return on=xr<pk?dr(ku,xr++):0,fu++,on===10&&(fu=1,R0++),on}function ti(){return dr(ku,xr)}function Dh(){return xr}function td(e,t){return Cf(ku,e,t)}function _f(e){switch(e){case 0:case 9:case 10:case 13:case 32:return 5;case 33:case 43:case 44:case 47:case 62:case 64:case 126:case 59:case 123:case 125:return 4;case 58:return 3;case 34:case 39:case 40:case 91:return 2;case 41:case 93:return 1}return 0}function hk(e){return R0=fu=1,pk=Go(ku=e),xr=0,[]}function mk(e){return ku="",e}function zh(e){return dk(td(xr-1,Iy(e===91?e+2:e===40?e+1:e)))}function JV(e){for(;(on=ti())&&on<33;)Nr();return _f(e)>2||_f(on)>3?"":" "}function eW(e,t){for(;--t&&Nr()&&!(on<48||on>102||on>57&&on<65||on>70&&on<97););return td(e,Dh()+(t<6&&ti()==32&&Nr()==32))}function Iy(e){for(;Nr();)switch(on){case e:return xr;case 34:case 39:e!==34&&e!==39&&Iy(on);break;case 40:e===41&&Iy(e);break;case 92:Nr();break}return xr}function tW(e,t){for(;Nr()&&e+on!==47+10;)if(e+on===42+42&&ti()===47)break;return"/*"+td(t,xr-1)+"*"+M0(e===47?e:Nr())}function nW(e){for(;!_f(ti());)Nr();return td(e,xr)}function rW(e){return mk(Fh("",null,null,null,[""],e=hk(e),0,[0],e))}function Fh(e,t,n,r,o,i,s,u,c){for(var f=0,p=0,h=s,m=0,g=0,b=0,S=1,E=1,w=1,x=0,_="",L=o,T=i,O=r,N=_;E;)switch(b=x,x=Nr()){case 40:if(b!=108&&N.charCodeAt(h-1)==58){Ty(N+=ft(zh(x),"&","&\f"),"&\f")!=-1&&(w=-1);break}case 34:case 39:case 91:N+=zh(x);break;case 9:case 10:case 13:case 32:N+=JV(b);break;case 92:N+=eW(Dh()-1,7);continue;case 47:switch(ti()){case 42:case 47:Kp(oW(tW(Nr(),Dh()),t,n),c);break;default:N+="/"}break;case 123*S:u[f++]=Go(N)*w;case 125*S:case 59:case 0:switch(x){case 0:case 125:E=0;case 59+p:g>0&&Go(N)-h&&Kp(g>32?fS(N+";",r,n,h-1):fS(ft(N," ","")+";",r,n,h-2),c);break;case 59:N+=";";default:if(Kp(O=cS(N,t,n,f,p,o,u,_,L=[],T=[],h),i),x===123)if(p===0)Fh(N,t,O,O,L,i,h,u,T);else switch(m){case 100:case 109:case 115:Fh(e,O,O,r&&Kp(cS(e,O,O,0,0,o,u,_,o,L=[],h),T),o,T,h,u,r?L:T);break;default:Fh(N,O,O,O,[""],T,0,u,T)}}f=p=g=0,S=w=1,_=N="",h=s;break;case 58:h=1+Go(N),g=b;default:if(S<1){if(x==123)--S;else if(x==125&&S++==0&&QV()==125)continue}switch(N+=M0(x),x*S){case 38:w=p>0?1:(N+="\f",-1);break;case 44:u[f++]=(Go(N)-1)*w,w=1;break;case 64:ti()===45&&(N+=zh(Nr())),m=ti(),p=h=Go(_=N+=nW(Dh())),x++;break;case 45:b===45&&Go(N)==2&&(S=0)}}return i}function cS(e,t,n,r,o,i,s,u,c,f,p){for(var h=o-1,m=o===0?i:[""],g=Y4(m),b=0,S=0,E=0;b<r;++b)for(var w=0,x=Cf(e,h+1,h=GV(S=s[b])),_=e;w<g;++w)(_=dk(S>0?m[w]+" "+x:ft(x,/&\f/g,m[w])))&&(c[E++]=_);return O0(e,t,n,o===0?q4:u,c,f,p)}function oW(e,t,n){return O0(e,t,n,ck,M0(XV()),Cf(e,2,-2),0)}function fS(e,t,n,r){return O0(e,t,n,K4,Cf(e,0,r),Cf(e,r+1,-1),r)}function gk(e,t){switch(qV(e,t)){case 5103:return it+"print-"+e+e;case 5737:case 4201:case 3177:case 3433:case 1641:case 4457:case 2921:case 5572:case 6356:case 5844:case 3191:case 6645:case 3005:case 6391:case 5879:case 5623:case 6135:case 4599:case 4855:case 4215:case 6389:case 5109:case 5365:case 5621:case 3829:return it+e+e;case 5349:case 4246:case 4810:case 6968:case 2756:return it+e+A1+e+Bn+e+e;case 6828:case 4268:return it+e+Bn+e+e;case 6165:return it+e+Bn+"flex-"+e+e;case 5187:return it+e+ft(e,/(\w+).+(:[^]+)/,it+"box-$1$2"+Bn+"flex-$1$2")+e;case 5443:return it+e+Bn+"flex-item-"+ft(e,/flex-|-self/,"")+e;case 4675:return it+e+Bn+"flex-line-pack"+ft(e,/align-content|flex-|-self/,"")+e;case 5548:return it+e+Bn+ft(e,"shrink","negative")+e;case 5292:return it+e+Bn+ft(e,"basis","preferred-size")+e;case 6060:return it+"box-"+ft(e,"-grow","")+it+e+Bn+ft(e,"grow","positive")+e;case 4554:return it+ft(e,/([^-])(transform)/g,"$1"+it+"$2")+e;case 6187:return ft(ft(ft(e,/(zoom-|grab)/,it+"$1"),/(image-set)/,it+"$1"),e,"")+e;case 5495:case 3959:return ft(e,/(image-set\([^]*)/,it+"$1$`$1");case 4968:return ft(ft(e,/(.+:)(flex-)?(.*)/,it+"box-pack:$3"+Bn+"flex-pack:$3"),/s.+-b[^;]+/,"justify")+it+e+e;case 4095:case 3583:case 4068:case 2532:return ft(e,/(.+)-inline(.+)/,it+"$1$2")+e;case 8116:case 7059:case 5753:case 5535:case 5445:case 5701:case 4933:case 4677:case 5533:case 5789:case 5021:case 4765:if(Go(e)-1-t>6)switch(dr(e,t+1)){case 109:if(dr(e,t+4)!==45)break;case 102:return ft(e,/(.+:)(.+)-([^]+)/,"$1"+it+"$2-$3$1"+A1+(dr(e,t+3)==108?"$3":"$2-$3"))+e;case 115:return~Ty(e,"stretch")?gk(ft(e,"stretch","fill-available"),t)+e:e}break;case 4949:if(dr(e,t+1)!==115)break;case 6444:switch(dr(e,Go(e)-3-(~Ty(e,"!important")&&10))){case 107:return ft(e,":",":"+it)+e;case 101:return ft(e,/(.+:)([^;!]+)(;|!.+)?/,"$1"+it+(dr(e,14)===45?"inline-":"")+"box$3$1"+it+"$2$3$1"+Bn+"$2box$3")+e}break;case 5936:switch(dr(e,t+11)){case 114:return it+e+Bn+ft(e,/[svh]\w+-[tblr]{2}/,"tb")+e;case 108:return it+e+Bn+ft(e,/[svh]\w+-[tblr]{2}/,"tb-rl")+e;case 45:return it+e+Bn+ft(e,/[svh]\w+-[tblr]{2}/,"lr")+e}return it+e+Bn+e+e}return e}function Kl(e,t){for(var n="",r=Y4(e),o=0;o<r;o++)n+=t(e[o],o,e,t)||"";return n}function iW(e,t,n,r){switch(e.type){case UV:case K4:return e.return=e.return||e.value;case ck:return"";case fk:return e.return=e.value+"{"+Kl(e.children,r)+"}";case q4:e.value=e.props.join(",")}return Go(n=Kl(e.children,r))?e.return=e.value+"{"+n+"}":""}function aW(e){var t=Y4(e);return function(n,r,o,i){for(var s="",u=0;u<t;u++)s+=e[u](n,r,o,i)||"";return s}}function sW(e){return function(t){t.root||(t=t.return)&&e(t)}}function lW(e,t,n,r){if(e.length>-1&&!e.return)switch(e.type){case K4:e.return=gk(e.value,e.length);break;case fk:return Kl([yc(e,{value:ft(e.value,"@","@"+it)})],r);case q4:if(e.length)return YV(e.props,function(o){switch(KV(o,/(::plac\w+|:read-\w+)/)){case":read-only":case":read-write":return Kl([yc(e,{props:[ft(o,/:(read-\w+)/,":"+A1+"$1")]})],r);case"::placeholder":return Kl([yc(e,{props:[ft(o,/:(plac\w+)/,":"+it+"input-$1")]}),yc(e,{props:[ft(o,/:(plac\w+)/,":"+A1+"$1")]}),yc(e,{props:[ft(o,/:(plac\w+)/,Bn+"input-$1")]})],r)}return""})}}var dS=function(t){var n=new WeakMap;return function(r){if(n.has(r))return n.get(r);var o=t(r);return n.set(r,o),o}};function vk(e){var t=Object.create(null);return function(n){return t[n]===void 0&&(t[n]=e(n)),t[n]}}var uW=function(t,n,r){for(var o=0,i=0;o=i,i=ti(),o===38&&i===12&&(n[r]=1),!_f(i);)Nr();return td(t,xr)},cW=function(t,n){var r=-1,o=44;do switch(_f(o)){case 0:o===38&&ti()===12&&(n[r]=1),t[r]+=uW(xr-1,n,r);break;case 2:t[r]+=zh(o);break;case 4:if(o===44){t[++r]=ti()===58?"&\f":"",n[r]=t[r].length;break}default:t[r]+=M0(o)}while(o=Nr());return t},fW=function(t,n){return mk(cW(hk(t),n))},pS=new WeakMap,dW=function(t){if(!(t.type!=="rule"||!t.parent||t.length<1)){for(var n=t.value,r=t.parent,o=t.column===r.column&&t.line===r.line;r.type!=="rule";)if(r=r.parent,!r)return;if(!(t.props.length===1&&n.charCodeAt(0)!==58&&!pS.get(r))&&!o){pS.set(t,!0);for(var i=[],s=fW(n,i),u=r.props,c=0,f=0;c<s.length;c++)for(var p=0;p<u.length;p++,f++)t.props[f]=i[c]?s[c].replace(/&\f/g,u[p]):u[p]+" "+s[c]}}},pW=function(t){if(t.type==="decl"){var n=t.value;n.charCodeAt(0)===108&&n.charCodeAt(2)===98&&(t.return="",t.value="")}},hW=[lW],mW=function(t){var n=t.key;if(n==="css"){var r=document.querySelectorAll("style[data-emotion]:not([data-s])");Array.prototype.forEach.call(r,function(S){var E=S.getAttribute("data-emotion");E.indexOf(" ")!==-1&&(document.head.appendChild(S),S.setAttribute("data-s",""))})}var o=t.stylisPlugins||hW,i={},s,u=[];s=t.container||document.head,Array.prototype.forEach.call(document.querySelectorAll('style[data-emotion^="'+n+' "]'),function(S){for(var E=S.getAttribute("data-emotion").split(" "),w=1;w<E.length;w++)i[E[w]]=!0;u.push(S)});var c,f=[dW,pW];{var p,h=[iW,sW(function(S){p.insert(S)})],m=aW(f.concat(o,h)),g=function(E){return Kl(rW(E),m)};c=function(E,w,x,_){p=x,g(E?E+"{"+w.styles+"}":w.styles),_&&(b.inserted[w.name]=!0)}}var b={key:n,sheet:new jV({key:n,container:s,nonce:t.nonce,speedy:t.speedy,prepend:t.prepend,insertionPoint:t.insertionPoint}),nonce:t.nonce,inserted:i,registered:{},insert:c};return b.sheet.hydrate(u),b};function kf(){return kf=Object.assign?Object.assign.bind():function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},kf.apply(this,arguments)}var yk={exports:{}},bt={};/** @license React v16.13.1 - * react-is.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var Sn=typeof Symbol=="function"&&Symbol.for,X4=Sn?Symbol.for("react.element"):60103,Q4=Sn?Symbol.for("react.portal"):60106,N0=Sn?Symbol.for("react.fragment"):60107,D0=Sn?Symbol.for("react.strict_mode"):60108,z0=Sn?Symbol.for("react.profiler"):60114,F0=Sn?Symbol.for("react.provider"):60109,B0=Sn?Symbol.for("react.context"):60110,J4=Sn?Symbol.for("react.async_mode"):60111,$0=Sn?Symbol.for("react.concurrent_mode"):60111,V0=Sn?Symbol.for("react.forward_ref"):60112,W0=Sn?Symbol.for("react.suspense"):60113,gW=Sn?Symbol.for("react.suspense_list"):60120,H0=Sn?Symbol.for("react.memo"):60115,j0=Sn?Symbol.for("react.lazy"):60116,vW=Sn?Symbol.for("react.block"):60121,yW=Sn?Symbol.for("react.fundamental"):60117,bW=Sn?Symbol.for("react.responder"):60118,xW=Sn?Symbol.for("react.scope"):60119;function Vr(e){if(typeof e=="object"&&e!==null){var t=e.$$typeof;switch(t){case X4:switch(e=e.type,e){case J4:case $0:case N0:case z0:case D0:case W0:return e;default:switch(e=e&&e.$$typeof,e){case B0:case V0:case j0:case H0:case F0:return e;default:return t}}case Q4:return t}}}function bk(e){return Vr(e)===$0}bt.AsyncMode=J4;bt.ConcurrentMode=$0;bt.ContextConsumer=B0;bt.ContextProvider=F0;bt.Element=X4;bt.ForwardRef=V0;bt.Fragment=N0;bt.Lazy=j0;bt.Memo=H0;bt.Portal=Q4;bt.Profiler=z0;bt.StrictMode=D0;bt.Suspense=W0;bt.isAsyncMode=function(e){return bk(e)||Vr(e)===J4};bt.isConcurrentMode=bk;bt.isContextConsumer=function(e){return Vr(e)===B0};bt.isContextProvider=function(e){return Vr(e)===F0};bt.isElement=function(e){return typeof e=="object"&&e!==null&&e.$$typeof===X4};bt.isForwardRef=function(e){return Vr(e)===V0};bt.isFragment=function(e){return Vr(e)===N0};bt.isLazy=function(e){return Vr(e)===j0};bt.isMemo=function(e){return Vr(e)===H0};bt.isPortal=function(e){return Vr(e)===Q4};bt.isProfiler=function(e){return Vr(e)===z0};bt.isStrictMode=function(e){return Vr(e)===D0};bt.isSuspense=function(e){return Vr(e)===W0};bt.isValidElementType=function(e){return typeof e=="string"||typeof e=="function"||e===N0||e===$0||e===z0||e===D0||e===W0||e===gW||typeof e=="object"&&e!==null&&(e.$$typeof===j0||e.$$typeof===H0||e.$$typeof===F0||e.$$typeof===B0||e.$$typeof===V0||e.$$typeof===yW||e.$$typeof===bW||e.$$typeof===xW||e.$$typeof===vW)};bt.typeOf=Vr;(function(e){e.exports=bt})(yk);var xk=yk.exports,SW={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},wW={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},Sk={};Sk[xk.ForwardRef]=SW;Sk[xk.Memo]=wW;var CW=!0;function _W(e,t,n){var r="";return n.split(" ").forEach(function(o){e[o]!==void 0?t.push(e[o]+";"):r+=o+" "}),r}var wk=function(t,n,r){var o=t.key+"-"+n.name;(r===!1||CW===!1)&&t.registered[o]===void 0&&(t.registered[o]=n.styles)},Ck=function(t,n,r){wk(t,n,r);var o=t.key+"-"+n.name;if(t.inserted[n.name]===void 0){var i=n;do t.insert(n===i?"."+o:"",i,t.sheet,!0),i=i.next;while(i!==void 0)}};function kW(e){for(var t=0,n,r=0,o=e.length;o>=4;++r,o-=4)n=e.charCodeAt(r)&255|(e.charCodeAt(++r)&255)<<8|(e.charCodeAt(++r)&255)<<16|(e.charCodeAt(++r)&255)<<24,n=(n&65535)*1540483477+((n>>>16)*59797<<16),n^=n>>>24,t=(n&65535)*1540483477+((n>>>16)*59797<<16)^(t&65535)*1540483477+((t>>>16)*59797<<16);switch(o){case 3:t^=(e.charCodeAt(r+2)&255)<<16;case 2:t^=(e.charCodeAt(r+1)&255)<<8;case 1:t^=e.charCodeAt(r)&255,t=(t&65535)*1540483477+((t>>>16)*59797<<16)}return t^=t>>>13,t=(t&65535)*1540483477+((t>>>16)*59797<<16),((t^t>>>15)>>>0).toString(36)}var EW={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1},LW=/[A-Z]|^ms/g,PW=/_EMO_([^_]+?)_([^]*?)_EMO_/g,_k=function(t){return t.charCodeAt(1)===45},hS=function(t){return t!=null&&typeof t!="boolean"},Vv=vk(function(e){return _k(e)?e:e.replace(LW,"-$&").toLowerCase()}),mS=function(t,n){switch(t){case"animation":case"animationName":if(typeof n=="string")return n.replace(PW,function(r,o,i){return Zo={name:o,styles:i,next:Zo},o})}return EW[t]!==1&&!_k(t)&&typeof n=="number"&&n!==0?n+"px":n};function Ef(e,t,n){if(n==null)return"";if(n.__emotion_styles!==void 0)return n;switch(typeof n){case"boolean":return"";case"object":{if(n.anim===1)return Zo={name:n.name,styles:n.styles,next:Zo},n.name;if(n.styles!==void 0){var r=n.next;if(r!==void 0)for(;r!==void 0;)Zo={name:r.name,styles:r.styles,next:Zo},r=r.next;var o=n.styles+";";return o}return AW(e,t,n)}case"function":{if(e!==void 0){var i=Zo,s=n(e);return Zo=i,Ef(e,t,s)}break}}if(t==null)return n;var u=t[n];return u!==void 0?u:n}function AW(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o<n.length;o++)r+=Ef(e,t,n[o])+";";else for(var i in n){var s=n[i];if(typeof s!="object")t!=null&&t[s]!==void 0?r+=i+"{"+t[s]+"}":hS(s)&&(r+=Vv(i)+":"+mS(i,s)+";");else if(Array.isArray(s)&&typeof s[0]=="string"&&(t==null||t[s[0]]===void 0))for(var u=0;u<s.length;u++)hS(s[u])&&(r+=Vv(i)+":"+mS(i,s[u])+";");else{var c=Ef(e,t,s);switch(i){case"animation":case"animationName":{r+=Vv(i)+":"+c+";";break}default:r+=i+"{"+c+"}"}}}return r}var gS=/label:\s*([^\s;\n{]+)\s*(;|$)/g,Zo,e3=function(t,n,r){if(t.length===1&&typeof t[0]=="object"&&t[0]!==null&&t[0].styles!==void 0)return t[0];var o=!0,i="";Zo=void 0;var s=t[0];s==null||s.raw===void 0?(o=!1,i+=Ef(r,n,s)):i+=s[0];for(var u=1;u<t.length;u++)i+=Ef(r,n,t[u]),o&&(i+=s[u]);gS.lastIndex=0;for(var c="",f;(f=gS.exec(i))!==null;)c+="-"+f[1];var p=kW(i)+c;return{name:p,styles:i,next:Zo}},TW=function(t){return t()},kk=Z9["useInsertionEffect"]?Z9["useInsertionEffect"]:!1,IW=kk||TW,vS=kk||C.exports.useLayoutEffect,Ek=C.exports.createContext(typeof HTMLElement<"u"?mW({key:"css"}):null);Ek.Provider;var Lk=function(t){return C.exports.forwardRef(function(n,r){var o=C.exports.useContext(Ek);return t(n,o,r)})},Lf=C.exports.createContext({}),MW=function(t,n){if(typeof n=="function"){var r=n(t);return r}return kf({},t,n)},RW=dS(function(e){return dS(function(t){return MW(e,t)})}),OW=function(t){var n=C.exports.useContext(Lf);return t.theme!==n&&(n=RW(n)(t.theme)),C.exports.createElement(Lf.Provider,{value:n},t.children)},U0=Lk(function(e,t){var n=e.styles,r=e3([n],void 0,C.exports.useContext(Lf)),o=C.exports.useRef();return vS(function(){var i=t.key+"-global",s=new t.sheet.constructor({key:i,nonce:t.sheet.nonce,container:t.sheet.container,speedy:t.sheet.isSpeedy}),u=!1,c=document.querySelector('style[data-emotion="'+i+" "+r.name+'"]');return t.sheet.tags.length&&(s.before=t.sheet.tags[0]),c!==null&&(u=!0,c.setAttribute("data-emotion",i),s.hydrate([c])),o.current=[s,u],function(){s.flush()}},[t]),vS(function(){var i=o.current,s=i[0],u=i[1];if(u){i[1]=!1;return}if(r.next!==void 0&&Ck(t,r.next,!0),s.tags.length){var c=s.tags[s.tags.length-1].nextElementSibling;s.before=c,s.flush()}t.insert("",r,s,!1)},[t,r.name]),null});function NW(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return e3(t)}var nd=function(){var t=NW.apply(void 0,arguments),n="animation-"+t.name;return{name:n,styles:"@keyframes "+n+"{"+t.styles+"}",anim:1,toString:function(){return"_EMO_"+this.name+"_"+this.styles+"_EMO_"}}};function Bl(e){return typeof e=="function"}var DW=!1;function Pk(e){return"current"in e}function zW(e,t){const n={};return Object.keys(e).forEach(r=>{t.includes(r)||(n[r]=e[r])}),n}function FW(e,t,n,r){const o=typeof t=="string"?t.split("."):[t];for(r=0;r<o.length&&e;r+=1)e=e[o[r]];return e===void 0?n:e}var BW=e=>{const t=new WeakMap;return(r,o,i,s)=>{if(typeof r>"u")return e(r,o,i);t.has(r)||t.set(r,new Map);const u=t.get(r);if(u.has(o))return u.get(o);const c=e(r,o,i,s);return u.set(o,c),c}},Ak=BW(FW);function Tk(e,t){const n={};return Object.keys(e).forEach(r=>{const o=e[r];t(o,r,e)&&(n[r]=o)}),n}var Ik=e=>Tk(e,t=>t!=null);function t3(e){return e!=null&&typeof e=="object"&&"nodeType"in e&&e.nodeType===Node.ELEMENT_NODE}function G0(e){if(!t3(e))return!1;const t=e.ownerDocument.defaultView??window;return e instanceof t.HTMLElement}function $W(e){var t;return t3(e)?((t=rd(e))==null?void 0:t.defaultView)??window:window}function rd(e){return t3(e)?e.ownerDocument??document:document}function VW(e){return e.view??window}function WW(){return!!(typeof window<"u"&&window.document&&window.document.createElement)}var od=WW();function HW(e){const t=rd(e);return t?.activeElement}function n3(e,t){return e?e===t||e.contains(t):!1}var Mk=e=>e.hasAttribute("tabindex"),jW=e=>Mk(e)&&e.tabIndex===-1;function UW(e){return Boolean(e.getAttribute("disabled"))===!0||Boolean(e.getAttribute("aria-disabled"))===!0}function GW(e){return G0(e)&&e.localName==="input"&&"select"in e}function Rk(e){return(G0(e)?rd(e):document).activeElement===e}function Ok(e){return e.parentElement&&Ok(e.parentElement)?!0:e.hidden}function ZW(e){const t=e.getAttribute("contenteditable");return t!=="false"&&t!=null}function Nk(e){if(!G0(e)||Ok(e)||UW(e))return!1;const{localName:t}=e;if(["input","select","textarea","button"].indexOf(t)>=0)return!0;const r={a:()=>e.hasAttribute("href"),audio:()=>e.hasAttribute("controls"),video:()=>e.hasAttribute("controls")};return t in r?r[t]():ZW(e)?!0:Mk(e)}function qW(e){return e?G0(e)&&Nk(e)&&!jW(e):!1}var KW=["input:not([disabled])","select:not([disabled])","textarea:not([disabled])","embed","iframe","object","a[href]","area[href]","button:not([disabled])","[tabindex]","audio[controls]","video[controls]","*[tabindex]:not([aria-disabled])","*[contenteditable]"],YW=KW.join(),XW=e=>e.offsetWidth>0&&e.offsetHeight>0;function QW(e){const t=Array.from(e.querySelectorAll(YW));return t.unshift(e),t.filter(n=>Nk(n)&&XW(n))}function T1(e,...t){return Bl(e)?e(...t):e}function JW(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}function eH(e){let t;return function(...r){return e&&(t=e.apply(this,r),e=null),t}}var tH=eH(e=>()=>{const{condition:t,message:n}=e;t&&DW&&console.warn(n)}),nH=(...e)=>t=>e.reduce((n,r)=>r(n),t);function I1(e,t={}){const{isActive:n=Rk,nextTick:r,preventScroll:o=!0,selectTextIfInput:i=!0}=t;if(!e||n(e))return-1;function s(){if(!e){tH({condition:!0,message:"[chakra-ui]: can't call focus() on `null` or `undefined` element"});return}if(rH())e.focus({preventScroll:o});else if(e.focus(),o){const u=oH(e);iH(u)}if(i){if(GW(e))e.select();else if("setSelectionRange"in e){const u=e;u.setSelectionRange(u.value.length,u.value.length)}}}return r?requestAnimationFrame(s):(s(),-1)}var Yp=null;function rH(){if(Yp==null){Yp=!1;try{document.createElement("div").focus({get preventScroll(){return Yp=!0,!0}})}catch{}}return Yp}function oH(e){const t=rd(e),n=t.defaultView??window;let r=e.parentNode;const o=[],i=t.scrollingElement||t.documentElement;for(;r instanceof n.HTMLElement&&r!==i;)(r.offsetHeight<r.scrollHeight||r.offsetWidth<r.scrollWidth)&&o.push({element:r,scrollTop:r.scrollTop,scrollLeft:r.scrollLeft}),r=r.parentNode;return i instanceof n.HTMLElement&&o.push({element:i,scrollTop:i.scrollTop,scrollLeft:i.scrollLeft}),o}function iH(e){for(const{element:t,scrollTop:n,scrollLeft:r}of e)t.scrollTop=n,t.scrollLeft=r}function aH(e){return!!e.touches}function sH(e){return t=>{const n=VW(t),r=t instanceof n.MouseEvent;(!r||r&&t.button===0)&&e(t)}}var lH={pageX:0,pageY:0};function uH(e,t="page"){const r=e.touches[0]||e.changedTouches[0]||lH;return{x:r[`${t}X`],y:r[`${t}Y`]}}function cH(e,t="page"){return{x:e[`${t}X`],y:e[`${t}Y`]}}function fH(e,t="page"){return{point:aH(e)?uH(e,t):cH(e,t)}}var dH=(e,t=!1)=>{const n=r=>e(r,fH(r));return t?sH(n):n},pH=()=>od&&window.onpointerdown===null,hH=()=>od&&window.ontouchstart===null,mH=()=>od&&window.onmousedown===null,gH={pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointercancel:"mousecancel",pointerover:"mouseover",pointerout:"mouseout",pointerenter:"mouseenter",pointerleave:"mouseleave"},vH={pointerdown:"touchstart",pointermove:"touchmove",pointerup:"touchend",pointercancel:"touchcancel"};function yH(e){return pH()?e:hH()?vH[e]:mH()?gH[e]:e}Object.freeze(["base","sm","md","lg","xl","2xl"]);function bH(e){const{userAgent:t,vendor:n}=e,r=/(android)/i.test(t);switch(!0){case/CriOS/.test(t):return"Chrome for iOS";case/Edg\//.test(t):return"Edge";case(r&&/Silk\//.test(t)):return"Silk";case(/Chrome/.test(t)&&/Google Inc/.test(n)):return"Chrome";case/Firefox\/\d+\.\d+$/.test(t):return"Firefox";case r:return"AOSP";case/MSIE|Trident/.test(t):return"IE";case(/Safari/.test(e.userAgent)&&/Apple Computer/.test(t)):return"Safari";case/AppleWebKit/.test(t):return"WebKit";default:return null}}function xH(e){return od?bH(window.navigator)===e:!1}function SH(e={}){const{strict:t=!0,errorMessage:n="useContext: `context` is undefined. Seems you forgot to wrap component within the Provider",name:r}=e,o=C.exports.createContext(void 0);o.displayName=r;function i(){var s;const u=C.exports.useContext(o);if(!u&&t){const c=new Error(n);throw c.name="ContextError",(s=Error.captureStackTrace)==null||s.call(Error,c,i),c}return u}return[o.Provider,i,o]}var wH=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|abbr|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|download|draggable|encType|enterKeyHint|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|incremental|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/,CH=vk(function(e){return wH.test(e)||e.charCodeAt(0)===111&&e.charCodeAt(1)===110&&e.charCodeAt(2)<91}),_H=CH,kH=function(t){return t!=="theme"},yS=function(t){return typeof t=="string"&&t.charCodeAt(0)>96?_H:kH},bS=function(t,n,r){var o;if(n){var i=n.shouldForwardProp;o=t.__emotion_forwardProp&&i?function(s){return t.__emotion_forwardProp(s)&&i(s)}:i}return typeof o!="function"&&r&&(o=t.__emotion_forwardProp),o},EH=function(t){var n=t.cache,r=t.serialized,o=t.isStringTag;return wk(n,r,o),IW(function(){return Ck(n,r,o)}),null},LH=function e(t,n){var r=t.__emotion_real===t,o=r&&t.__emotion_base||t,i,s;n!==void 0&&(i=n.label,s=n.target);var u=bS(t,n,r),c=u||yS(o),f=!c("as");return function(){var p=arguments,h=r&&t.__emotion_styles!==void 0?t.__emotion_styles.slice(0):[];if(i!==void 0&&h.push("label:"+i+";"),p[0]==null||p[0].raw===void 0)h.push.apply(h,p);else{h.push(p[0][0]);for(var m=p.length,g=1;g<m;g++)h.push(p[g],p[0][g])}var b=Lk(function(S,E,w){var x=f&&S.as||o,_="",L=[],T=S;if(S.theme==null){T={};for(var O in S)T[O]=S[O];T.theme=C.exports.useContext(Lf)}typeof S.className=="string"?_=_W(E.registered,L,S.className):S.className!=null&&(_=S.className+" ");var N=e3(h.concat(L),E.registered,T);_+=E.key+"-"+N.name,s!==void 0&&(_+=" "+s);var F=f&&u===void 0?yS(x):c,q={};for(var W in S)f&&W==="as"||F(W)&&(q[W]=S[W]);return q.className=_,q.ref=w,C.exports.createElement(C.exports.Fragment,null,C.exports.createElement(EH,{cache:E,serialized:N,isStringTag:typeof x=="string"}),C.exports.createElement(x,q))});return b.displayName=i!==void 0?i:"Styled("+(typeof o=="string"?o:o.displayName||o.name||"Component")+")",b.defaultProps=t.defaultProps,b.__emotion_real=b,b.__emotion_base=o,b.__emotion_styles=h,b.__emotion_forwardProp=u,Object.defineProperty(b,"toString",{value:function(){return"."+s}}),b.withComponent=function(S,E){return e(S,kf({},n,E,{shouldForwardProp:bS(b,E,!0)})).apply(void 0,h)},b}},PH=["a","abbr","address","area","article","aside","audio","b","base","bdi","bdo","big","blockquote","body","br","button","canvas","caption","cite","code","col","colgroup","data","datalist","dd","del","details","dfn","dialog","div","dl","dt","em","embed","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","iframe","img","input","ins","kbd","keygen","label","legend","li","link","main","map","mark","marquee","menu","menuitem","meta","meter","nav","noscript","object","ol","optgroup","option","output","p","param","picture","pre","progress","q","rp","rt","ruby","s","samp","script","section","select","small","source","span","strong","style","sub","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","title","tr","track","u","ul","var","video","wbr","circle","clipPath","defs","ellipse","foreignObject","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","svg","text","tspan"],My=LH.bind();PH.forEach(function(e){My[e]=My(e)});var AH=typeof Element<"u",TH=typeof Map=="function",IH=typeof Set=="function",MH=typeof ArrayBuffer=="function"&&!!ArrayBuffer.isView;function Bh(e,t){if(e===t)return!0;if(e&&t&&typeof e=="object"&&typeof t=="object"){if(e.constructor!==t.constructor)return!1;var n,r,o;if(Array.isArray(e)){if(n=e.length,n!=t.length)return!1;for(r=n;r--!==0;)if(!Bh(e[r],t[r]))return!1;return!0}var i;if(TH&&e instanceof Map&&t instanceof Map){if(e.size!==t.size)return!1;for(i=e.entries();!(r=i.next()).done;)if(!t.has(r.value[0]))return!1;for(i=e.entries();!(r=i.next()).done;)if(!Bh(r.value[1],t.get(r.value[0])))return!1;return!0}if(IH&&e instanceof Set&&t instanceof Set){if(e.size!==t.size)return!1;for(i=e.entries();!(r=i.next()).done;)if(!t.has(r.value[0]))return!1;return!0}if(MH&&ArrayBuffer.isView(e)&&ArrayBuffer.isView(t)){if(n=e.length,n!=t.length)return!1;for(r=n;r--!==0;)if(e[r]!==t[r])return!1;return!0}if(e.constructor===RegExp)return e.source===t.source&&e.flags===t.flags;if(e.valueOf!==Object.prototype.valueOf)return e.valueOf()===t.valueOf();if(e.toString!==Object.prototype.toString)return e.toString()===t.toString();if(o=Object.keys(e),n=o.length,n!==Object.keys(t).length)return!1;for(r=n;r--!==0;)if(!Object.prototype.hasOwnProperty.call(t,o[r]))return!1;if(AH&&e instanceof Element)return!1;for(r=n;r--!==0;)if(!((o[r]==="_owner"||o[r]==="__v"||o[r]==="__o")&&e.$$typeof)&&!Bh(e[o[r]],t[o[r]]))return!1;return!0}return e!==e&&t!==t}var RH=function(t,n){try{return Bh(t,n)}catch(r){if((r.message||"").match(/stack|recursion/i))return console.warn("react-fast-compare cannot handle circular refs"),!1;throw r}};function Z0(){const e=C.exports.useContext(Lf);if(!e)throw Error("useTheme: `theme` is undefined. Seems you forgot to wrap your app in `<ChakraProvider />` or `<ThemeProvider />`");return e}function Dk(){const e=A0(),t=Z0();return{...e,theme:t}}function OH(e,t,n){if(t==null)return t;const r=o=>{var i,s;return(s=(i=e.__breakpoints)==null?void 0:i.asArray)==null?void 0:s[o]};return r(t)??r(n)??n}function NH(e,t,n){if(t==null)return t;const r=o=>{var i,s;return(s=(i=e.__cssMap)==null?void 0:i[o])==null?void 0:s.value};return r(t)??r(n)??n}function DH(e,t,n){const r=Array.isArray(t)?t:[t],o=Array.isArray(n)?n:[n];return i=>{const s=o.filter(Boolean),u=r.map((c,f)=>{if(e==="breakpoints")return OH(i,c,s[f]??c);const p=`${e}.${c}`;return NH(i,p,s[f]??c)});return Array.isArray(t)?u:u[0]}}function zH(e){const{cssVarsRoot:t,theme:n,children:r}=e,o=C.exports.useMemo(()=>LV(n),[n]);return X(OW,{theme:o,children:[y(FH,{root:t}),r]})}function FH({root:e=":host, :root"}){const t=[e,"[data-theme]"].join(",");return y(U0,{styles:n=>({[t]:n.__cssVars})})}SH({name:"StylesContext",errorMessage:"useStyles: `styles` is undefined. Seems you forgot to wrap the components in `<StylesProvider />` "});function BH(){const{colorMode:e}=A0();return y(U0,{styles:t=>{const n=Ak(t,"styles.global"),r=T1(n,{theme:t,colorMode:e});return r?uk(r)(t):void 0}})}var $H=new Set([...TV,"textStyle","layerStyle","apply","noOfLines","focusBorderColor","errorBorderColor","as","__css","css","sx"]),VH=new Set(["htmlWidth","htmlHeight","htmlSize"]);function WH(e){return VH.has(e)||!$H.has(e)}var HH=({baseStyle:e})=>t=>{const{theme:n,css:r,__css:o,sx:i,...s}=t,u=Tk(s,(h,m)=>MV(m)),c=T1(e,t),f=Object.assign({},o,c,Ik(u),i),p=uk(f)(t.theme);return r?[p,r]:p};function Wv(e,t){const{baseStyle:n,...r}=t??{};r.shouldForwardProp||(r.shouldForwardProp=WH);const o=HH({baseStyle:n});return My(e,r)(o)}function ue(e){return C.exports.forwardRef(e)}function zk(e,t={}){const{styleConfig:n,...r}=t,{theme:o,colorMode:i}=Dk(),s=Ak(o,`components.${e}`),u=n||s,c=Ba({theme:o,colorMode:i},u?.defaultProps??{},Ik(zW(r,["children"]))),f=C.exports.useRef({});if(u){const h=$V(u)(c);RH(f.current,h)||(f.current=h)}return f.current}function ir(e,t={}){return zk(e,t)}function ar(e,t={}){return zk(e,t)}function jH(){const e=new Map;return new Proxy(Wv,{apply(t,n,r){return Wv(...r)},get(t,n){return e.has(n)||e.set(n,Wv(n)),e.get(n)}})}var oe=jH();function UH(e,t){return`${e} returned \`undefined\`. Seems you forgot to wrap component within ${t}`}function At(e={}){const{name:t,strict:n=!0,hookName:r="useContext",providerName:o="Provider",errorMessage:i}=e,s=C.exports.createContext(void 0);s.displayName=t;function u(){var c;const f=C.exports.useContext(s);if(!f&&n){const p=new Error(i??UH(r,o));throw p.name="ContextError",(c=Error.captureStackTrace)==null||c.call(Error,p,u),p}return f}return[s.Provider,u,s]}function GH(e,t){if(e!=null){if(typeof e=="function"){e(t);return}try{e.current=t}catch{throw new Error(`Cannot assign value '${t}' to ref '${e}'`)}}}function qt(...e){return t=>{e.forEach(n=>{GH(n,t)})}}function ZH(...e){return C.exports.useMemo(()=>qt(...e),e)}function xS(e){return e.sort((t,n)=>{const r=t.compareDocumentPosition(n);if(r&Node.DOCUMENT_POSITION_FOLLOWING||r&Node.DOCUMENT_POSITION_CONTAINED_BY)return-1;if(r&Node.DOCUMENT_POSITION_PRECEDING||r&Node.DOCUMENT_POSITION_CONTAINS)return 1;if(r&Node.DOCUMENT_POSITION_DISCONNECTED||r&Node.DOCUMENT_POSITION_IMPLEMENTATION_SPECIFIC)throw Error("Cannot sort the given nodes.");return 0})}var qH=e=>typeof e=="object"&&"nodeType"in e&&e.nodeType===Node.ELEMENT_NODE;function SS(e,t,n){let r=e+1;return n&&r>=t&&(r=0),r}function wS(e,t,n){let r=e-1;return n&&r<0&&(r=t),r}var Ry=typeof window<"u"?C.exports.useLayoutEffect:C.exports.useEffect,M1=e=>e,KH=class{descendants=new Map;register=e=>{if(e!=null)return qH(e)?this.registerNode(e):t=>{this.registerNode(t,e)}};unregister=e=>{this.descendants.delete(e);const t=xS(Array.from(this.descendants.keys()));this.assignIndex(t)};destroy=()=>{this.descendants.clear()};assignIndex=e=>{this.descendants.forEach(t=>{const n=e.indexOf(t.node);t.index=n,t.node.dataset.index=t.index.toString()})};count=()=>this.descendants.size;enabledCount=()=>this.enabledValues().length;values=()=>Array.from(this.descendants.values()).sort((t,n)=>t.index-n.index);enabledValues=()=>this.values().filter(e=>!e.disabled);item=e=>{if(this.count()!==0)return this.values()[e]};enabledItem=e=>{if(this.enabledCount()!==0)return this.enabledValues()[e]};first=()=>this.item(0);firstEnabled=()=>this.enabledItem(0);last=()=>this.item(this.descendants.size-1);lastEnabled=()=>{const e=this.enabledValues().length-1;return this.enabledItem(e)};indexOf=e=>{var t;return e?((t=this.descendants.get(e))==null?void 0:t.index)??-1:-1};enabledIndexOf=e=>e==null?-1:this.enabledValues().findIndex(t=>t.node.isSameNode(e));next=(e,t=!0)=>{const n=SS(e,this.count(),t);return this.item(n)};nextEnabled=(e,t=!0)=>{const n=this.item(e);if(!n)return;const r=this.enabledIndexOf(n.node),o=SS(r,this.enabledCount(),t);return this.enabledItem(o)};prev=(e,t=!0)=>{const n=wS(e,this.count()-1,t);return this.item(n)};prevEnabled=(e,t=!0)=>{const n=this.item(e);if(!n)return;const r=this.enabledIndexOf(n.node),o=wS(r,this.enabledCount()-1,t);return this.enabledItem(o)};registerNode=(e,t)=>{if(!e||this.descendants.has(e))return;const n=Array.from(this.descendants.keys()).concat(e),r=xS(n);t?.disabled&&(t.disabled=!!t.disabled);const o={node:e,index:-1,...t};this.descendants.set(e,o),this.assignIndex(r)}};function YH(){const e=C.exports.useRef(new KH);return Ry(()=>()=>e.current.destroy()),e.current}var[XH,Fk]=At({name:"DescendantsProvider",errorMessage:"useDescendantsContext must be used within DescendantsProvider"});function QH(e){const t=Fk(),[n,r]=C.exports.useState(-1),o=C.exports.useRef(null);Ry(()=>()=>{!o.current||t.unregister(o.current)},[]),Ry(()=>{if(!o.current)return;const s=Number(o.current.dataset.index);n!=s&&!Number.isNaN(s)&&r(s)});const i=M1(e?t.register(e):t.register);return{descendants:t,index:n,enabledIndex:t.enabledIndexOf(o.current),register:qt(i,o)}}function Bk(){return[M1(XH),()=>M1(Fk()),()=>YH(),o=>QH(o)]}var Yt=(...e)=>e.filter(Boolean).join(" "),CS={path:X("g",{stroke:"currentColor",strokeWidth:"1.5",children:[y("path",{strokeLinecap:"round",fill:"none",d:"M9,9a3,3,0,1,1,4,2.829,1.5,1.5,0,0,0-1,1.415V14.25"}),y("path",{fill:"currentColor",strokeLinecap:"round",d:"M12,17.25a.375.375,0,1,0,.375.375A.375.375,0,0,0,12,17.25h0"}),y("circle",{fill:"none",strokeMiterlimit:"10",cx:"12",cy:"12",r:"11.25"})]}),viewBox:"0 0 24 24"},Wr=ue((e,t)=>{const{as:n,viewBox:r,color:o="currentColor",focusable:i=!1,children:s,className:u,__css:c,...f}=e,p=Yt("chakra-icon",u),h={w:"1em",h:"1em",display:"inline-block",lineHeight:"1em",flexShrink:0,color:o,...c},m={ref:t,focusable:i,className:p,__css:h},g=r??CS.viewBox;if(n&&typeof n!="string")return Q.createElement(oe.svg,{as:n,...m,...f});const b=s??CS.path;return Q.createElement(oe.svg,{verticalAlign:"middle",viewBox:g,...m,...f},b)});Wr.displayName="Icon";function Eu(e){const{viewBox:t="0 0 24 24",d:n,displayName:r,defaultProps:o={}}=e,i=C.exports.Children.toArray(e.path),s=ue((u,c)=>y(Wr,{ref:c,viewBox:t,...o,...u,children:i.length?i:y("path",{fill:"currentColor",d:n})}));return s.displayName=r,s}function Wn(e,t=[]){const n=C.exports.useRef(e);return C.exports.useEffect(()=>{n.current=e}),C.exports.useCallback((...r)=>{var o;return(o=n.current)==null?void 0:o.call(n,...r)},t)}function $k(e){const{value:t,defaultValue:n,onChange:r,shouldUpdate:o=(m,g)=>m!==g}=e,i=Wn(r),s=Wn(o),[u,c]=C.exports.useState(n),f=t!==void 0,p=f?t:u,h=C.exports.useCallback(m=>{const b=typeof m=="function"?m(p):m;!s(p,b)||(f||c(b),i(b))},[f,i,p,s]);return[p,h]}const r3=C.exports.createContext({transformPagePoint:e=>e,isStatic:!1,reducedMotion:"never"}),q0=C.exports.createContext({});function JH(){return C.exports.useContext(q0).visualElement}const Lu=C.exports.createContext(null),zs=typeof document<"u",R1=zs?C.exports.useLayoutEffect:C.exports.useEffect,Vk=C.exports.createContext({strict:!1});function ej(e,t,n,r){const o=JH(),i=C.exports.useContext(Vk),s=C.exports.useContext(Lu),u=C.exports.useContext(r3).reducedMotion,c=C.exports.useRef(void 0);r=r||i.renderer,!c.current&&r&&(c.current=r(e,{visualState:t,parent:o,props:n,presenceId:s?s.id:void 0,blockInitialAnimation:s?s.initial===!1:!1,reducedMotionConfig:u}));const f=c.current;return R1(()=>{f&&f.syncRender()}),C.exports.useEffect(()=>{f&&f.animationState&&f.animationState.animateChanges()}),R1(()=>()=>f&&f.notifyUnmount(),[]),f}function $l(e){return typeof e=="object"&&Object.prototype.hasOwnProperty.call(e,"current")}function tj(e,t,n){return C.exports.useCallback(r=>{r&&e.mount&&e.mount(r),t&&(r?t.mount(r):t.unmount()),n&&(typeof n=="function"?n(r):$l(n)&&(n.current=r))},[t])}function Pf(e){return typeof e=="string"||Array.isArray(e)}function K0(e){return typeof e=="object"&&typeof e.start=="function"}const nj=["initial","animate","exit","whileHover","whileDrag","whileTap","whileFocus","whileInView"];function Y0(e){return K0(e.animate)||nj.some(t=>Pf(e[t]))}function Wk(e){return Boolean(Y0(e)||e.variants)}function rj(e,t){if(Y0(e)){const{initial:n,animate:r}=e;return{initial:n===!1||Pf(n)?n:void 0,animate:Pf(r)?r:void 0}}return e.inherit!==!1?t:{}}function oj(e){const{initial:t,animate:n}=rj(e,C.exports.useContext(q0));return C.exports.useMemo(()=>({initial:t,animate:n}),[_S(t),_S(n)])}function _S(e){return Array.isArray(e)?e.join(" "):e}const Ai=e=>({isEnabled:t=>e.some(n=>!!t[n])}),Af={measureLayout:Ai(["layout","layoutId","drag"]),animation:Ai(["animate","exit","variants","whileHover","whileTap","whileFocus","whileDrag","whileInView"]),exit:Ai(["exit"]),drag:Ai(["drag","dragControls"]),focus:Ai(["whileFocus"]),hover:Ai(["whileHover","onHoverStart","onHoverEnd"]),tap:Ai(["whileTap","onTap","onTapStart","onTapCancel"]),pan:Ai(["onPan","onPanStart","onPanSessionStart","onPanEnd"]),inView:Ai(["whileInView","onViewportEnter","onViewportLeave"])};function ij(e){for(const t in e)t==="projectionNodeConstructor"?Af.projectionNodeConstructor=e[t]:Af[t].Component=e[t]}function X0(e){const t=C.exports.useRef(null);return t.current===null&&(t.current=e()),t.current}const Uc={hasAnimatedSinceResize:!0,hasEverUpdated:!1};let aj=1;function sj(){return X0(()=>{if(Uc.hasEverUpdated)return aj++})}const o3=C.exports.createContext({});class lj extends Q.Component{getSnapshotBeforeUpdate(){const{visualElement:t,props:n}=this.props;return t&&t.setProps(n),null}componentDidUpdate(){}render(){return this.props.children}}const Hk=C.exports.createContext({}),uj=Symbol.for("motionComponentSymbol");function cj({preloadedFeatures:e,createVisualElement:t,projectionNodeConstructor:n,useRender:r,useVisualState:o,Component:i}){e&&ij(e);function s(c,f){const p={...C.exports.useContext(r3),...c,layoutId:fj(c)},{isStatic:h}=p;let m=null;const g=oj(c),b=h?void 0:sj(),S=o(c,h);if(!h&&zs){g.visualElement=ej(i,S,p,t);const E=C.exports.useContext(Vk).strict,w=C.exports.useContext(Hk);g.visualElement&&(m=g.visualElement.loadFeatures(p,E,e,b,n||Af.projectionNodeConstructor,w))}return X(lj,{visualElement:g.visualElement,props:p,children:[m,y(q0.Provider,{value:g,children:r(i,c,b,tj(S,g.visualElement,f),S,h,g.visualElement)})]})}const u=C.exports.forwardRef(s);return u[uj]=i,u}function fj({layoutId:e}){const t=C.exports.useContext(o3).id;return t&&e!==void 0?t+"-"+e:e}function dj(e){function t(r,o={}){return cj(e(r,o))}if(typeof Proxy>"u")return t;const n=new Map;return new Proxy(t,{get:(r,o)=>(n.has(o)||n.set(o,t(o)),n.get(o))})}const pj=["animate","circle","defs","desc","ellipse","g","image","line","filter","marker","mask","metadata","path","pattern","polygon","polyline","rect","stop","svg","switch","symbol","text","tspan","use","view"];function i3(e){return typeof e!="string"||e.includes("-")?!1:!!(pj.indexOf(e)>-1||/[A-Z]/.test(e))}const O1={};function hj(e){Object.assign(O1,e)}const N1=["transformPerspective","x","y","z","translateX","translateY","translateZ","scale","scaleX","scaleY","rotate","rotateX","rotateY","rotateZ","skew","skewX","skewY"],id=new Set(N1);function jk(e,{layout:t,layoutId:n}){return id.has(e)||e.startsWith("origin")||(t||n!==void 0)&&(!!O1[e]||e==="opacity")}const li=e=>!!e?.getVelocity,mj={x:"translateX",y:"translateY",z:"translateZ",transformPerspective:"perspective"},gj=(e,t)=>N1.indexOf(e)-N1.indexOf(t);function vj({transform:e,transformKeys:t},{enableHardwareAcceleration:n=!0,allowTransformNone:r=!0},o,i){let s="";t.sort(gj);for(const u of t)s+=`${mj[u]||u}(${e[u]}) `;return n&&!e.z&&(s+="translateZ(0)"),s=s.trim(),i?s=i(e,o?"":s):r&&o&&(s="none"),s}function Uk(e){return e.startsWith("--")}const yj=(e,t)=>t&&typeof e=="number"?t.transform(e):e,Gk=(e,t)=>n=>Math.max(Math.min(n,t),e),Gc=e=>e%1?Number(e.toFixed(5)):e,Tf=/(-)?([\d]*\.?[\d])+/g,Oy=/(#[0-9a-f]{6}|#[0-9a-f]{3}|#(?:[0-9a-f]{2}){2,4}|(rgb|hsl)a?\((-?[\d\.]+%?[,\s]+){2}(-?[\d\.]+%?)\s*[\,\/]?\s*[\d\.]*%?\))/gi,bj=/^(#[0-9a-f]{3}|#(?:[0-9a-f]{2}){2,4}|(rgb|hsl)a?\((-?[\d\.]+%?[,\s]+){2}(-?[\d\.]+%?)\s*[\,\/]?\s*[\d\.]*%?\))$/i;function ad(e){return typeof e=="string"}const Fs={test:e=>typeof e=="number",parse:parseFloat,transform:e=>e},Zc=Object.assign(Object.assign({},Fs),{transform:Gk(0,1)}),Xp=Object.assign(Object.assign({},Fs),{default:1}),sd=e=>({test:t=>ad(t)&&t.endsWith(e)&&t.split(" ").length===1,parse:parseFloat,transform:t=>`${t}${e}`}),da=sd("deg"),ni=sd("%"),Ne=sd("px"),xj=sd("vh"),Sj=sd("vw"),kS=Object.assign(Object.assign({},ni),{parse:e=>ni.parse(e)/100,transform:e=>ni.transform(e*100)}),a3=(e,t)=>n=>Boolean(ad(n)&&bj.test(n)&&n.startsWith(e)||t&&Object.prototype.hasOwnProperty.call(n,t)),Zk=(e,t,n)=>r=>{if(!ad(r))return r;const[o,i,s,u]=r.match(Tf);return{[e]:parseFloat(o),[t]:parseFloat(i),[n]:parseFloat(s),alpha:u!==void 0?parseFloat(u):1}},bs={test:a3("hsl","hue"),parse:Zk("hue","saturation","lightness"),transform:({hue:e,saturation:t,lightness:n,alpha:r=1})=>"hsla("+Math.round(e)+", "+ni.transform(Gc(t))+", "+ni.transform(Gc(n))+", "+Gc(Zc.transform(r))+")"},wj=Gk(0,255),Hv=Object.assign(Object.assign({},Fs),{transform:e=>Math.round(wj(e))}),_a={test:a3("rgb","red"),parse:Zk("red","green","blue"),transform:({red:e,green:t,blue:n,alpha:r=1})=>"rgba("+Hv.transform(e)+", "+Hv.transform(t)+", "+Hv.transform(n)+", "+Gc(Zc.transform(r))+")"};function Cj(e){let t="",n="",r="",o="";return e.length>5?(t=e.substr(1,2),n=e.substr(3,2),r=e.substr(5,2),o=e.substr(7,2)):(t=e.substr(1,1),n=e.substr(2,1),r=e.substr(3,1),o=e.substr(4,1),t+=t,n+=n,r+=r,o+=o),{red:parseInt(t,16),green:parseInt(n,16),blue:parseInt(r,16),alpha:o?parseInt(o,16)/255:1}}const Ny={test:a3("#"),parse:Cj,transform:_a.transform},Qn={test:e=>_a.test(e)||Ny.test(e)||bs.test(e),parse:e=>_a.test(e)?_a.parse(e):bs.test(e)?bs.parse(e):Ny.parse(e),transform:e=>ad(e)?e:e.hasOwnProperty("red")?_a.transform(e):bs.transform(e)},qk="${c}",Kk="${n}";function _j(e){var t,n,r,o;return isNaN(e)&&ad(e)&&((n=(t=e.match(Tf))===null||t===void 0?void 0:t.length)!==null&&n!==void 0?n:0)+((o=(r=e.match(Oy))===null||r===void 0?void 0:r.length)!==null&&o!==void 0?o:0)>0}function Yk(e){typeof e=="number"&&(e=`${e}`);const t=[];let n=0;const r=e.match(Oy);r&&(n=r.length,e=e.replace(Oy,qk),t.push(...r.map(Qn.parse)));const o=e.match(Tf);return o&&(e=e.replace(Tf,Kk),t.push(...o.map(Fs.parse))),{values:t,numColors:n,tokenised:e}}function Xk(e){return Yk(e).values}function Qk(e){const{values:t,numColors:n,tokenised:r}=Yk(e),o=t.length;return i=>{let s=r;for(let u=0;u<o;u++)s=s.replace(u<n?qk:Kk,u<n?Qn.transform(i[u]):Gc(i[u]));return s}}const kj=e=>typeof e=="number"?0:e;function Ej(e){const t=Xk(e);return Qk(e)(t.map(kj))}const ji={test:_j,parse:Xk,createTransformer:Qk,getAnimatableNone:Ej},Lj=new Set(["brightness","contrast","saturate","opacity"]);function Pj(e){let[t,n]=e.slice(0,-1).split("(");if(t==="drop-shadow")return e;const[r]=n.match(Tf)||[];if(!r)return e;const o=n.replace(r,"");let i=Lj.has(t)?1:0;return r!==n&&(i*=100),t+"("+i+o+")"}const Aj=/([a-z-]*)\(.*?\)/g,Dy=Object.assign(Object.assign({},ji),{getAnimatableNone:e=>{const t=e.match(Aj);return t?t.map(Pj).join(" "):e}}),ES={...Fs,transform:Math.round},Jk={borderWidth:Ne,borderTopWidth:Ne,borderRightWidth:Ne,borderBottomWidth:Ne,borderLeftWidth:Ne,borderRadius:Ne,radius:Ne,borderTopLeftRadius:Ne,borderTopRightRadius:Ne,borderBottomRightRadius:Ne,borderBottomLeftRadius:Ne,width:Ne,maxWidth:Ne,height:Ne,maxHeight:Ne,size:Ne,top:Ne,right:Ne,bottom:Ne,left:Ne,padding:Ne,paddingTop:Ne,paddingRight:Ne,paddingBottom:Ne,paddingLeft:Ne,margin:Ne,marginTop:Ne,marginRight:Ne,marginBottom:Ne,marginLeft:Ne,rotate:da,rotateX:da,rotateY:da,rotateZ:da,scale:Xp,scaleX:Xp,scaleY:Xp,scaleZ:Xp,skew:da,skewX:da,skewY:da,distance:Ne,translateX:Ne,translateY:Ne,translateZ:Ne,x:Ne,y:Ne,z:Ne,perspective:Ne,transformPerspective:Ne,opacity:Zc,originX:kS,originY:kS,originZ:Ne,zIndex:ES,fillOpacity:Zc,strokeOpacity:Zc,numOctaves:ES};function s3(e,t,n,r){const{style:o,vars:i,transform:s,transformKeys:u,transformOrigin:c}=e;u.length=0;let f=!1,p=!1,h=!0;for(const m in t){const g=t[m];if(Uk(m)){i[m]=g;continue}const b=Jk[m],S=yj(g,b);if(id.has(m)){if(f=!0,s[m]=S,u.push(m),!h)continue;g!==(b.default||0)&&(h=!1)}else m.startsWith("origin")?(p=!0,c[m]=S):o[m]=S}if(f||r?o.transform=vj(e,n,h,r):!t.transform&&o.transform&&(o.transform="none"),p){const{originX:m="50%",originY:g="50%",originZ:b=0}=c;o.transformOrigin=`${m} ${g} ${b}`}}const l3=()=>({style:{},transform:{},transformKeys:[],transformOrigin:{},vars:{}});function eE(e,t,n){for(const r in t)!li(t[r])&&!jk(r,n)&&(e[r]=t[r])}function Tj({transformTemplate:e},t,n){return C.exports.useMemo(()=>{const r=l3();return s3(r,t,{enableHardwareAcceleration:!n},e),Object.assign({},r.vars,r.style)},[t])}function Ij(e,t,n){const r=e.style||{},o={};return eE(o,r,e),Object.assign(o,Tj(e,t,n)),e.transformValues?e.transformValues(o):o}function Mj(e,t,n){const r={},o=Ij(e,t,n);return e.drag&&e.dragListener!==!1&&(r.draggable=!1,o.userSelect=o.WebkitUserSelect=o.WebkitTouchCallout="none",o.touchAction=e.drag===!0?"none":`pan-${e.drag==="x"?"y":"x"}`),r.style=o,r}const Rj=["animate","exit","variants","whileHover","whileTap","whileFocus","whileDrag","whileInView"],Oj=["whileTap","onTap","onTapStart","onTapCancel"],Nj=["onPan","onPanStart","onPanSessionStart","onPanEnd"],Dj=["whileInView","onViewportEnter","onViewportLeave","viewport"],zj=new Set(["initial","style","variants","transition","transformTemplate","transformValues","custom","inherit","layout","layoutId","layoutDependency","onLayoutAnimationStart","onLayoutAnimationComplete","onLayoutMeasure","onBeforeLayoutMeasure","onAnimationStart","onAnimationComplete","onUpdate","onDragStart","onDrag","onDragEnd","onMeasureDragConstraints","onDirectionLock","onDragTransitionEnd","drag","dragControls","dragListener","dragConstraints","dragDirectionLock","dragSnapToOrigin","_dragX","_dragY","dragElastic","dragMomentum","dragPropagation","dragTransition","onHoverStart","onHoverEnd","layoutScroll",...Dj,...Oj,...Rj,...Nj]);function D1(e){return zj.has(e)}let tE=e=>!D1(e);function Fj(e){!e||(tE=t=>t.startsWith("on")?!D1(t):e(t))}try{Fj(require("@emotion/is-prop-valid").default)}catch{}function Bj(e,t,n){const r={};for(const o in e)(tE(o)||n===!0&&D1(o)||!t&&!D1(o)||e.draggable&&o.startsWith("onDrag"))&&(r[o]=e[o]);return r}function LS(e,t,n){return typeof e=="string"?e:Ne.transform(t+n*e)}function $j(e,t,n){const r=LS(t,e.x,e.width),o=LS(n,e.y,e.height);return`${r} ${o}`}const Vj={offset:"stroke-dashoffset",array:"stroke-dasharray"},Wj={offset:"strokeDashoffset",array:"strokeDasharray"};function Hj(e,t,n=1,r=0,o=!0){e.pathLength=1;const i=o?Vj:Wj;e[i.offset]=Ne.transform(-r);const s=Ne.transform(t),u=Ne.transform(n);e[i.array]=`${s} ${u}`}function u3(e,{attrX:t,attrY:n,originX:r,originY:o,pathLength:i,pathSpacing:s=1,pathOffset:u=0,...c},f,p){s3(e,c,f,p),e.attrs=e.style,e.style={};const{attrs:h,style:m,dimensions:g}=e;h.transform&&(g&&(m.transform=h.transform),delete h.transform),g&&(r!==void 0||o!==void 0||m.transform)&&(m.transformOrigin=$j(g,r!==void 0?r:.5,o!==void 0?o:.5)),t!==void 0&&(h.x=t),n!==void 0&&(h.y=n),i!==void 0&&Hj(h,i,s,u,!1)}const nE=()=>({...l3(),attrs:{}});function jj(e,t){const n=C.exports.useMemo(()=>{const r=nE();return u3(r,t,{enableHardwareAcceleration:!1},e.transformTemplate),{...r.attrs,style:{...r.style}}},[t]);if(e.style){const r={};eE(r,e.style,e),n.style={...r,...n.style}}return n}function Uj(e=!1){return(n,r,o,i,{latestValues:s},u)=>{const f=(i3(n)?jj:Mj)(r,s,u),h={...Bj(r,typeof n=="string",e),...f,ref:i};return o&&(h["data-projection-id"]=o),C.exports.createElement(n,h)}}const rE=e=>e.replace(/([a-z])([A-Z])/g,"$1-$2").toLowerCase();function oE(e,{style:t,vars:n},r,o){Object.assign(e.style,t,o&&o.getProjectionStyles(r));for(const i in n)e.style.setProperty(i,n[i])}const iE=new Set(["baseFrequency","diffuseConstant","kernelMatrix","kernelUnitLength","keySplines","keyTimes","limitingConeAngle","markerHeight","markerWidth","numOctaves","targetX","targetY","surfaceScale","specularConstant","specularExponent","stdDeviation","tableValues","viewBox","gradientTransform","pathLength"]);function aE(e,t,n,r){oE(e,t,void 0,r);for(const o in t.attrs)e.setAttribute(iE.has(o)?o:rE(o),t.attrs[o])}function c3(e){const{style:t}=e,n={};for(const r in t)(li(t[r])||jk(r,e))&&(n[r]=t[r]);return n}function sE(e){const t=c3(e);for(const n in e)if(li(e[n])){const r=n==="x"||n==="y"?"attr"+n.toUpperCase():n;t[r]=e[n]}return t}function lE(e,t,n,r={},o={}){return typeof t=="function"&&(t=t(n!==void 0?n:e.custom,r,o)),typeof t=="string"&&(t=e.variants&&e.variants[t]),typeof t=="function"&&(t=t(n!==void 0?n:e.custom,r,o)),t}const If=e=>Array.isArray(e),Gj=e=>Boolean(e&&typeof e=="object"&&e.mix&&e.toValue),uE=e=>If(e)?e[e.length-1]||0:e;function $h(e){const t=li(e)?e.get():e;return Gj(t)?t.toValue():t}function Zj({scrapeMotionValuesFromProps:e,createRenderState:t,onMount:n},r,o,i){const s={latestValues:qj(r,o,i,e),renderState:t()};return n&&(s.mount=u=>n(r,u,s)),s}const cE=e=>(t,n)=>{const r=C.exports.useContext(q0),o=C.exports.useContext(Lu),i=()=>Zj(e,t,r,o);return n?i():X0(i)};function qj(e,t,n,r){const o={},i=r(e);for(const m in i)o[m]=$h(i[m]);let{initial:s,animate:u}=e;const c=Y0(e),f=Wk(e);t&&f&&!c&&e.inherit!==!1&&(s===void 0&&(s=t.initial),u===void 0&&(u=t.animate));let p=n?n.initial===!1:!1;p=p||s===!1;const h=p?u:s;return h&&typeof h!="boolean"&&!K0(h)&&(Array.isArray(h)?h:[h]).forEach(g=>{const b=lE(e,g);if(!b)return;const{transitionEnd:S,transition:E,...w}=b;for(const x in w){let _=w[x];if(Array.isArray(_)){const L=p?_.length-1:0;_=_[L]}_!==null&&(o[x]=_)}for(const x in S)o[x]=S[x]}),o}const Kj={useVisualState:cE({scrapeMotionValuesFromProps:sE,createRenderState:nE,onMount:(e,t,{renderState:n,latestValues:r})=>{try{n.dimensions=typeof t.getBBox=="function"?t.getBBox():t.getBoundingClientRect()}catch{n.dimensions={x:0,y:0,width:0,height:0}}u3(n,r,{enableHardwareAcceleration:!1},e.transformTemplate),aE(t,n)}})},Yj={useVisualState:cE({scrapeMotionValuesFromProps:c3,createRenderState:l3})};function Xj(e,{forwardMotionProps:t=!1},n,r,o){return{...i3(e)?Kj:Yj,preloadedFeatures:n,useRender:Uj(t),createVisualElement:r,projectionNodeConstructor:o,Component:e}}var Lt;(function(e){e.Animate="animate",e.Hover="whileHover",e.Tap="whileTap",e.Drag="whileDrag",e.Focus="whileFocus",e.InView="whileInView",e.Exit="exit"})(Lt||(Lt={}));function Q0(e,t,n,r={passive:!0}){return e.addEventListener(t,n,r),()=>e.removeEventListener(t,n)}function zy(e,t,n,r){C.exports.useEffect(()=>{const o=e.current;if(n&&o)return Q0(o,t,n,r)},[e,t,n,r])}function Qj({whileFocus:e,visualElement:t}){const{animationState:n}=t,r=()=>{n&&n.setActive(Lt.Focus,!0)},o=()=>{n&&n.setActive(Lt.Focus,!1)};zy(t,"focus",e?r:void 0),zy(t,"blur",e?o:void 0)}function fE(e){return typeof PointerEvent<"u"&&e instanceof PointerEvent?e.pointerType==="mouse":e instanceof MouseEvent}function dE(e){return!!e.touches}function Jj(e){return t=>{const n=t instanceof MouseEvent;(!n||n&&t.button===0)&&e(t)}}const eU={pageX:0,pageY:0};function tU(e,t="page"){const r=e.touches[0]||e.changedTouches[0]||eU;return{x:r[t+"X"],y:r[t+"Y"]}}function nU(e,t="page"){return{x:e[t+"X"],y:e[t+"Y"]}}function f3(e,t="page"){return{point:dE(e)?tU(e,t):nU(e,t)}}const pE=(e,t=!1)=>{const n=r=>e(r,f3(r));return t?Jj(n):n},rU=()=>zs&&window.onpointerdown===null,oU=()=>zs&&window.ontouchstart===null,iU=()=>zs&&window.onmousedown===null,aU={pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointercancel:"mousecancel",pointerover:"mouseover",pointerout:"mouseout",pointerenter:"mouseenter",pointerleave:"mouseleave"},sU={pointerdown:"touchstart",pointermove:"touchmove",pointerup:"touchend",pointercancel:"touchcancel"};function hE(e){return rU()?e:oU()?sU[e]:iU()?aU[e]:e}function Yl(e,t,n,r){return Q0(e,hE(t),pE(n,t==="pointerdown"),r)}function z1(e,t,n,r){return zy(e,hE(t),n&&pE(n,t==="pointerdown"),r)}function mE(e){let t=null;return()=>{const n=()=>{t=null};return t===null?(t=e,n):!1}}const PS=mE("dragHorizontal"),AS=mE("dragVertical");function gE(e){let t=!1;if(e==="y")t=AS();else if(e==="x")t=PS();else{const n=PS(),r=AS();n&&r?t=()=>{n(),r()}:(n&&n(),r&&r())}return t}function vE(){const e=gE(!0);return e?(e(),!1):!0}function TS(e,t,n){return(r,o)=>{!fE(r)||vE()||(e.animationState&&e.animationState.setActive(Lt.Hover,t),n&&n(r,o))}}function lU({onHoverStart:e,onHoverEnd:t,whileHover:n,visualElement:r}){z1(r,"pointerenter",e||n?TS(r,!0,e):void 0,{passive:!e}),z1(r,"pointerleave",t||n?TS(r,!1,t):void 0,{passive:!t})}const yE=(e,t)=>t?e===t?!0:yE(e,t.parentElement):!1;function d3(e){return C.exports.useEffect(()=>()=>e(),[])}var Ko=function(){return Ko=Object.assign||function(t){for(var n,r=1,o=arguments.length;r<o;r++){n=arguments[r];for(var i in n)Object.prototype.hasOwnProperty.call(n,i)&&(t[i]=n[i])}return t},Ko.apply(this,arguments)};function J0(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&t.indexOf(r)<0&&(n[r]=e[r]);if(e!=null&&typeof Object.getOwnPropertySymbols=="function")for(var o=0,r=Object.getOwnPropertySymbols(e);o<r.length;o++)t.indexOf(r[o])<0&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n}function Pu(e,t,n,r){function o(i){return i instanceof n?i:new n(function(s){s(i)})}return new(n||(n=Promise))(function(i,s){function u(p){try{f(r.next(p))}catch(h){s(h)}}function c(p){try{f(r.throw(p))}catch(h){s(h)}}function f(p){p.done?i(p.value):o(p.value).then(u,c)}f((r=r.apply(e,t||[])).next())})}function Au(e,t){var n={label:0,sent:function(){if(i[0]&1)throw i[1];return i[1]},trys:[],ops:[]},r,o,i,s;return s={next:u(0),throw:u(1),return:u(2)},typeof Symbol=="function"&&(s[Symbol.iterator]=function(){return this}),s;function u(f){return function(p){return c([f,p])}}function c(f){if(r)throw new TypeError("Generator is already executing.");for(;n;)try{if(r=1,o&&(i=f[0]&2?o.return:f[0]?o.throw||((i=o.return)&&i.call(o),0):o.next)&&!(i=i.call(o,f[1])).done)return i;switch(o=0,i&&(f=[f[0]&2,i.value]),f[0]){case 0:case 1:i=f;break;case 4:return n.label++,{value:f[1],done:!1};case 5:n.label++,o=f[1],f=[0];continue;case 7:f=n.ops.pop(),n.trys.pop();continue;default:if(i=n.trys,!(i=i.length>0&&i[i.length-1])&&(f[0]===6||f[0]===2)){n=0;continue}if(f[0]===3&&(!i||f[1]>i[0]&&f[1]<i[3])){n.label=f[1];break}if(f[0]===6&&n.label<i[1]){n.label=i[1],i=f;break}if(i&&n.label<i[2]){n.label=i[2],n.ops.push(f);break}i[2]&&n.ops.pop(),n.trys.pop();continue}f=t.call(e,n)}catch(p){f=[6,p],o=0}finally{r=i=0}if(f[0]&5)throw f[1];return{value:f[0]?f[1]:void 0,done:!0}}}function IS(e,t){var n=typeof Symbol=="function"&&e[Symbol.iterator];if(!n)return e;var r=n.call(e),o,i=[],s;try{for(;(t===void 0||t-- >0)&&!(o=r.next()).done;)i.push(o.value)}catch(u){s={error:u}}finally{try{o&&!o.done&&(n=r.return)&&n.call(r)}finally{if(s)throw s.error}}return i}function Fy(e,t,n){if(n||arguments.length===2)for(var r=0,o=t.length,i;r<o;r++)(i||!(r in t))&&(i||(i=Array.prototype.slice.call(t,0,r)),i[r]=t[r]);return e.concat(i||Array.prototype.slice.call(t))}var uU=function(){},F1=function(){};const B1=(e,t,n)=>Math.min(Math.max(n,e),t),jv=.001,cU=.01,MS=10,fU=.05,dU=1;function pU({duration:e=800,bounce:t=.25,velocity:n=0,mass:r=1}){let o,i;uU(e<=MS*1e3);let s=1-t;s=B1(fU,dU,s),e=B1(cU,MS,e/1e3),s<1?(o=f=>{const p=f*s,h=p*e,m=p-n,g=By(f,s),b=Math.exp(-h);return jv-m/g*b},i=f=>{const h=f*s*e,m=h*n+n,g=Math.pow(s,2)*Math.pow(f,2)*e,b=Math.exp(-h),S=By(Math.pow(f,2),s);return(-o(f)+jv>0?-1:1)*((m-g)*b)/S}):(o=f=>{const p=Math.exp(-f*e),h=(f-n)*e+1;return-jv+p*h},i=f=>{const p=Math.exp(-f*e),h=(n-f)*(e*e);return p*h});const u=5/e,c=mU(o,i,u);if(e=e*1e3,isNaN(c))return{stiffness:100,damping:10,duration:e};{const f=Math.pow(c,2)*r;return{stiffness:f,damping:s*2*Math.sqrt(r*f),duration:e}}}const hU=12;function mU(e,t,n){let r=n;for(let o=1;o<hU;o++)r=r-e(r)/t(r);return r}function By(e,t){return e*Math.sqrt(1-t*t)}const gU=["duration","bounce"],vU=["stiffness","damping","mass"];function RS(e,t){return t.some(n=>e[n]!==void 0)}function yU(e){let t=Object.assign({velocity:0,stiffness:100,damping:10,mass:1,isResolvedFromDuration:!1},e);if(!RS(e,vU)&&RS(e,gU)){const n=pU(e);t=Object.assign(Object.assign(Object.assign({},t),n),{velocity:0,mass:1}),t.isResolvedFromDuration=!0}return t}function p3(e){var{from:t=0,to:n=1,restSpeed:r=2,restDelta:o}=e,i=J0(e,["from","to","restSpeed","restDelta"]);const s={done:!1,value:t};let{stiffness:u,damping:c,mass:f,velocity:p,duration:h,isResolvedFromDuration:m}=yU(i),g=OS,b=OS;function S(){const E=p?-(p/1e3):0,w=n-t,x=c/(2*Math.sqrt(u*f)),_=Math.sqrt(u/f)/1e3;if(o===void 0&&(o=Math.min(Math.abs(n-t)/100,.4)),x<1){const L=By(_,x);g=T=>{const O=Math.exp(-x*_*T);return n-O*((E+x*_*w)/L*Math.sin(L*T)+w*Math.cos(L*T))},b=T=>{const O=Math.exp(-x*_*T);return x*_*O*(Math.sin(L*T)*(E+x*_*w)/L+w*Math.cos(L*T))-O*(Math.cos(L*T)*(E+x*_*w)-L*w*Math.sin(L*T))}}else if(x===1)g=L=>n-Math.exp(-_*L)*(w+(E+_*w)*L);else{const L=_*Math.sqrt(x*x-1);g=T=>{const O=Math.exp(-x*_*T),N=Math.min(L*T,300);return n-O*((E+x*_*w)*Math.sinh(N)+L*w*Math.cosh(N))/L}}}return S(),{next:E=>{const w=g(E);if(m)s.done=E>=h;else{const x=b(E)*1e3,_=Math.abs(x)<=r,L=Math.abs(n-w)<=o;s.done=_&&L}return s.value=s.done?n:w,s},flipTarget:()=>{p=-p,[t,n]=[n,t],S()}}}p3.needsInterpolation=(e,t)=>typeof e=="string"||typeof t=="string";const OS=e=>0,Mf=(e,t,n)=>{const r=t-e;return r===0?1:(n-e)/r},Kt=(e,t,n)=>-n*e+n*t+e;function Uv(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+(t-e)*6*n:n<1/2?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function NS({hue:e,saturation:t,lightness:n,alpha:r}){e/=360,t/=100,n/=100;let o=0,i=0,s=0;if(!t)o=i=s=n;else{const u=n<.5?n*(1+t):n+t-n*t,c=2*n-u;o=Uv(c,u,e+1/3),i=Uv(c,u,e),s=Uv(c,u,e-1/3)}return{red:Math.round(o*255),green:Math.round(i*255),blue:Math.round(s*255),alpha:r}}const bU=(e,t,n)=>{const r=e*e,o=t*t;return Math.sqrt(Math.max(0,n*(o-r)+r))},xU=[Ny,_a,bs],DS=e=>xU.find(t=>t.test(e)),bE=(e,t)=>{let n=DS(e),r=DS(t),o=n.parse(e),i=r.parse(t);n===bs&&(o=NS(o),n=_a),r===bs&&(i=NS(i),r=_a);const s=Object.assign({},o);return u=>{for(const c in s)c!=="alpha"&&(s[c]=bU(o[c],i[c],u));return s.alpha=Kt(o.alpha,i.alpha,u),n.transform(s)}},$y=e=>typeof e=="number",SU=(e,t)=>n=>t(e(n)),em=(...e)=>e.reduce(SU);function xE(e,t){return $y(e)?n=>Kt(e,t,n):Qn.test(e)?bE(e,t):wE(e,t)}const SE=(e,t)=>{const n=[...e],r=n.length,o=e.map((i,s)=>xE(i,t[s]));return i=>{for(let s=0;s<r;s++)n[s]=o[s](i);return n}},wU=(e,t)=>{const n=Object.assign(Object.assign({},e),t),r={};for(const o in n)e[o]!==void 0&&t[o]!==void 0&&(r[o]=xE(e[o],t[o]));return o=>{for(const i in r)n[i]=r[i](o);return n}};function zS(e){const t=ji.parse(e),n=t.length;let r=0,o=0,i=0;for(let s=0;s<n;s++)r||typeof t[s]=="number"?r++:t[s].hue!==void 0?i++:o++;return{parsed:t,numNumbers:r,numRGB:o,numHSL:i}}const wE=(e,t)=>{const n=ji.createTransformer(t),r=zS(e),o=zS(t);return r.numHSL===o.numHSL&&r.numRGB===o.numRGB&&r.numNumbers>=o.numNumbers?em(SE(r.parsed,o.parsed),n):s=>`${s>0?t:e}`},CU=(e,t)=>n=>Kt(e,t,n);function _U(e){if(typeof e=="number")return CU;if(typeof e=="string")return Qn.test(e)?bE:wE;if(Array.isArray(e))return SE;if(typeof e=="object")return wU}function kU(e,t,n){const r=[],o=n||_U(e[0]),i=e.length-1;for(let s=0;s<i;s++){let u=o(e[s],e[s+1]);if(t){const c=Array.isArray(t)?t[s]:t;u=em(c,u)}r.push(u)}return r}function EU([e,t],[n]){return r=>n(Mf(e,t,r))}function LU(e,t){const n=e.length,r=n-1;return o=>{let i=0,s=!1;if(o<=e[0]?s=!0:o>=e[r]&&(i=r-1,s=!0),!s){let c=1;for(;c<n&&!(e[c]>o||c===r);c++);i=c-1}const u=Mf(e[i],e[i+1],o);return t[i](u)}}function CE(e,t,{clamp:n=!0,ease:r,mixer:o}={}){const i=e.length;F1(i===t.length),F1(!r||!Array.isArray(r)||r.length===i-1),e[0]>e[i-1]&&(e=[].concat(e),t=[].concat(t),e.reverse(),t.reverse());const s=kU(t,r,o),u=i===2?EU(e,s):LU(e,s);return n?c=>u(B1(e[0],e[i-1],c)):u}const tm=e=>t=>1-e(1-t),h3=e=>t=>t<=.5?e(2*t)/2:(2-e(2*(1-t)))/2,PU=e=>t=>Math.pow(t,e),_E=e=>t=>t*t*((e+1)*t-e),AU=e=>{const t=_E(e);return n=>(n*=2)<1?.5*t(n):.5*(2-Math.pow(2,-10*(n-1)))},kE=1.525,TU=4/11,IU=8/11,MU=9/10,m3=e=>e,g3=PU(2),RU=tm(g3),EE=h3(g3),LE=e=>1-Math.sin(Math.acos(e)),v3=tm(LE),OU=h3(v3),y3=_E(kE),NU=tm(y3),DU=h3(y3),zU=AU(kE),FU=4356/361,BU=35442/1805,$U=16061/1805,$1=e=>{if(e===1||e===0)return e;const t=e*e;return e<TU?7.5625*t:e<IU?9.075*t-9.9*e+3.4:e<MU?FU*t-BU*e+$U:10.8*e*e-20.52*e+10.72},VU=tm($1),WU=e=>e<.5?.5*(1-$1(1-e*2)):.5*$1(e*2-1)+.5;function HU(e,t){return e.map(()=>t||EE).splice(0,e.length-1)}function jU(e){const t=e.length;return e.map((n,r)=>r!==0?r/(t-1):0)}function UU(e,t){return e.map(n=>n*t)}function Vh({from:e=0,to:t=1,ease:n,offset:r,duration:o=300}){const i={done:!1,value:e},s=Array.isArray(t)?t:[e,t],u=UU(r&&r.length===s.length?r:jU(s),o);function c(){return CE(u,s,{ease:Array.isArray(n)?n:HU(s,n)})}let f=c();return{next:p=>(i.value=f(p),i.done=p>=o,i),flipTarget:()=>{s.reverse(),f=c()}}}function GU({velocity:e=0,from:t=0,power:n=.8,timeConstant:r=350,restDelta:o=.5,modifyTarget:i}){const s={done:!1,value:t};let u=n*e;const c=t+u,f=i===void 0?c:i(c);return f!==c&&(u=f-t),{next:p=>{const h=-u*Math.exp(-p/r);return s.done=!(h>o||h<-o),s.value=s.done?f:f+h,s},flipTarget:()=>{}}}const FS={keyframes:Vh,spring:p3,decay:GU};function ZU(e){if(Array.isArray(e.to))return Vh;if(FS[e.type])return FS[e.type];const t=new Set(Object.keys(e));return t.has("ease")||t.has("duration")&&!t.has("dampingRatio")?Vh:t.has("dampingRatio")||t.has("stiffness")||t.has("mass")||t.has("damping")||t.has("restSpeed")||t.has("restDelta")?p3:Vh}const PE=1/60*1e3,qU=typeof performance<"u"?()=>performance.now():()=>Date.now(),AE=typeof window<"u"?e=>window.requestAnimationFrame(e):e=>setTimeout(()=>e(qU()),PE);function KU(e){let t=[],n=[],r=0,o=!1,i=!1;const s=new WeakSet,u={schedule:(c,f=!1,p=!1)=>{const h=p&&o,m=h?t:n;return f&&s.add(c),m.indexOf(c)===-1&&(m.push(c),h&&o&&(r=t.length)),c},cancel:c=>{const f=n.indexOf(c);f!==-1&&n.splice(f,1),s.delete(c)},process:c=>{if(o){i=!0;return}if(o=!0,[t,n]=[n,t],n.length=0,r=t.length,r)for(let f=0;f<r;f++){const p=t[f];p(c),s.has(p)&&(u.schedule(p),e())}o=!1,i&&(i=!1,u.process(c))}};return u}const YU=40;let Vy=!0,Rf=!1,Wy=!1;const Xl={delta:0,timestamp:0},ld=["read","update","preRender","render","postRender"],nm=ld.reduce((e,t)=>(e[t]=KU(()=>Rf=!0),e),{}),XU=ld.reduce((e,t)=>{const n=nm[t];return e[t]=(r,o=!1,i=!1)=>(Rf||eG(),n.schedule(r,o,i)),e},{}),QU=ld.reduce((e,t)=>(e[t]=nm[t].cancel,e),{});ld.reduce((e,t)=>(e[t]=()=>nm[t].process(Xl),e),{});const JU=e=>nm[e].process(Xl),TE=e=>{Rf=!1,Xl.delta=Vy?PE:Math.max(Math.min(e-Xl.timestamp,YU),1),Xl.timestamp=e,Wy=!0,ld.forEach(JU),Wy=!1,Rf&&(Vy=!1,AE(TE))},eG=()=>{Rf=!0,Vy=!0,Wy||AE(TE)},tG=()=>Xl;function IE(e,t,n=0){return e-t-n}function nG(e,t,n=0,r=!0){return r?IE(t+-e,t,n):t-(e-t)+n}function rG(e,t,n,r){return r?e>=t+n:e<=-n}const oG=e=>{const t=({delta:n})=>e(n);return{start:()=>XU.update(t,!0),stop:()=>QU.update(t)}};function ME(e){var t,n,{from:r,autoplay:o=!0,driver:i=oG,elapsed:s=0,repeat:u=0,repeatType:c="loop",repeatDelay:f=0,onPlay:p,onStop:h,onComplete:m,onRepeat:g,onUpdate:b}=e,S=J0(e,["from","autoplay","driver","elapsed","repeat","repeatType","repeatDelay","onPlay","onStop","onComplete","onRepeat","onUpdate"]);let{to:E}=S,w,x=0,_=S.duration,L,T=!1,O=!0,N;const F=ZU(S);!((n=(t=F).needsInterpolation)===null||n===void 0)&&n.call(t,r,E)&&(N=CE([0,100],[r,E],{clamp:!1}),r=0,E=100);const q=F(Object.assign(Object.assign({},S),{from:r,to:E}));function W(){x++,c==="reverse"?(O=x%2===0,s=nG(s,_,f,O)):(s=IE(s,_,f),c==="mirror"&&q.flipTarget()),T=!1,g&&g()}function J(){w.stop(),m&&m()}function ve(he){if(O||(he=-he),s+=he,!T){const fe=q.next(Math.max(0,s));L=fe.value,N&&(L=N(L)),T=O?fe.done:s<=0}b?.(L),T&&(x===0&&(_??(_=s)),x<u?rG(s,_,f,O)&&W():J())}function xe(){p?.(),w=i(ve),w.start()}return o&&xe(),{stop:()=>{h?.(),w.stop()}}}function RE(e,t){return t?e*(1e3/t):0}function iG({from:e=0,velocity:t=0,min:n,max:r,power:o=.8,timeConstant:i=750,bounceStiffness:s=500,bounceDamping:u=10,restDelta:c=1,modifyTarget:f,driver:p,onUpdate:h,onComplete:m,onStop:g}){let b;function S(_){return n!==void 0&&_<n||r!==void 0&&_>r}function E(_){return n===void 0?r:r===void 0||Math.abs(n-_)<Math.abs(r-_)?n:r}function w(_){b?.stop(),b=ME(Object.assign(Object.assign({},_),{driver:p,onUpdate:L=>{var T;h?.(L),(T=_.onUpdate)===null||T===void 0||T.call(_,L)},onComplete:m,onStop:g}))}function x(_){w(Object.assign({type:"spring",stiffness:s,damping:u,restDelta:c},_))}if(S(e))x({from:e,velocity:t,to:E(e)});else{let _=o*t+e;typeof f<"u"&&(_=f(_));const L=E(_),T=L===n?-1:1;let O,N;const F=q=>{O=N,N=q,t=RE(q-O,tG().delta),(T===1&&q>L||T===-1&&q<L)&&x({from:q,to:L,velocity:t})};w({type:"decay",from:e,velocity:t,timeConstant:i,power:o,restDelta:c,modifyTarget:f,onUpdate:S(_)?F:void 0})}return{stop:()=>b?.stop()}}const Hy=e=>e.hasOwnProperty("x")&&e.hasOwnProperty("y"),BS=e=>Hy(e)&&e.hasOwnProperty("z"),Qp=(e,t)=>Math.abs(e-t);function b3(e,t){if($y(e)&&$y(t))return Qp(e,t);if(Hy(e)&&Hy(t)){const n=Qp(e.x,t.x),r=Qp(e.y,t.y),o=BS(e)&&BS(t)?Qp(e.z,t.z):0;return Math.sqrt(Math.pow(n,2)+Math.pow(r,2)+Math.pow(o,2))}}const OE=(e,t)=>1-3*t+3*e,NE=(e,t)=>3*t-6*e,DE=e=>3*e,V1=(e,t,n)=>((OE(t,n)*e+NE(t,n))*e+DE(t))*e,zE=(e,t,n)=>3*OE(t,n)*e*e+2*NE(t,n)*e+DE(t),aG=1e-7,sG=10;function lG(e,t,n,r,o){let i,s,u=0;do s=t+(n-t)/2,i=V1(s,r,o)-e,i>0?n=s:t=s;while(Math.abs(i)>aG&&++u<sG);return s}const uG=8,cG=.001;function fG(e,t,n,r){for(let o=0;o<uG;++o){const i=zE(t,n,r);if(i===0)return t;t-=(V1(t,n,r)-e)/i}return t}const Wh=11,Jp=1/(Wh-1);function dG(e,t,n,r){if(e===t&&n===r)return m3;const o=new Float32Array(Wh);for(let s=0;s<Wh;++s)o[s]=V1(s*Jp,e,n);function i(s){let u=0,c=1;const f=Wh-1;for(;c!==f&&o[c]<=s;++c)u+=Jp;--c;const p=(s-o[c])/(o[c+1]-o[c]),h=u+p*Jp,m=zE(h,e,n);return m>=cG?fG(s,h,e,n):m===0?h:lG(s,u,u+Jp,e,n)}return s=>s===0||s===1?s:V1(i(s),t,r)}function pG({onTap:e,onTapStart:t,onTapCancel:n,whileTap:r,visualElement:o}){const i=e||t||n||r,s=C.exports.useRef(!1),u=C.exports.useRef(null),c={passive:!(t||e||n||g)};function f(){u.current&&u.current(),u.current=null}function p(){return f(),s.current=!1,o.animationState&&o.animationState.setActive(Lt.Tap,!1),!vE()}function h(b,S){!p()||(yE(o.getInstance(),b.target)?e&&e(b,S):n&&n(b,S))}function m(b,S){!p()||n&&n(b,S)}function g(b,S){f(),!s.current&&(s.current=!0,u.current=em(Yl(window,"pointerup",h,c),Yl(window,"pointercancel",m,c)),o.animationState&&o.animationState.setActive(Lt.Tap,!0),t&&t(b,S))}z1(o,"pointerdown",i?g:void 0,c),d3(f)}const hG="production",FE=typeof process>"u"||process.env===void 0?hG:"production",$S=new Set;function BE(e,t,n){e||$S.has(t)||(console.warn(t),n&&console.warn(n),$S.add(t))}const jy=new WeakMap,Gv=new WeakMap,mG=e=>{const t=jy.get(e.target);t&&t(e)},gG=e=>{e.forEach(mG)};function vG({root:e,...t}){const n=e||document;Gv.has(n)||Gv.set(n,{});const r=Gv.get(n),o=JSON.stringify(t);return r[o]||(r[o]=new IntersectionObserver(gG,{root:e,...t})),r[o]}function yG(e,t,n){const r=vG(t);return jy.set(e,n),r.observe(e),()=>{jy.delete(e),r.unobserve(e)}}function bG({visualElement:e,whileInView:t,onViewportEnter:n,onViewportLeave:r,viewport:o={}}){const i=C.exports.useRef({hasEnteredView:!1,isInView:!1});let s=Boolean(t||n||r);o.once&&i.current.hasEnteredView&&(s=!1),(typeof IntersectionObserver>"u"?wG:SG)(s,i.current,e,o)}const xG={some:0,all:1};function SG(e,t,n,{root:r,margin:o,amount:i="some",once:s}){C.exports.useEffect(()=>{if(!e)return;const u={root:r?.current,rootMargin:o,threshold:typeof i=="number"?i:xG[i]},c=f=>{const{isIntersecting:p}=f;if(t.isInView===p||(t.isInView=p,s&&!p&&t.hasEnteredView))return;p&&(t.hasEnteredView=!0),n.animationState&&n.animationState.setActive(Lt.InView,p);const h=n.getProps(),m=p?h.onViewportEnter:h.onViewportLeave;m&&m(f)};return yG(n.getInstance(),u,c)},[e,r,o,i])}function wG(e,t,n,{fallback:r=!0}){C.exports.useEffect(()=>{!e||!r||(FE!=="production"&&BE(!1,"IntersectionObserver not available on this device. whileInView animations will trigger on mount."),requestAnimationFrame(()=>{t.hasEnteredView=!0;const{onViewportEnter:o}=n.getProps();o&&o(null),n.animationState&&n.animationState.setActive(Lt.InView,!0)}))},[e])}const ka=e=>t=>(e(t),null),CG={inView:ka(bG),tap:ka(pG),focus:ka(Qj),hover:ka(lU)};function x3(){const e=C.exports.useContext(Lu);if(e===null)return[!0,null];const{isPresent:t,onExitComplete:n,register:r}=e,o=C.exports.useId();return C.exports.useEffect(()=>r(o),[]),!t&&n?[!1,()=>n&&n(o)]:[!0]}function _G(){return kG(C.exports.useContext(Lu))}function kG(e){return e===null?!0:e.isPresent}function $E(e,t){if(!Array.isArray(t))return!1;const n=t.length;if(n!==e.length)return!1;for(let r=0;r<n;r++)if(t[r]!==e[r])return!1;return!0}const W1=e=>e*1e3,EG={linear:m3,easeIn:g3,easeInOut:EE,easeOut:RU,circIn:LE,circInOut:OU,circOut:v3,backIn:y3,backInOut:DU,backOut:NU,anticipate:zU,bounceIn:VU,bounceInOut:WU,bounceOut:$1},VS=e=>{if(Array.isArray(e)){F1(e.length===4);const[t,n,r,o]=e;return dG(t,n,r,o)}else if(typeof e=="string")return EG[e];return e},LG=e=>Array.isArray(e)&&typeof e[0]!="number",WS=(e,t)=>e==="zIndex"?!1:!!(typeof t=="number"||Array.isArray(t)||typeof t=="string"&&ji.test(t)&&!t.startsWith("url(")),as=()=>({type:"spring",stiffness:500,damping:25,restSpeed:10}),eh=e=>({type:"spring",stiffness:550,damping:e===0?2*Math.sqrt(550):30,restSpeed:10}),Zv=()=>({type:"keyframes",ease:"linear",duration:.3}),PG=e=>({type:"keyframes",duration:.8,values:e}),HS={x:as,y:as,z:as,rotate:as,rotateX:as,rotateY:as,rotateZ:as,scaleX:eh,scaleY:eh,scale:eh,opacity:Zv,backgroundColor:Zv,color:Zv,default:eh},AG=(e,t)=>{let n;return If(t)?n=PG:n=HS[e]||HS.default,{to:t,...n(t)}},TG={...Jk,color:Qn,backgroundColor:Qn,outlineColor:Qn,fill:Qn,stroke:Qn,borderColor:Qn,borderTopColor:Qn,borderRightColor:Qn,borderBottomColor:Qn,borderLeftColor:Qn,filter:Dy,WebkitFilter:Dy},S3=e=>TG[e];function w3(e,t){var n;let r=S3(e);return r!==Dy&&(r=ji),(n=r.getAnimatableNone)===null||n===void 0?void 0:n.call(r,t)}const IG={current:!1};function MG({when:e,delay:t,delayChildren:n,staggerChildren:r,staggerDirection:o,repeat:i,repeatType:s,repeatDelay:u,from:c,...f}){return!!Object.keys(f).length}function RG({ease:e,times:t,yoyo:n,flip:r,loop:o,...i}){const s={...i};return t&&(s.offset=t),i.duration&&(s.duration=W1(i.duration)),i.repeatDelay&&(s.repeatDelay=W1(i.repeatDelay)),e&&(s.ease=LG(e)?e.map(VS):VS(e)),i.type==="tween"&&(s.type="keyframes"),(n||o||r)&&(n?s.repeatType="reverse":o?s.repeatType="loop":r&&(s.repeatType="mirror"),s.repeat=o||n||r||i.repeat),i.type!=="spring"&&(s.type="keyframes"),s}function OG(e,t){var n,r;return(r=(n=(C3(e,t)||{}).delay)!==null&&n!==void 0?n:e.delay)!==null&&r!==void 0?r:0}function NG(e){return Array.isArray(e.to)&&e.to[0]===null&&(e.to=[...e.to],e.to[0]=e.from),e}function DG(e,t,n){return Array.isArray(t.to)&&e.duration===void 0&&(e.duration=.8),NG(t),MG(e)||(e={...e,...AG(n,t.to)}),{...t,...RG(e)}}function zG(e,t,n,r,o){const i=C3(r,e)||{};let s=i.from!==void 0?i.from:t.get();const u=WS(e,n);s==="none"&&u&&typeof n=="string"?s=w3(e,n):jS(s)&&typeof n=="string"?s=US(n):!Array.isArray(n)&&jS(n)&&typeof s=="string"&&(n=US(s));const c=WS(e,s);function f(){const h={from:s,to:n,velocity:t.getVelocity(),onComplete:o,onUpdate:m=>t.set(m)};return i.type==="inertia"||i.type==="decay"?iG({...h,...i}):ME({...DG(i,h,e),onUpdate:m=>{h.onUpdate(m),i.onUpdate&&i.onUpdate(m)},onComplete:()=>{h.onComplete(),i.onComplete&&i.onComplete()}})}function p(){const h=uE(n);return t.set(h),o(),i.onUpdate&&i.onUpdate(h),i.onComplete&&i.onComplete(),{stop:()=>{}}}return!c||!u||i.type===!1?p:f}function jS(e){return e===0||typeof e=="string"&&parseFloat(e)===0&&e.indexOf(" ")===-1}function US(e){return typeof e=="number"?0:w3("",e)}function C3(e,t){return e[t]||e.default||e}function _3(e,t,n,r={}){return IG.current&&(r={type:!1}),t.start(o=>{let i,s;const u=zG(e,t,n,r,o),c=OG(r,e),f=()=>s=u();return c?i=window.setTimeout(f,W1(c)):f(),()=>{clearTimeout(i),s&&s.stop()}})}const FG=e=>/^\-?\d*\.?\d+$/.test(e),BG=e=>/^0[^.\s]+$/.test(e),VE=1/60*1e3,$G=typeof performance<"u"?()=>performance.now():()=>Date.now(),WE=typeof window<"u"?e=>window.requestAnimationFrame(e):e=>setTimeout(()=>e($G()),VE);function VG(e){let t=[],n=[],r=0,o=!1,i=!1;const s=new WeakSet,u={schedule:(c,f=!1,p=!1)=>{const h=p&&o,m=h?t:n;return f&&s.add(c),m.indexOf(c)===-1&&(m.push(c),h&&o&&(r=t.length)),c},cancel:c=>{const f=n.indexOf(c);f!==-1&&n.splice(f,1),s.delete(c)},process:c=>{if(o){i=!0;return}if(o=!0,[t,n]=[n,t],n.length=0,r=t.length,r)for(let f=0;f<r;f++){const p=t[f];p(c),s.has(p)&&(u.schedule(p),e())}o=!1,i&&(i=!1,u.process(c))}};return u}const WG=40;let Uy=!0,Of=!1,Gy=!1;const Ql={delta:0,timestamp:0},ud=["read","update","preRender","render","postRender"],rm=ud.reduce((e,t)=>(e[t]=VG(()=>Of=!0),e),{}),ri=ud.reduce((e,t)=>{const n=rm[t];return e[t]=(r,o=!1,i=!1)=>(Of||jG(),n.schedule(r,o,i)),e},{}),Nf=ud.reduce((e,t)=>(e[t]=rm[t].cancel,e),{}),qv=ud.reduce((e,t)=>(e[t]=()=>rm[t].process(Ql),e),{}),HG=e=>rm[e].process(Ql),HE=e=>{Of=!1,Ql.delta=Uy?VE:Math.max(Math.min(e-Ql.timestamp,WG),1),Ql.timestamp=e,Gy=!0,ud.forEach(HG),Gy=!1,Of&&(Uy=!1,WE(HE))},jG=()=>{Of=!0,Uy=!0,Gy||WE(HE)},Zy=()=>Ql;function k3(e,t){e.indexOf(t)===-1&&e.push(t)}function E3(e,t){const n=e.indexOf(t);n>-1&&e.splice(n,1)}class qc{constructor(){this.subscriptions=[]}add(t){return k3(this.subscriptions,t),()=>E3(this.subscriptions,t)}notify(t,n,r){const o=this.subscriptions.length;if(!!o)if(o===1)this.subscriptions[0](t,n,r);else for(let i=0;i<o;i++){const s=this.subscriptions[i];s&&s(t,n,r)}}getSize(){return this.subscriptions.length}clear(){this.subscriptions.length=0}}const UG=e=>!isNaN(parseFloat(e));class GG{constructor(t){this.version="7.3.5",this.timeDelta=0,this.lastUpdated=0,this.updateSubscribers=new qc,this.velocityUpdateSubscribers=new qc,this.renderSubscribers=new qc,this.canTrackVelocity=!1,this.updateAndNotify=(n,r=!0)=>{this.prev=this.current,this.current=n;const{delta:o,timestamp:i}=Zy();this.lastUpdated!==i&&(this.timeDelta=o,this.lastUpdated=i,ri.postRender(this.scheduleVelocityCheck)),this.prev!==this.current&&this.updateSubscribers.notify(this.current),this.velocityUpdateSubscribers.getSize()&&this.velocityUpdateSubscribers.notify(this.getVelocity()),r&&this.renderSubscribers.notify(this.current)},this.scheduleVelocityCheck=()=>ri.postRender(this.velocityCheck),this.velocityCheck=({timestamp:n})=>{n!==this.lastUpdated&&(this.prev=this.current,this.velocityUpdateSubscribers.notify(this.getVelocity()))},this.hasAnimated=!1,this.prev=this.current=t,this.canTrackVelocity=UG(this.current)}onChange(t){return this.updateSubscribers.add(t)}clearListeners(){this.updateSubscribers.clear()}onRenderRequest(t){return t(this.get()),this.renderSubscribers.add(t)}attach(t){this.passiveEffect=t}set(t,n=!0){!n||!this.passiveEffect?this.updateAndNotify(t,n):this.passiveEffect(t,this.updateAndNotify)}get(){return this.current}getPrevious(){return this.prev}getVelocity(){return this.canTrackVelocity?RE(parseFloat(this.current)-parseFloat(this.prev),this.timeDelta):0}start(t){return this.stop(),new Promise(n=>{this.hasAnimated=!0,this.stopAnimation=t(n)}).then(()=>this.clearAnimation())}stop(){this.stopAnimation&&this.stopAnimation(),this.clearAnimation()}isAnimating(){return!!this.stopAnimation}clearAnimation(){this.stopAnimation=null}destroy(){this.updateSubscribers.clear(),this.renderSubscribers.clear(),this.stop()}}function du(e){return new GG(e)}const jE=e=>t=>t.test(e),ZG={test:e=>e==="auto",parse:e=>e},UE=[Fs,Ne,ni,da,Sj,xj,ZG],bc=e=>UE.find(jE(e)),qG=[...UE,Qn,ji],KG=e=>qG.find(jE(e));function YG(e){const t={};return e.forEachValue((n,r)=>t[r]=n.get()),t}function XG(e){const t={};return e.forEachValue((n,r)=>t[r]=n.getVelocity()),t}function om(e,t,n){const r=e.getProps();return lE(r,t,n!==void 0?n:r.custom,YG(e),XG(e))}function QG(e,t,n){e.hasValue(t)?e.getValue(t).set(n):e.addValue(t,du(n))}function JG(e,t){const n=om(e,t);let{transitionEnd:r={},transition:o={},...i}=n?e.makeTargetAnimatable(n,!1):{};i={...i,...r};for(const s in i){const u=uE(i[s]);QG(e,s,u)}}function eZ(e,t,n){var r,o;const i=Object.keys(t).filter(u=>!e.hasValue(u)),s=i.length;if(!!s)for(let u=0;u<s;u++){const c=i[u],f=t[c];let p=null;Array.isArray(f)&&(p=f[0]),p===null&&(p=(o=(r=n[c])!==null&&r!==void 0?r:e.readValue(c))!==null&&o!==void 0?o:t[c]),p!=null&&(typeof p=="string"&&(FG(p)||BG(p))?p=parseFloat(p):!KG(p)&&ji.test(f)&&(p=w3(c,f)),e.addValue(c,du(p)),n[c]===void 0&&(n[c]=p),e.setBaseTarget(c,p))}}function tZ(e,t){return t?(t[e]||t.default||t).from:void 0}function nZ(e,t,n){var r;const o={};for(const i in e){const s=tZ(i,t);o[i]=s!==void 0?s:(r=n.getValue(i))===null||r===void 0?void 0:r.get()}return o}function H1(e){return Boolean(li(e)&&e.add)}function rZ(e,t,n={}){e.notifyAnimationStart(t);let r;if(Array.isArray(t)){const o=t.map(i=>qy(e,i,n));r=Promise.all(o)}else if(typeof t=="string")r=qy(e,t,n);else{const o=typeof t=="function"?om(e,t,n.custom):t;r=GE(e,o,n)}return r.then(()=>e.notifyAnimationComplete(t))}function qy(e,t,n={}){var r;const o=om(e,t,n.custom);let{transition:i=e.getDefaultTransition()||{}}=o||{};n.transitionOverride&&(i=n.transitionOverride);const s=o?()=>GE(e,o,n):()=>Promise.resolve(),u=!((r=e.variantChildren)===null||r===void 0)&&r.size?(f=0)=>{const{delayChildren:p=0,staggerChildren:h,staggerDirection:m}=i;return oZ(e,t,p+f,h,m,n)}:()=>Promise.resolve(),{when:c}=i;if(c){const[f,p]=c==="beforeChildren"?[s,u]:[u,s];return f().then(p)}else return Promise.all([s(),u(n.delay)])}function GE(e,t,{delay:n=0,transitionOverride:r,type:o}={}){var i;let{transition:s=e.getDefaultTransition(),transitionEnd:u,...c}=e.makeTargetAnimatable(t);const f=e.getValue("willChange");r&&(s=r);const p=[],h=o&&((i=e.animationState)===null||i===void 0?void 0:i.getState()[o]);for(const m in c){const g=e.getValue(m),b=c[m];if(!g||b===void 0||h&&aZ(h,m))continue;let S={delay:n,...s};e.shouldReduceMotion&&id.has(m)&&(S={...S,type:!1,delay:0});let E=_3(m,g,b,S);H1(f)&&(f.add(m),E=E.then(()=>f.remove(m))),p.push(E)}return Promise.all(p).then(()=>{u&&JG(e,u)})}function oZ(e,t,n=0,r=0,o=1,i){const s=[],u=(e.variantChildren.size-1)*r,c=o===1?(f=0)=>f*r:(f=0)=>u-f*r;return Array.from(e.variantChildren).sort(iZ).forEach((f,p)=>{s.push(qy(f,t,{...i,delay:n+c(p)}).then(()=>f.notifyAnimationComplete(t)))}),Promise.all(s)}function iZ(e,t){return e.sortNodePosition(t)}function aZ({protectedKeys:e,needsAnimating:t},n){const r=e.hasOwnProperty(n)&&t[n]!==!0;return t[n]=!1,r}const L3=[Lt.Animate,Lt.InView,Lt.Focus,Lt.Hover,Lt.Tap,Lt.Drag,Lt.Exit],sZ=[...L3].reverse(),lZ=L3.length;function uZ(e){return t=>Promise.all(t.map(({animation:n,options:r})=>rZ(e,n,r)))}function cZ(e){let t=uZ(e);const n=dZ();let r=!0;const o=(c,f)=>{const p=om(e,f);if(p){const{transition:h,transitionEnd:m,...g}=p;c={...c,...g,...m}}return c};function i(c){t=c(e)}function s(c,f){var p;const h=e.getProps(),m=e.getVariantContext(!0)||{},g=[],b=new Set;let S={},E=1/0;for(let x=0;x<lZ;x++){const _=sZ[x],L=n[_],T=(p=h[_])!==null&&p!==void 0?p:m[_],O=Pf(T),N=_===f?L.isActive:null;N===!1&&(E=x);let F=T===m[_]&&T!==h[_]&&O;if(F&&r&&e.manuallyAnimateOnMount&&(F=!1),L.protectedKeys={...S},!L.isActive&&N===null||!T&&!L.prevProp||K0(T)||typeof T=="boolean")continue;const q=fZ(L.prevProp,T);let W=q||_===f&&L.isActive&&!F&&O||x>E&&O;const J=Array.isArray(T)?T:[T];let ve=J.reduce(o,{});N===!1&&(ve={});const{prevResolvedValues:xe={}}=L,he={...xe,...ve},fe=me=>{W=!0,b.delete(me),L.needsAnimating[me]=!0};for(const me in he){const ne=ve[me],H=xe[me];S.hasOwnProperty(me)||(ne!==H?If(ne)&&If(H)?!$E(ne,H)||q?fe(me):L.protectedKeys[me]=!0:ne!==void 0?fe(me):b.add(me):ne!==void 0&&b.has(me)?fe(me):L.protectedKeys[me]=!0)}L.prevProp=T,L.prevResolvedValues=ve,L.isActive&&(S={...S,...ve}),r&&e.blockInitialAnimation&&(W=!1),W&&!F&&g.push(...J.map(me=>({animation:me,options:{type:_,...c}})))}if(b.size){const x={};b.forEach(_=>{const L=e.getBaseTarget(_);L!==void 0&&(x[_]=L)}),g.push({animation:x})}let w=Boolean(g.length);return r&&h.initial===!1&&!e.manuallyAnimateOnMount&&(w=!1),r=!1,w?t(g):Promise.resolve()}function u(c,f,p){var h;if(n[c].isActive===f)return Promise.resolve();(h=e.variantChildren)===null||h===void 0||h.forEach(g=>{var b;return(b=g.animationState)===null||b===void 0?void 0:b.setActive(c,f)}),n[c].isActive=f;const m=s(p,c);for(const g in n)n[g].protectedKeys={};return m}return{animateChanges:s,setActive:u,setAnimateFunction:i,getState:()=>n}}function fZ(e,t){return typeof t=="string"?t!==e:Array.isArray(t)?!$E(t,e):!1}function ss(e=!1){return{isActive:e,protectedKeys:{},needsAnimating:{},prevResolvedValues:{}}}function dZ(){return{[Lt.Animate]:ss(!0),[Lt.InView]:ss(),[Lt.Hover]:ss(),[Lt.Tap]:ss(),[Lt.Drag]:ss(),[Lt.Focus]:ss(),[Lt.Exit]:ss()}}const pZ={animation:ka(({visualElement:e,animate:t})=>{e.animationState||(e.animationState=cZ(e)),K0(t)&&C.exports.useEffect(()=>t.subscribe(e),[t])}),exit:ka(e=>{const{custom:t,visualElement:n}=e,[r,o]=x3(),i=C.exports.useContext(Lu);C.exports.useEffect(()=>{n.isPresent=r;const s=n.animationState&&n.animationState.setActive(Lt.Exit,!r,{custom:i&&i.custom||t});s&&!r&&s.then(o)},[r])})};class ZE{constructor(t,n,{transformPagePoint:r}={}){if(this.startEvent=null,this.lastMoveEvent=null,this.lastMoveEventInfo=null,this.handlers={},this.updatePoint=()=>{if(!(this.lastMoveEvent&&this.lastMoveEventInfo))return;const f=Yv(this.lastMoveEventInfo,this.history),p=this.startEvent!==null,h=b3(f.offset,{x:0,y:0})>=3;if(!p&&!h)return;const{point:m}=f,{timestamp:g}=Zy();this.history.push({...m,timestamp:g});const{onStart:b,onMove:S}=this.handlers;p||(b&&b(this.lastMoveEvent,f),this.startEvent=this.lastMoveEvent),S&&S(this.lastMoveEvent,f)},this.handlePointerMove=(f,p)=>{if(this.lastMoveEvent=f,this.lastMoveEventInfo=Kv(p,this.transformPagePoint),fE(f)&&f.buttons===0){this.handlePointerUp(f,p);return}ri.update(this.updatePoint,!0)},this.handlePointerUp=(f,p)=>{this.end();const{onEnd:h,onSessionEnd:m}=this.handlers,g=Yv(Kv(p,this.transformPagePoint),this.history);this.startEvent&&h&&h(f,g),m&&m(f,g)},dE(t)&&t.touches.length>1)return;this.handlers=n,this.transformPagePoint=r;const o=f3(t),i=Kv(o,this.transformPagePoint),{point:s}=i,{timestamp:u}=Zy();this.history=[{...s,timestamp:u}];const{onSessionStart:c}=n;c&&c(t,Yv(i,this.history)),this.removeListeners=em(Yl(window,"pointermove",this.handlePointerMove),Yl(window,"pointerup",this.handlePointerUp),Yl(window,"pointercancel",this.handlePointerUp))}updateHandlers(t){this.handlers=t}end(){this.removeListeners&&this.removeListeners(),Nf.update(this.updatePoint)}}function Kv(e,t){return t?{point:t(e.point)}:e}function GS(e,t){return{x:e.x-t.x,y:e.y-t.y}}function Yv({point:e},t){return{point:e,delta:GS(e,qE(t)),offset:GS(e,hZ(t)),velocity:mZ(t,.1)}}function hZ(e){return e[0]}function qE(e){return e[e.length-1]}function mZ(e,t){if(e.length<2)return{x:0,y:0};let n=e.length-1,r=null;const o=qE(e);for(;n>=0&&(r=e[n],!(o.timestamp-r.timestamp>W1(t)));)n--;if(!r)return{x:0,y:0};const i=(o.timestamp-r.timestamp)/1e3;if(i===0)return{x:0,y:0};const s={x:(o.x-r.x)/i,y:(o.y-r.y)/i};return s.x===1/0&&(s.x=0),s.y===1/0&&(s.y=0),s}function zr(e){return e.max-e.min}function ZS(e,t=0,n=.01){return b3(e,t)<n}function qS(e,t,n,r=.5){e.origin=r,e.originPoint=Kt(t.min,t.max,e.origin),e.scale=zr(n)/zr(t),(ZS(e.scale,1,1e-4)||isNaN(e.scale))&&(e.scale=1),e.translate=Kt(n.min,n.max,e.origin)-e.originPoint,(ZS(e.translate)||isNaN(e.translate))&&(e.translate=0)}function Kc(e,t,n,r){qS(e.x,t.x,n.x,r?.originX),qS(e.y,t.y,n.y,r?.originY)}function KS(e,t,n){e.min=n.min+t.min,e.max=e.min+zr(t)}function gZ(e,t,n){KS(e.x,t.x,n.x),KS(e.y,t.y,n.y)}function YS(e,t,n){e.min=t.min-n.min,e.max=e.min+zr(t)}function Yc(e,t,n){YS(e.x,t.x,n.x),YS(e.y,t.y,n.y)}function vZ(e,{min:t,max:n},r){return t!==void 0&&e<t?e=r?Kt(t,e,r.min):Math.max(e,t):n!==void 0&&e>n&&(e=r?Kt(n,e,r.max):Math.min(e,n)),e}function XS(e,t,n){return{min:t!==void 0?e.min+t:void 0,max:n!==void 0?e.max+n-(e.max-e.min):void 0}}function yZ(e,{top:t,left:n,bottom:r,right:o}){return{x:XS(e.x,n,o),y:XS(e.y,t,r)}}function QS(e,t){let n=t.min-e.min,r=t.max-e.max;return t.max-t.min<e.max-e.min&&([n,r]=[r,n]),{min:n,max:r}}function bZ(e,t){return{x:QS(e.x,t.x),y:QS(e.y,t.y)}}function xZ(e,t){let n=.5;const r=zr(e),o=zr(t);return o>r?n=Mf(t.min,t.max-r,e.min):r>o&&(n=Mf(e.min,e.max-o,t.min)),B1(0,1,n)}function SZ(e,t){const n={};return t.min!==void 0&&(n.min=t.min-e.min),t.max!==void 0&&(n.max=t.max-e.min),n}const Ky=.35;function wZ(e=Ky){return e===!1?e=0:e===!0&&(e=Ky),{x:JS(e,"left","right"),y:JS(e,"top","bottom")}}function JS(e,t,n){return{min:ew(e,t),max:ew(e,n)}}function ew(e,t){var n;return typeof e=="number"?e:(n=e[t])!==null&&n!==void 0?n:0}const tw=()=>({translate:0,scale:1,origin:0,originPoint:0}),Xc=()=>({x:tw(),y:tw()}),nw=()=>({min:0,max:0}),Ln=()=>({x:nw(),y:nw()});function jo(e){return[e("x"),e("y")]}function KE({top:e,left:t,right:n,bottom:r}){return{x:{min:t,max:n},y:{min:e,max:r}}}function CZ({x:e,y:t}){return{top:t.min,right:e.max,bottom:t.max,left:e.min}}function _Z(e,t){if(!t)return e;const n=t({x:e.left,y:e.top}),r=t({x:e.right,y:e.bottom});return{top:n.y,left:n.x,bottom:r.y,right:r.x}}function Xv(e){return e===void 0||e===1}function YE({scale:e,scaleX:t,scaleY:n}){return!Xv(e)||!Xv(t)||!Xv(n)}function pa(e){return YE(e)||rw(e.x)||rw(e.y)||e.z||e.rotate||e.rotateX||e.rotateY}function rw(e){return e&&e!=="0%"}function j1(e,t,n){const r=e-n,o=t*r;return n+o}function ow(e,t,n,r,o){return o!==void 0&&(e=j1(e,o,r)),j1(e,n,r)+t}function Yy(e,t=0,n=1,r,o){e.min=ow(e.min,t,n,r,o),e.max=ow(e.max,t,n,r,o)}function XE(e,{x:t,y:n}){Yy(e.x,t.translate,t.scale,t.originPoint),Yy(e.y,n.translate,n.scale,n.originPoint)}function kZ(e,t,n,r=!1){var o,i;const s=n.length;if(!s)return;t.x=t.y=1;let u,c;for(let f=0;f<s;f++)u=n[f],c=u.projectionDelta,((i=(o=u.instance)===null||o===void 0?void 0:o.style)===null||i===void 0?void 0:i.display)!=="contents"&&(r&&u.options.layoutScroll&&u.scroll&&u!==u.root&&Vl(e,{x:-u.scroll.x,y:-u.scroll.y}),c&&(t.x*=c.x.scale,t.y*=c.y.scale,XE(e,c)),r&&pa(u.latestValues)&&Vl(e,u.latestValues))}function va(e,t){e.min=e.min+t,e.max=e.max+t}function iw(e,t,[n,r,o]){const i=t[o]!==void 0?t[o]:.5,s=Kt(e.min,e.max,i);Yy(e,t[n],t[r],s,t.scale)}const EZ=["x","scaleX","originX"],LZ=["y","scaleY","originY"];function Vl(e,t){iw(e.x,t,EZ),iw(e.y,t,LZ)}function QE(e,t){return KE(_Z(e.getBoundingClientRect(),t))}function PZ(e,t,n){const r=QE(e,n),{scroll:o}=t;return o&&(va(r.x,o.x),va(r.y,o.y)),r}const AZ=new WeakMap;class TZ{constructor(t){this.openGlobalLock=null,this.isDragging=!1,this.currentDirection=null,this.originPoint={x:0,y:0},this.constraints=!1,this.hasMutatedConstraints=!1,this.elastic=Ln(),this.visualElement=t}start(t,{snapToCursor:n=!1}={}){if(this.visualElement.isPresent===!1)return;const r=u=>{this.stopAnimation(),n&&this.snapToCursor(f3(u,"page").point)},o=(u,c)=>{var f;const{drag:p,dragPropagation:h,onDragStart:m}=this.getProps();p&&!h&&(this.openGlobalLock&&this.openGlobalLock(),this.openGlobalLock=gE(p),!this.openGlobalLock)||(this.isDragging=!0,this.currentDirection=null,this.resolveConstraints(),this.visualElement.projection&&(this.visualElement.projection.isAnimationBlocked=!0,this.visualElement.projection.target=void 0),jo(g=>{var b,S;let E=this.getAxisMotionValue(g).get()||0;if(ni.test(E)){const w=(S=(b=this.visualElement.projection)===null||b===void 0?void 0:b.layout)===null||S===void 0?void 0:S.actual[g];w&&(E=zr(w)*(parseFloat(E)/100))}this.originPoint[g]=E}),m?.(u,c),(f=this.visualElement.animationState)===null||f===void 0||f.setActive(Lt.Drag,!0))},i=(u,c)=>{const{dragPropagation:f,dragDirectionLock:p,onDirectionLock:h,onDrag:m}=this.getProps();if(!f&&!this.openGlobalLock)return;const{offset:g}=c;if(p&&this.currentDirection===null){this.currentDirection=IZ(g),this.currentDirection!==null&&h?.(this.currentDirection);return}this.updateAxis("x",c.point,g),this.updateAxis("y",c.point,g),this.visualElement.syncRender(),m?.(u,c)},s=(u,c)=>this.stop(u,c);this.panSession=new ZE(t,{onSessionStart:r,onStart:o,onMove:i,onSessionEnd:s},{transformPagePoint:this.visualElement.getTransformPagePoint()})}stop(t,n){const r=this.isDragging;if(this.cancel(),!r)return;const{velocity:o}=n;this.startAnimation(o);const{onDragEnd:i}=this.getProps();i?.(t,n)}cancel(){var t,n;this.isDragging=!1,this.visualElement.projection&&(this.visualElement.projection.isAnimationBlocked=!1),(t=this.panSession)===null||t===void 0||t.end(),this.panSession=void 0;const{dragPropagation:r}=this.getProps();!r&&this.openGlobalLock&&(this.openGlobalLock(),this.openGlobalLock=null),(n=this.visualElement.animationState)===null||n===void 0||n.setActive(Lt.Drag,!1)}updateAxis(t,n,r){const{drag:o}=this.getProps();if(!r||!th(t,o,this.currentDirection))return;const i=this.getAxisMotionValue(t);let s=this.originPoint[t]+r[t];this.constraints&&this.constraints[t]&&(s=vZ(s,this.constraints[t],this.elastic[t])),i.set(s)}resolveConstraints(){const{dragConstraints:t,dragElastic:n}=this.getProps(),{layout:r}=this.visualElement.projection||{},o=this.constraints;t&&$l(t)?this.constraints||(this.constraints=this.resolveRefConstraints()):t&&r?this.constraints=yZ(r.actual,t):this.constraints=!1,this.elastic=wZ(n),o!==this.constraints&&r&&this.constraints&&!this.hasMutatedConstraints&&jo(i=>{this.getAxisMotionValue(i)&&(this.constraints[i]=SZ(r.actual[i],this.constraints[i]))})}resolveRefConstraints(){const{dragConstraints:t,onMeasureDragConstraints:n}=this.getProps();if(!t||!$l(t))return!1;const r=t.current,{projection:o}=this.visualElement;if(!o||!o.layout)return!1;const i=PZ(r,o.root,this.visualElement.getTransformPagePoint());let s=bZ(o.layout.actual,i);if(n){const u=n(CZ(s));this.hasMutatedConstraints=!!u,u&&(s=KE(u))}return s}startAnimation(t){const{drag:n,dragMomentum:r,dragElastic:o,dragTransition:i,dragSnapToOrigin:s,onDragTransitionEnd:u}=this.getProps(),c=this.constraints||{},f=jo(p=>{var h;if(!th(p,n,this.currentDirection))return;let m=(h=c?.[p])!==null&&h!==void 0?h:{};s&&(m={min:0,max:0});const g=o?200:1e6,b=o?40:1e7,S={type:"inertia",velocity:r?t[p]:0,bounceStiffness:g,bounceDamping:b,timeConstant:750,restDelta:1,restSpeed:10,...i,...m};return this.startAxisValueAnimation(p,S)});return Promise.all(f).then(u)}startAxisValueAnimation(t,n){const r=this.getAxisMotionValue(t);return _3(t,r,0,n)}stopAnimation(){jo(t=>this.getAxisMotionValue(t).stop())}getAxisMotionValue(t){var n,r;const o="_drag"+t.toUpperCase(),i=this.visualElement.getProps()[o];return i||this.visualElement.getValue(t,(r=(n=this.visualElement.getProps().initial)===null||n===void 0?void 0:n[t])!==null&&r!==void 0?r:0)}snapToCursor(t){jo(n=>{const{drag:r}=this.getProps();if(!th(n,r,this.currentDirection))return;const{projection:o}=this.visualElement,i=this.getAxisMotionValue(n);if(o&&o.layout){const{min:s,max:u}=o.layout.actual[n];i.set(t[n]-Kt(s,u,.5))}})}scalePositionWithinConstraints(){var t;const{drag:n,dragConstraints:r}=this.getProps(),{projection:o}=this.visualElement;if(!$l(r)||!o||!this.constraints)return;this.stopAnimation();const i={x:0,y:0};jo(u=>{const c=this.getAxisMotionValue(u);if(c){const f=c.get();i[u]=xZ({min:f,max:f},this.constraints[u])}});const{transformTemplate:s}=this.visualElement.getProps();this.visualElement.getInstance().style.transform=s?s({},""):"none",(t=o.root)===null||t===void 0||t.updateScroll(),o.updateLayout(),this.resolveConstraints(),jo(u=>{if(!th(u,n,null))return;const c=this.getAxisMotionValue(u),{min:f,max:p}=this.constraints[u];c.set(Kt(f,p,i[u]))})}addListeners(){var t;AZ.set(this.visualElement,this);const n=this.visualElement.getInstance(),r=Yl(n,"pointerdown",f=>{const{drag:p,dragListener:h=!0}=this.getProps();p&&h&&this.start(f)}),o=()=>{const{dragConstraints:f}=this.getProps();$l(f)&&(this.constraints=this.resolveRefConstraints())},{projection:i}=this.visualElement,s=i.addEventListener("measure",o);i&&!i.layout&&((t=i.root)===null||t===void 0||t.updateScroll(),i.updateLayout()),o();const u=Q0(window,"resize",()=>this.scalePositionWithinConstraints()),c=i.addEventListener("didUpdate",({delta:f,hasLayoutChanged:p})=>{this.isDragging&&p&&(jo(h=>{const m=this.getAxisMotionValue(h);!m||(this.originPoint[h]+=f[h].translate,m.set(m.get()+f[h].translate))}),this.visualElement.syncRender())});return()=>{u(),r(),s(),c?.()}}getProps(){const t=this.visualElement.getProps(),{drag:n=!1,dragDirectionLock:r=!1,dragPropagation:o=!1,dragConstraints:i=!1,dragElastic:s=Ky,dragMomentum:u=!0}=t;return{...t,drag:n,dragDirectionLock:r,dragPropagation:o,dragConstraints:i,dragElastic:s,dragMomentum:u}}}function th(e,t,n){return(t===!0||t===e)&&(n===null||n===e)}function IZ(e,t=10){let n=null;return Math.abs(e.y)>t?n="y":Math.abs(e.x)>t&&(n="x"),n}function MZ(e){const{dragControls:t,visualElement:n}=e,r=X0(()=>new TZ(n));C.exports.useEffect(()=>t&&t.subscribe(r),[r,t]),C.exports.useEffect(()=>r.addListeners(),[r])}function RZ({onPan:e,onPanStart:t,onPanEnd:n,onPanSessionStart:r,visualElement:o}){const i=e||t||n||r,s=C.exports.useRef(null),{transformPagePoint:u}=C.exports.useContext(r3),c={onSessionStart:r,onStart:t,onMove:e,onEnd:(p,h)=>{s.current=null,n&&n(p,h)}};C.exports.useEffect(()=>{s.current!==null&&s.current.updateHandlers(c)});function f(p){s.current=new ZE(p,c,{transformPagePoint:u})}z1(o,"pointerdown",i&&f),d3(()=>s.current&&s.current.end())}const OZ={pan:ka(RZ),drag:ka(MZ)},Xy={current:null},JE={current:!1};function NZ(){if(JE.current=!0,!!zs)if(window.matchMedia){const e=window.matchMedia("(prefers-reduced-motion)"),t=()=>Xy.current=e.matches;e.addListener(t),t()}else Xy.current=!1}const nh=["LayoutMeasure","BeforeLayoutMeasure","LayoutUpdate","ViewportBoxUpdate","Update","Render","AnimationComplete","LayoutAnimationComplete","AnimationStart","LayoutAnimationStart","SetAxisTarget","Unmount"];function DZ(){const e=nh.map(()=>new qc),t={},n={clearAllListeners:()=>e.forEach(r=>r.clear()),updatePropListeners:r=>{nh.forEach(o=>{var i;const s="on"+o,u=r[s];(i=t[o])===null||i===void 0||i.call(t),u&&(t[o]=n[s](u))})}};return e.forEach((r,o)=>{n["on"+nh[o]]=i=>r.add(i),n["notify"+nh[o]]=(...i)=>r.notify(...i)}),n}function zZ(e,t,n){const{willChange:r}=t;for(const o in t){const i=t[o],s=n[o];if(li(i))e.addValue(o,i),H1(r)&&r.add(o);else if(li(s))e.addValue(o,du(i)),H1(r)&&r.remove(o);else if(s!==i)if(e.hasValue(o)){const u=e.getValue(o);!u.hasAnimated&&u.set(i)}else{const u=e.getStaticValue(o);e.addValue(o,du(u!==void 0?u:i))}}for(const o in n)t[o]===void 0&&e.removeValue(o);return t}const eL=Object.keys(Af),FZ=eL.length,tL=({treeType:e="",build:t,getBaseTarget:n,makeTargetAnimatable:r,measureViewportBox:o,render:i,readValueFromInstance:s,removeValueFromRenderState:u,sortNodePosition:c,scrapeMotionValuesFromProps:f})=>({parent:p,props:h,presenceId:m,blockInitialAnimation:g,visualState:b,reducedMotionConfig:S},E={})=>{let w=!1;const{latestValues:x,renderState:_}=b;let L;const T=DZ(),O=new Map,N=new Map;let F={};const q={...x};let W;function J(){!L||!w||(ve(),i(L,_,h.style,K.projection))}function ve(){t(K,_,x,E,h)}function xe(){T.notifyUpdate(x)}function he(Z,M){const j=M.onChange(ce=>{x[Z]=ce,h.onUpdate&&ri.update(xe,!1,!0)}),se=M.onRenderRequest(K.scheduleRender);N.set(Z,()=>{j(),se()})}const{willChange:fe,...me}=f(h);for(const Z in me){const M=me[Z];x[Z]!==void 0&&li(M)&&(M.set(x[Z],!1),H1(fe)&&fe.add(Z))}const ne=Y0(h),H=Wk(h),K={treeType:e,current:null,depth:p?p.depth+1:0,parent:p,children:new Set,presenceId:m,shouldReduceMotion:null,variantChildren:H?new Set:void 0,isVisible:void 0,manuallyAnimateOnMount:Boolean(p?.isMounted()),blockInitialAnimation:g,isMounted:()=>Boolean(L),mount(Z){w=!0,L=K.current=Z,K.projection&&K.projection.mount(Z),H&&p&&!ne&&(W=p?.addVariantChild(K)),O.forEach((M,j)=>he(j,M)),JE.current||NZ(),K.shouldReduceMotion=S==="never"?!1:S==="always"?!0:Xy.current,p?.children.add(K),K.setProps(h)},unmount(){var Z;(Z=K.projection)===null||Z===void 0||Z.unmount(),Nf.update(xe),Nf.render(J),N.forEach(M=>M()),W?.(),p?.children.delete(K),T.clearAllListeners(),L=void 0,w=!1},loadFeatures(Z,M,j,se,ce,ye){const be=[];for(let Le=0;Le<FZ;Le++){const de=eL[Le],{isEnabled:_e,Component:De}=Af[de];_e(Z)&&De&&be.push(C.exports.createElement(De,{key:de,...Z,visualElement:K}))}if(!K.projection&&ce){K.projection=new ce(se,K.getLatestValues(),p&&p.projection);const{layoutId:Le,layout:de,drag:_e,dragConstraints:De,layoutScroll:st}=Z;K.projection.setOptions({layoutId:Le,layout:de,alwaysMeasureLayout:Boolean(_e)||De&&$l(De),visualElement:K,scheduleRender:()=>K.scheduleRender(),animationType:typeof de=="string"?de:"both",initialPromotionConfig:ye,layoutScroll:st})}return be},addVariantChild(Z){var M;const j=K.getClosestVariantNode();if(j)return(M=j.variantChildren)===null||M===void 0||M.add(Z),()=>j.variantChildren.delete(Z)},sortNodePosition(Z){return!c||e!==Z.treeType?0:c(K.getInstance(),Z.getInstance())},getClosestVariantNode:()=>H?K:p?.getClosestVariantNode(),getLayoutId:()=>h.layoutId,getInstance:()=>L,getStaticValue:Z=>x[Z],setStaticValue:(Z,M)=>x[Z]=M,getLatestValues:()=>x,setVisibility(Z){K.isVisible!==Z&&(K.isVisible=Z,K.scheduleRender())},makeTargetAnimatable(Z,M=!0){return r(K,Z,h,M)},measureViewportBox(){return o(L,h)},addValue(Z,M){K.hasValue(Z)&&K.removeValue(Z),O.set(Z,M),x[Z]=M.get(),he(Z,M)},removeValue(Z){var M;O.delete(Z),(M=N.get(Z))===null||M===void 0||M(),N.delete(Z),delete x[Z],u(Z,_)},hasValue:Z=>O.has(Z),getValue(Z,M){let j=O.get(Z);return j===void 0&&M!==void 0&&(j=du(M),K.addValue(Z,j)),j},forEachValue:Z=>O.forEach(Z),readValue:Z=>x[Z]!==void 0?x[Z]:s(L,Z,E),setBaseTarget(Z,M){q[Z]=M},getBaseTarget(Z){if(n){const M=n(h,Z);if(M!==void 0&&!li(M))return M}return q[Z]},...T,build(){return ve(),_},scheduleRender(){ri.render(J,!1,!0)},syncRender:J,setProps(Z){(Z.transformTemplate||h.transformTemplate)&&K.scheduleRender(),h=Z,T.updatePropListeners(Z),F=zZ(K,f(h),F)},getProps:()=>h,getVariant:Z=>{var M;return(M=h.variants)===null||M===void 0?void 0:M[Z]},getDefaultTransition:()=>h.transition,getTransformPagePoint:()=>h.transformPagePoint,getVariantContext(Z=!1){if(Z)return p?.getVariantContext();if(!ne){const j=p?.getVariantContext()||{};return h.initial!==void 0&&(j.initial=h.initial),j}const M={};for(let j=0;j<BZ;j++){const se=nL[j],ce=h[se];(Pf(ce)||ce===!1)&&(M[se]=ce)}return M}};return K},nL=["initial",...L3],BZ=nL.length;function Qy(e){return typeof e=="string"&&e.startsWith("var(--")}const rL=/var\((--[a-zA-Z0-9-_]+),? ?([a-zA-Z0-9 ()%#.,-]+)?\)/;function $Z(e){const t=rL.exec(e);if(!t)return[,];const[,n,r]=t;return[n,r]}function Jy(e,t,n=1){const[r,o]=$Z(e);if(!r)return;const i=window.getComputedStyle(t).getPropertyValue(r);return i?i.trim():Qy(o)?Jy(o,t,n+1):o}function VZ(e,{...t},n){const r=e.getInstance();if(!(r instanceof Element))return{target:t,transitionEnd:n};n&&(n={...n}),e.forEachValue(o=>{const i=o.get();if(!Qy(i))return;const s=Jy(i,r);s&&o.set(s)});for(const o in t){const i=t[o];if(!Qy(i))continue;const s=Jy(i,r);!s||(t[o]=s,n&&n[o]===void 0&&(n[o]=i))}return{target:t,transitionEnd:n}}const WZ=new Set(["width","height","top","left","right","bottom","x","y"]),oL=e=>WZ.has(e),HZ=e=>Object.keys(e).some(oL),iL=(e,t)=>{e.set(t,!1),e.set(t)},aw=e=>e===Fs||e===Ne;var sw;(function(e){e.width="width",e.height="height",e.left="left",e.right="right",e.top="top",e.bottom="bottom"})(sw||(sw={}));const lw=(e,t)=>parseFloat(e.split(", ")[t]),uw=(e,t)=>(n,{transform:r})=>{if(r==="none"||!r)return 0;const o=r.match(/^matrix3d\((.+)\)$/);if(o)return lw(o[1],t);{const i=r.match(/^matrix\((.+)\)$/);return i?lw(i[1],e):0}},jZ=new Set(["x","y","z"]),UZ=N1.filter(e=>!jZ.has(e));function GZ(e){const t=[];return UZ.forEach(n=>{const r=e.getValue(n);r!==void 0&&(t.push([n,r.get()]),r.set(n.startsWith("scale")?1:0))}),t.length&&e.syncRender(),t}const cw={width:({x:e},{paddingLeft:t="0",paddingRight:n="0"})=>e.max-e.min-parseFloat(t)-parseFloat(n),height:({y:e},{paddingTop:t="0",paddingBottom:n="0"})=>e.max-e.min-parseFloat(t)-parseFloat(n),top:(e,{top:t})=>parseFloat(t),left:(e,{left:t})=>parseFloat(t),bottom:({y:e},{top:t})=>parseFloat(t)+(e.max-e.min),right:({x:e},{left:t})=>parseFloat(t)+(e.max-e.min),x:uw(4,13),y:uw(5,14)},ZZ=(e,t,n)=>{const r=t.measureViewportBox(),o=t.getInstance(),i=getComputedStyle(o),{display:s}=i,u={};s==="none"&&t.setStaticValue("display",e.display||"block"),n.forEach(f=>{u[f]=cw[f](r,i)}),t.syncRender();const c=t.measureViewportBox();return n.forEach(f=>{const p=t.getValue(f);iL(p,u[f]),e[f]=cw[f](c,i)}),e},qZ=(e,t,n={},r={})=>{t={...t},r={...r};const o=Object.keys(t).filter(oL);let i=[],s=!1;const u=[];if(o.forEach(c=>{const f=e.getValue(c);if(!e.hasValue(c))return;let p=n[c],h=bc(p);const m=t[c];let g;if(If(m)){const b=m.length,S=m[0]===null?1:0;p=m[S],h=bc(p);for(let E=S;E<b;E++)g?F1(bc(m[E])===g):g=bc(m[E])}else g=bc(m);if(h!==g)if(aw(h)&&aw(g)){const b=f.get();typeof b=="string"&&f.set(parseFloat(b)),typeof m=="string"?t[c]=parseFloat(m):Array.isArray(m)&&g===Ne&&(t[c]=m.map(parseFloat))}else h?.transform&&g?.transform&&(p===0||m===0)?p===0?f.set(g.transform(p)):t[c]=h.transform(m):(s||(i=GZ(e),s=!0),u.push(c),r[c]=r[c]!==void 0?r[c]:t[c],iL(f,m))}),u.length){const c=u.indexOf("height")>=0?window.pageYOffset:null,f=ZZ(t,e,u);return i.length&&i.forEach(([p,h])=>{e.getValue(p).set(h)}),e.syncRender(),zs&&c!==null&&window.scrollTo({top:c}),{target:f,transitionEnd:r}}else return{target:t,transitionEnd:r}};function KZ(e,t,n,r){return HZ(t)?qZ(e,t,n,r):{target:t,transitionEnd:r}}const YZ=(e,t,n,r)=>{const o=VZ(e,t,r);return t=o.target,r=o.transitionEnd,KZ(e,t,n,r)};function XZ(e){return window.getComputedStyle(e)}const aL={treeType:"dom",readValueFromInstance(e,t){if(id.has(t)){const n=S3(t);return n&&n.default||0}else{const n=XZ(e),r=(Uk(t)?n.getPropertyValue(t):n[t])||0;return typeof r=="string"?r.trim():r}},sortNodePosition(e,t){return e.compareDocumentPosition(t)&2?1:-1},getBaseTarget(e,t){var n;return(n=e.style)===null||n===void 0?void 0:n[t]},measureViewportBox(e,{transformPagePoint:t}){return QE(e,t)},resetTransform(e,t,n){const{transformTemplate:r}=n;t.style.transform=r?r({},""):"none",e.scheduleRender()},restoreTransform(e,t){e.style.transform=t.style.transform},removeValueFromRenderState(e,{vars:t,style:n}){delete t[e],delete n[e]},makeTargetAnimatable(e,{transition:t,transitionEnd:n,...r},{transformValues:o},i=!0){let s=nZ(r,t||{},e);if(o&&(n&&(n=o(n)),r&&(r=o(r)),s&&(s=o(s))),i){eZ(e,r,s);const u=YZ(e,r,s,n);n=u.transitionEnd,r=u.target}return{transition:t,transitionEnd:n,...r}},scrapeMotionValuesFromProps:c3,build(e,t,n,r,o){e.isVisible!==void 0&&(t.style.visibility=e.isVisible?"visible":"hidden"),s3(t,n,r,o.transformTemplate)},render:oE},QZ=tL(aL),JZ=tL({...aL,getBaseTarget(e,t){return e[t]},readValueFromInstance(e,t){var n;return id.has(t)?((n=S3(t))===null||n===void 0?void 0:n.default)||0:(t=iE.has(t)?t:rE(t),e.getAttribute(t))},scrapeMotionValuesFromProps:sE,build(e,t,n,r,o){u3(t,n,r,o.transformTemplate)},render:aE}),eq=(e,t)=>i3(e)?JZ(t,{enableHardwareAcceleration:!1}):QZ(t,{enableHardwareAcceleration:!0});function fw(e,t){return t.max===t.min?0:e/(t.max-t.min)*100}const xc={correct:(e,t)=>{if(!t.target)return e;if(typeof e=="string")if(Ne.test(e))e=parseFloat(e);else return e;const n=fw(e,t.target.x),r=fw(e,t.target.y);return`${n}% ${r}%`}},dw="_$css",tq={correct:(e,{treeScale:t,projectionDelta:n})=>{const r=e,o=e.includes("var("),i=[];o&&(e=e.replace(rL,g=>(i.push(g),dw)));const s=ji.parse(e);if(s.length>5)return r;const u=ji.createTransformer(e),c=typeof s[0]!="number"?1:0,f=n.x.scale*t.x,p=n.y.scale*t.y;s[0+c]/=f,s[1+c]/=p;const h=Kt(f,p,.5);typeof s[2+c]=="number"&&(s[2+c]/=h),typeof s[3+c]=="number"&&(s[3+c]/=h);let m=u(s);if(o){let g=0;m=m.replace(dw,()=>{const b=i[g];return g++,b})}return m}};class nq extends Q.Component{componentDidMount(){const{visualElement:t,layoutGroup:n,switchLayoutGroup:r,layoutId:o}=this.props,{projection:i}=t;hj(oq),i&&(n.group&&n.group.add(i),r&&r.register&&o&&r.register(i),i.root.didUpdate(),i.addEventListener("animationComplete",()=>{this.safeToRemove()}),i.setOptions({...i.options,onExitComplete:()=>this.safeToRemove()})),Uc.hasEverUpdated=!0}getSnapshotBeforeUpdate(t){const{layoutDependency:n,visualElement:r,drag:o,isPresent:i}=this.props,s=r.projection;return s&&(s.isPresent=i,o||t.layoutDependency!==n||n===void 0?s.willUpdate():this.safeToRemove(),t.isPresent!==i&&(i?s.promote():s.relegate()||ri.postRender(()=>{var u;!((u=s.getStack())===null||u===void 0)&&u.members.length||this.safeToRemove()}))),null}componentDidUpdate(){const{projection:t}=this.props.visualElement;t&&(t.root.didUpdate(),!t.currentAnimation&&t.isLead()&&this.safeToRemove())}componentWillUnmount(){const{visualElement:t,layoutGroup:n,switchLayoutGroup:r}=this.props,{projection:o}=t;o&&(o.scheduleCheckAfterUnmount(),n?.group&&n.group.remove(o),r?.deregister&&r.deregister(o))}safeToRemove(){const{safeToRemove:t}=this.props;t?.()}render(){return null}}function rq(e){const[t,n]=x3(),r=C.exports.useContext(o3);return y(nq,{...e,layoutGroup:r,switchLayoutGroup:C.exports.useContext(Hk),isPresent:t,safeToRemove:n})}const oq={borderRadius:{...xc,applyTo:["borderTopLeftRadius","borderTopRightRadius","borderBottomLeftRadius","borderBottomRightRadius"]},borderTopLeftRadius:xc,borderTopRightRadius:xc,borderBottomLeftRadius:xc,borderBottomRightRadius:xc,boxShadow:tq},iq={measureLayout:rq};function aq(e,t,n={}){const r=li(e)?e:du(e);return _3("",r,t,n),{stop:()=>r.stop(),isAnimating:()=>r.isAnimating()}}const sL=["TopLeft","TopRight","BottomLeft","BottomRight"],sq=sL.length,pw=e=>typeof e=="string"?parseFloat(e):e,hw=e=>typeof e=="number"||Ne.test(e);function lq(e,t,n,r,o,i){var s,u,c,f;o?(e.opacity=Kt(0,(s=n.opacity)!==null&&s!==void 0?s:1,uq(r)),e.opacityExit=Kt((u=t.opacity)!==null&&u!==void 0?u:1,0,cq(r))):i&&(e.opacity=Kt((c=t.opacity)!==null&&c!==void 0?c:1,(f=n.opacity)!==null&&f!==void 0?f:1,r));for(let p=0;p<sq;p++){const h=`border${sL[p]}Radius`;let m=mw(t,h),g=mw(n,h);if(m===void 0&&g===void 0)continue;m||(m=0),g||(g=0),m===0||g===0||hw(m)===hw(g)?(e[h]=Math.max(Kt(pw(m),pw(g),r),0),(ni.test(g)||ni.test(m))&&(e[h]+="%")):e[h]=g}(t.rotate||n.rotate)&&(e.rotate=Kt(t.rotate||0,n.rotate||0,r))}function mw(e,t){var n;return(n=e[t])!==null&&n!==void 0?n:e.borderRadius}const uq=lL(0,.5,v3),cq=lL(.5,.95,m3);function lL(e,t,n){return r=>r<e?0:r>t?1:n(Mf(e,t,r))}function gw(e,t){e.min=t.min,e.max=t.max}function So(e,t){gw(e.x,t.x),gw(e.y,t.y)}function vw(e,t,n,r,o){return e-=t,e=j1(e,1/n,r),o!==void 0&&(e=j1(e,1/o,r)),e}function fq(e,t=0,n=1,r=.5,o,i=e,s=e){if(ni.test(t)&&(t=parseFloat(t),t=Kt(s.min,s.max,t/100)-s.min),typeof t!="number")return;let u=Kt(i.min,i.max,r);e===i&&(u-=t),e.min=vw(e.min,t,n,u,o),e.max=vw(e.max,t,n,u,o)}function yw(e,t,[n,r,o],i,s){fq(e,t[n],t[r],t[o],t.scale,i,s)}const dq=["x","scaleX","originX"],pq=["y","scaleY","originY"];function bw(e,t,n,r){yw(e.x,t,dq,n?.x,r?.x),yw(e.y,t,pq,n?.y,r?.y)}function xw(e){return e.translate===0&&e.scale===1}function uL(e){return xw(e.x)&&xw(e.y)}function cL(e,t){return e.x.min===t.x.min&&e.x.max===t.x.max&&e.y.min===t.y.min&&e.y.max===t.y.max}function Sw(e){return zr(e.x)/zr(e.y)}function hq(e,t,n=.01){return b3(e,t)<=n}class mq{constructor(){this.members=[]}add(t){k3(this.members,t),t.scheduleRender()}remove(t){if(E3(this.members,t),t===this.prevLead&&(this.prevLead=void 0),t===this.lead){const n=this.members[this.members.length-1];n&&this.promote(n)}}relegate(t){const n=this.members.findIndex(o=>t===o);if(n===0)return!1;let r;for(let o=n;o>=0;o--){const i=this.members[o];if(i.isPresent!==!1){r=i;break}}return r?(this.promote(r),!0):!1}promote(t,n){var r;const o=this.lead;if(t!==o&&(this.prevLead=o,this.lead=t,t.show(),o)){o.instance&&o.scheduleRender(),t.scheduleRender(),t.resumeFrom=o,n&&(t.resumeFrom.preserveOpacity=!0),o.snapshot&&(t.snapshot=o.snapshot,t.snapshot.latestValues=o.animationValues||o.latestValues,t.snapshot.isShared=!0),!((r=t.root)===null||r===void 0)&&r.isUpdating&&(t.isLayoutDirty=!0);const{crossfade:i}=t.options;i===!1&&o.hide()}}exitAnimationComplete(){this.members.forEach(t=>{var n,r,o,i,s;(r=(n=t.options).onExitComplete)===null||r===void 0||r.call(n),(s=(o=t.resumingFrom)===null||o===void 0?void 0:(i=o.options).onExitComplete)===null||s===void 0||s.call(i)})}scheduleRender(){this.members.forEach(t=>{t.instance&&t.scheduleRender(!1)})}removeLeadSnapshot(){this.lead&&this.lead.snapshot&&(this.lead.snapshot=void 0)}}const gq="translate3d(0px, 0px, 0) scale(1, 1) scale(1, 1)";function ww(e,t,n){const r=e.x.translate/t.x,o=e.y.translate/t.y;let i=`translate3d(${r}px, ${o}px, 0) `;if(i+=`scale(${1/t.x}, ${1/t.y}) `,n){const{rotate:c,rotateX:f,rotateY:p}=n;c&&(i+=`rotate(${c}deg) `),f&&(i+=`rotateX(${f}deg) `),p&&(i+=`rotateY(${p}deg) `)}const s=e.x.scale*t.x,u=e.y.scale*t.y;return i+=`scale(${s}, ${u})`,i===gq?"none":i}const vq=(e,t)=>e.depth-t.depth;class yq{constructor(){this.children=[],this.isDirty=!1}add(t){k3(this.children,t),this.isDirty=!0}remove(t){E3(this.children,t),this.isDirty=!0}forEach(t){this.isDirty&&this.children.sort(vq),this.isDirty=!1,this.children.forEach(t)}}const Cw=["","X","Y","Z"],_w=1e3;function fL({attachResizeListener:e,defaultParent:t,measureScroll:n,checkIsScrollRoot:r,resetTransform:o}){return class{constructor(s,u={},c=t?.()){this.children=new Set,this.options={},this.isTreeAnimating=!1,this.isAnimationBlocked=!1,this.isLayoutDirty=!1,this.updateManuallyBlocked=!1,this.updateBlockedByResize=!1,this.isUpdating=!1,this.isSVG=!1,this.needsReset=!1,this.shouldResetTransform=!1,this.treeScale={x:1,y:1},this.eventHandlers=new Map,this.potentialNodes=new Map,this.checkUpdateFailed=()=>{this.isUpdating&&(this.isUpdating=!1,this.clearAllSnapshots())},this.updateProjection=()=>{this.nodes.forEach(_q),this.nodes.forEach(kq)},this.hasProjected=!1,this.isVisible=!0,this.animationProgress=0,this.sharedNodes=new Map,this.id=s,this.latestValues=u,this.root=c?c.root||c:this,this.path=c?[...c.path,c]:[],this.parent=c,this.depth=c?c.depth+1:0,s&&this.root.registerPotentialNode(s,this);for(let f=0;f<this.path.length;f++)this.path[f].shouldResetTransform=!0;this.root===this&&(this.nodes=new yq)}addEventListener(s,u){return this.eventHandlers.has(s)||this.eventHandlers.set(s,new qc),this.eventHandlers.get(s).add(u)}notifyListeners(s,...u){const c=this.eventHandlers.get(s);c?.notify(...u)}hasListeners(s){return this.eventHandlers.has(s)}registerPotentialNode(s,u){this.potentialNodes.set(s,u)}mount(s,u=!1){var c;if(this.instance)return;this.isSVG=s instanceof SVGElement&&s.tagName!=="svg",this.instance=s;const{layoutId:f,layout:p,visualElement:h}=this.options;if(h&&!h.getInstance()&&h.mount(s),this.root.nodes.add(this),(c=this.parent)===null||c===void 0||c.children.add(this),this.id&&this.root.potentialNodes.delete(this.id),u&&(p||f)&&(this.isLayoutDirty=!0),e){let m;const g=()=>this.root.updateBlockedByResize=!1;e(s,()=>{this.root.updateBlockedByResize=!0,clearTimeout(m),m=window.setTimeout(g,250),Uc.hasAnimatedSinceResize&&(Uc.hasAnimatedSinceResize=!1,this.nodes.forEach(Cq))})}f&&this.root.registerSharedNode(f,this),this.options.animate!==!1&&h&&(f||p)&&this.addEventListener("didUpdate",({delta:m,hasLayoutChanged:g,hasRelativeTargetChanged:b,layout:S})=>{var E,w,x,_,L;if(this.isTreeAnimationBlocked()){this.target=void 0,this.relativeTarget=void 0;return}const T=(w=(E=this.options.transition)!==null&&E!==void 0?E:h.getDefaultTransition())!==null&&w!==void 0?w:Tq,{onLayoutAnimationStart:O,onLayoutAnimationComplete:N}=h.getProps(),F=!this.targetLayout||!cL(this.targetLayout,S)||b,q=!g&&b;if(((x=this.resumeFrom)===null||x===void 0?void 0:x.instance)||q||g&&(F||!this.currentAnimation)){this.resumeFrom&&(this.resumingFrom=this.resumeFrom,this.resumingFrom.resumingFrom=void 0),this.setAnimationOrigin(m,q);const W={...C3(T,"layout"),onPlay:O,onComplete:N};h.shouldReduceMotion&&(W.delay=0,W.type=!1),this.startAnimation(W)}else!g&&this.animationProgress===0&&this.finishAnimation(),this.isLead()&&((L=(_=this.options).onExitComplete)===null||L===void 0||L.call(_));this.targetLayout=S})}unmount(){var s,u;this.options.layoutId&&this.willUpdate(),this.root.nodes.remove(this),(s=this.getStack())===null||s===void 0||s.remove(this),(u=this.parent)===null||u===void 0||u.children.delete(this),this.instance=void 0,Nf.preRender(this.updateProjection)}blockUpdate(){this.updateManuallyBlocked=!0}unblockUpdate(){this.updateManuallyBlocked=!1}isUpdateBlocked(){return this.updateManuallyBlocked||this.updateBlockedByResize}isTreeAnimationBlocked(){var s;return this.isAnimationBlocked||((s=this.parent)===null||s===void 0?void 0:s.isTreeAnimationBlocked())||!1}startUpdate(){var s;this.isUpdateBlocked()||(this.isUpdating=!0,(s=this.nodes)===null||s===void 0||s.forEach(Eq))}willUpdate(s=!0){var u,c,f;if(this.root.isUpdateBlocked()){(c=(u=this.options).onExitComplete)===null||c===void 0||c.call(u);return}if(!this.root.isUpdating&&this.root.startUpdate(),this.isLayoutDirty)return;this.isLayoutDirty=!0;for(let g=0;g<this.path.length;g++){const b=this.path[g];b.shouldResetTransform=!0,b.updateScroll()}const{layoutId:p,layout:h}=this.options;if(p===void 0&&!h)return;const m=(f=this.options.visualElement)===null||f===void 0?void 0:f.getProps().transformTemplate;this.prevTransformTemplateValue=m?.(this.latestValues,""),this.updateSnapshot(),s&&this.notifyListeners("willUpdate")}didUpdate(){if(this.isUpdateBlocked()){this.unblockUpdate(),this.clearAllSnapshots(),this.nodes.forEach(kw);return}!this.isUpdating||(this.isUpdating=!1,this.potentialNodes.size&&(this.potentialNodes.forEach(Iq),this.potentialNodes.clear()),this.nodes.forEach(wq),this.nodes.forEach(bq),this.nodes.forEach(xq),this.clearAllSnapshots(),qv.update(),qv.preRender(),qv.render())}clearAllSnapshots(){this.nodes.forEach(Sq),this.sharedNodes.forEach(Lq)}scheduleUpdateProjection(){ri.preRender(this.updateProjection,!1,!0)}scheduleCheckAfterUnmount(){ri.postRender(()=>{this.isLayoutDirty?this.root.didUpdate():this.root.checkUpdateFailed()})}updateSnapshot(){if(this.snapshot||!this.instance)return;const s=this.measure(),u=this.removeTransform(this.removeElementScroll(s));Aw(u),this.snapshot={measured:s,layout:u,latestValues:{}}}updateLayout(){var s;if(!this.instance||(this.updateScroll(),!(this.options.alwaysMeasureLayout&&this.isLead())&&!this.isLayoutDirty))return;if(this.resumeFrom&&!this.resumeFrom.instance)for(let f=0;f<this.path.length;f++)this.path[f].updateScroll();const u=this.measure();Aw(u);const c=this.layout;this.layout={measured:u,actual:this.removeElementScroll(u)},this.layoutCorrected=Ln(),this.isLayoutDirty=!1,this.projectionDelta=void 0,this.notifyListeners("measure",this.layout.actual),(s=this.options.visualElement)===null||s===void 0||s.notifyLayoutMeasure(this.layout.actual,c?.actual)}updateScroll(){this.options.layoutScroll&&this.instance&&(this.isScrollRoot=r(this.instance),this.scroll=n(this.instance))}resetTransform(){var s;if(!o)return;const u=this.isLayoutDirty||this.shouldResetTransform,c=this.projectionDelta&&!uL(this.projectionDelta),f=(s=this.options.visualElement)===null||s===void 0?void 0:s.getProps().transformTemplate,p=f?.(this.latestValues,""),h=p!==this.prevTransformTemplateValue;u&&(c||pa(this.latestValues)||h)&&(o(this.instance,p),this.shouldResetTransform=!1,this.scheduleRender())}measure(){const{visualElement:s}=this.options;if(!s)return Ln();const u=s.measureViewportBox(),{scroll:c}=this.root;return c&&(va(u.x,c.x),va(u.y,c.y)),u}removeElementScroll(s){const u=Ln();So(u,s);for(let c=0;c<this.path.length;c++){const f=this.path[c],{scroll:p,options:h,isScrollRoot:m}=f;if(f!==this.root&&p&&h.layoutScroll){if(m){So(u,s);const{scroll:g}=this.root;g&&(va(u.x,-g.x),va(u.y,-g.y))}va(u.x,p.x),va(u.y,p.y)}}return u}applyTransform(s,u=!1){const c=Ln();So(c,s);for(let f=0;f<this.path.length;f++){const p=this.path[f];!u&&p.options.layoutScroll&&p.scroll&&p!==p.root&&Vl(c,{x:-p.scroll.x,y:-p.scroll.y}),pa(p.latestValues)&&Vl(c,p.latestValues)}return pa(this.latestValues)&&Vl(c,this.latestValues),c}removeTransform(s){var u;const c=Ln();So(c,s);for(let f=0;f<this.path.length;f++){const p=this.path[f];if(!p.instance||!pa(p.latestValues))continue;YE(p.latestValues)&&p.updateSnapshot();const h=Ln(),m=p.measure();So(h,m),bw(c,p.latestValues,(u=p.snapshot)===null||u===void 0?void 0:u.layout,h)}return pa(this.latestValues)&&bw(c,this.latestValues),c}setTargetDelta(s){this.targetDelta=s,this.root.scheduleUpdateProjection()}setOptions(s){this.options={...this.options,...s,crossfade:s.crossfade!==void 0?s.crossfade:!0}}clearMeasurements(){this.scroll=void 0,this.layout=void 0,this.snapshot=void 0,this.prevTransformTemplateValue=void 0,this.targetDelta=void 0,this.target=void 0,this.isLayoutDirty=!1}resolveTargetDelta(){var s;const{layout:u,layoutId:c}=this.options;!this.layout||!(u||c)||(!this.targetDelta&&!this.relativeTarget&&(this.relativeParent=this.getClosestProjectingParent(),this.relativeParent&&this.relativeParent.layout&&(this.relativeTarget=Ln(),this.relativeTargetOrigin=Ln(),Yc(this.relativeTargetOrigin,this.layout.actual,this.relativeParent.layout.actual),So(this.relativeTarget,this.relativeTargetOrigin))),!(!this.relativeTarget&&!this.targetDelta)&&(this.target||(this.target=Ln(),this.targetWithTransforms=Ln()),this.relativeTarget&&this.relativeTargetOrigin&&((s=this.relativeParent)===null||s===void 0?void 0:s.target)?gZ(this.target,this.relativeTarget,this.relativeParent.target):this.targetDelta?(Boolean(this.resumingFrom)?this.target=this.applyTransform(this.layout.actual):So(this.target,this.layout.actual),XE(this.target,this.targetDelta)):So(this.target,this.layout.actual),this.attemptToResolveRelativeTarget&&(this.attemptToResolveRelativeTarget=!1,this.relativeParent=this.getClosestProjectingParent(),this.relativeParent&&Boolean(this.relativeParent.resumingFrom)===Boolean(this.resumingFrom)&&!this.relativeParent.options.layoutScroll&&this.relativeParent.target&&(this.relativeTarget=Ln(),this.relativeTargetOrigin=Ln(),Yc(this.relativeTargetOrigin,this.target,this.relativeParent.target),So(this.relativeTarget,this.relativeTargetOrigin)))))}getClosestProjectingParent(){if(!(!this.parent||pa(this.parent.latestValues)))return(this.parent.relativeTarget||this.parent.targetDelta)&&this.parent.layout?this.parent:this.parent.getClosestProjectingParent()}calcProjection(){var s;const{layout:u,layoutId:c}=this.options;if(this.isTreeAnimating=Boolean(((s=this.parent)===null||s===void 0?void 0:s.isTreeAnimating)||this.currentAnimation||this.pendingAnimation),this.isTreeAnimating||(this.targetDelta=this.relativeTarget=void 0),!this.layout||!(u||c))return;const f=this.getLead();So(this.layoutCorrected,this.layout.actual),kZ(this.layoutCorrected,this.treeScale,this.path,Boolean(this.resumingFrom)||this!==f);const{target:p}=f;if(!p)return;this.projectionDelta||(this.projectionDelta=Xc(),this.projectionDeltaWithTransform=Xc());const h=this.treeScale.x,m=this.treeScale.y,g=this.projectionTransform;Kc(this.projectionDelta,this.layoutCorrected,p,this.latestValues),this.projectionTransform=ww(this.projectionDelta,this.treeScale),(this.projectionTransform!==g||this.treeScale.x!==h||this.treeScale.y!==m)&&(this.hasProjected=!0,this.scheduleRender(),this.notifyListeners("projectionUpdate",p))}hide(){this.isVisible=!1}show(){this.isVisible=!0}scheduleRender(s=!0){var u,c,f;(c=(u=this.options).scheduleRender)===null||c===void 0||c.call(u),s&&((f=this.getStack())===null||f===void 0||f.scheduleRender()),this.resumingFrom&&!this.resumingFrom.instance&&(this.resumingFrom=void 0)}setAnimationOrigin(s,u=!1){var c;const f=this.snapshot,p=f?.latestValues||{},h={...this.latestValues},m=Xc();this.relativeTarget=this.relativeTargetOrigin=void 0,this.attemptToResolveRelativeTarget=!u;const g=Ln(),b=f?.isShared,S=(((c=this.getStack())===null||c===void 0?void 0:c.members.length)||0)<=1,E=Boolean(b&&!S&&this.options.crossfade===!0&&!this.path.some(Aq));this.animationProgress=0,this.mixTargetDelta=w=>{var x;const _=w/1e3;Ew(m.x,s.x,_),Ew(m.y,s.y,_),this.setTargetDelta(m),this.relativeTarget&&this.relativeTargetOrigin&&this.layout&&((x=this.relativeParent)===null||x===void 0?void 0:x.layout)&&(Yc(g,this.layout.actual,this.relativeParent.layout.actual),Pq(this.relativeTarget,this.relativeTargetOrigin,g,_)),b&&(this.animationValues=h,lq(h,p,this.latestValues,_,E,S)),this.root.scheduleUpdateProjection(),this.scheduleRender(),this.animationProgress=_},this.mixTargetDelta(0)}startAnimation(s){var u,c;this.notifyListeners("animationStart"),(u=this.currentAnimation)===null||u===void 0||u.stop(),this.resumingFrom&&((c=this.resumingFrom.currentAnimation)===null||c===void 0||c.stop()),this.pendingAnimation&&(Nf.update(this.pendingAnimation),this.pendingAnimation=void 0),this.pendingAnimation=ri.update(()=>{Uc.hasAnimatedSinceResize=!0,this.currentAnimation=aq(0,_w,{...s,onUpdate:f=>{var p;this.mixTargetDelta(f),(p=s.onUpdate)===null||p===void 0||p.call(s,f)},onComplete:()=>{var f;(f=s.onComplete)===null||f===void 0||f.call(s),this.completeAnimation()}}),this.resumingFrom&&(this.resumingFrom.currentAnimation=this.currentAnimation),this.pendingAnimation=void 0})}completeAnimation(){var s;this.resumingFrom&&(this.resumingFrom.currentAnimation=void 0,this.resumingFrom.preserveOpacity=void 0),(s=this.getStack())===null||s===void 0||s.exitAnimationComplete(),this.resumingFrom=this.currentAnimation=this.animationValues=void 0,this.notifyListeners("animationComplete")}finishAnimation(){var s;this.currentAnimation&&((s=this.mixTargetDelta)===null||s===void 0||s.call(this,_w),this.currentAnimation.stop()),this.completeAnimation()}applyTransformsToTarget(){const s=this.getLead();let{targetWithTransforms:u,target:c,layout:f,latestValues:p}=s;if(!(!u||!c||!f)){if(this!==s&&this.layout&&f&&dL(this.options.animationType,this.layout.actual,f.actual)){c=this.target||Ln();const h=zr(this.layout.actual.x);c.x.min=s.target.x.min,c.x.max=c.x.min+h;const m=zr(this.layout.actual.y);c.y.min=s.target.y.min,c.y.max=c.y.min+m}So(u,c),Vl(u,p),Kc(this.projectionDeltaWithTransform,this.layoutCorrected,u,p)}}registerSharedNode(s,u){var c,f,p;this.sharedNodes.has(s)||this.sharedNodes.set(s,new mq),this.sharedNodes.get(s).add(u),u.promote({transition:(c=u.options.initialPromotionConfig)===null||c===void 0?void 0:c.transition,preserveFollowOpacity:(p=(f=u.options.initialPromotionConfig)===null||f===void 0?void 0:f.shouldPreserveFollowOpacity)===null||p===void 0?void 0:p.call(f,u)})}isLead(){const s=this.getStack();return s?s.lead===this:!0}getLead(){var s;const{layoutId:u}=this.options;return u?((s=this.getStack())===null||s===void 0?void 0:s.lead)||this:this}getPrevLead(){var s;const{layoutId:u}=this.options;return u?(s=this.getStack())===null||s===void 0?void 0:s.prevLead:void 0}getStack(){const{layoutId:s}=this.options;if(s)return this.root.sharedNodes.get(s)}promote({needsReset:s,transition:u,preserveFollowOpacity:c}={}){const f=this.getStack();f&&f.promote(this,c),s&&(this.projectionDelta=void 0,this.needsReset=!0),u&&this.setOptions({transition:u})}relegate(){const s=this.getStack();return s?s.relegate(this):!1}resetRotation(){const{visualElement:s}=this.options;if(!s)return;let u=!1;const c={};for(let f=0;f<Cw.length;f++){const p=Cw[f],h="rotate"+p;!s.getStaticValue(h)||(u=!0,c[h]=s.getStaticValue(h),s.setStaticValue(h,0))}if(!!u){s?.syncRender();for(const f in c)s.setStaticValue(f,c[f]);s.scheduleRender()}}getProjectionStyles(s={}){var u,c,f;const p={};if(!this.instance||this.isSVG)return p;if(this.isVisible)p.visibility="";else return{visibility:"hidden"};const h=(u=this.options.visualElement)===null||u===void 0?void 0:u.getProps().transformTemplate;if(this.needsReset)return this.needsReset=!1,p.opacity="",p.pointerEvents=$h(s.pointerEvents)||"",p.transform=h?h(this.latestValues,""):"none",p;const m=this.getLead();if(!this.projectionDelta||!this.layout||!m.target){const E={};return this.options.layoutId&&(E.opacity=this.latestValues.opacity!==void 0?this.latestValues.opacity:1,E.pointerEvents=$h(s.pointerEvents)||""),this.hasProjected&&!pa(this.latestValues)&&(E.transform=h?h({},""):"none",this.hasProjected=!1),E}const g=m.animationValues||m.latestValues;this.applyTransformsToTarget(),p.transform=ww(this.projectionDeltaWithTransform,this.treeScale,g),h&&(p.transform=h(g,p.transform));const{x:b,y:S}=this.projectionDelta;p.transformOrigin=`${b.origin*100}% ${S.origin*100}% 0`,m.animationValues?p.opacity=m===this?(f=(c=g.opacity)!==null&&c!==void 0?c:this.latestValues.opacity)!==null&&f!==void 0?f:1:this.preserveOpacity?this.latestValues.opacity:g.opacityExit:p.opacity=m===this?g.opacity!==void 0?g.opacity:"":g.opacityExit!==void 0?g.opacityExit:0;for(const E in O1){if(g[E]===void 0)continue;const{correct:w,applyTo:x}=O1[E],_=w(g[E],m);if(x){const L=x.length;for(let T=0;T<L;T++)p[x[T]]=_}else p[E]=_}return this.options.layoutId&&(p.pointerEvents=m===this?$h(s.pointerEvents)||"":"none"),p}clearSnapshot(){this.resumeFrom=this.snapshot=void 0}resetTree(){this.root.nodes.forEach(s=>{var u;return(u=s.currentAnimation)===null||u===void 0?void 0:u.stop()}),this.root.nodes.forEach(kw),this.root.sharedNodes.clear()}}}function bq(e){e.updateLayout()}function xq(e){var t,n,r;const o=((t=e.resumeFrom)===null||t===void 0?void 0:t.snapshot)||e.snapshot;if(e.isLead()&&e.layout&&o&&e.hasListeners("didUpdate")){const{actual:i,measured:s}=e.layout,{animationType:u}=e.options;u==="size"?jo(m=>{const g=o.isShared?o.measured[m]:o.layout[m],b=zr(g);g.min=i[m].min,g.max=g.min+b}):dL(u,o.layout,i)&&jo(m=>{const g=o.isShared?o.measured[m]:o.layout[m],b=zr(i[m]);g.max=g.min+b});const c=Xc();Kc(c,i,o.layout);const f=Xc();o.isShared?Kc(f,e.applyTransform(s,!0),o.measured):Kc(f,i,o.layout);const p=!uL(c);let h=!1;if(!e.resumeFrom&&(e.relativeParent=e.getClosestProjectingParent(),e.relativeParent&&!e.relativeParent.resumeFrom)){const{snapshot:m,layout:g}=e.relativeParent;if(m&&g){const b=Ln();Yc(b,o.layout,m.layout);const S=Ln();Yc(S,i,g.actual),cL(b,S)||(h=!0)}}e.notifyListeners("didUpdate",{layout:i,snapshot:o,delta:f,layoutDelta:c,hasLayoutChanged:p,hasRelativeTargetChanged:h})}else e.isLead()&&((r=(n=e.options).onExitComplete)===null||r===void 0||r.call(n));e.options.transition=void 0}function Sq(e){e.clearSnapshot()}function kw(e){e.clearMeasurements()}function wq(e){const{visualElement:t}=e.options;t?.getProps().onBeforeLayoutMeasure&&t.notifyBeforeLayoutMeasure(),e.resetTransform()}function Cq(e){e.finishAnimation(),e.targetDelta=e.relativeTarget=e.target=void 0}function _q(e){e.resolveTargetDelta()}function kq(e){e.calcProjection()}function Eq(e){e.resetRotation()}function Lq(e){e.removeLeadSnapshot()}function Ew(e,t,n){e.translate=Kt(t.translate,0,n),e.scale=Kt(t.scale,1,n),e.origin=t.origin,e.originPoint=t.originPoint}function Lw(e,t,n,r){e.min=Kt(t.min,n.min,r),e.max=Kt(t.max,n.max,r)}function Pq(e,t,n,r){Lw(e.x,t.x,n.x,r),Lw(e.y,t.y,n.y,r)}function Aq(e){return e.animationValues&&e.animationValues.opacityExit!==void 0}const Tq={duration:.45,ease:[.4,0,.1,1]};function Iq(e,t){let n=e.root;for(let i=e.path.length-1;i>=0;i--)if(Boolean(e.path[i].instance)){n=e.path[i];break}const o=(n&&n!==e.root?n.instance:document).querySelector(`[data-projection-id="${t}"]`);o&&e.mount(o,!0)}function Pw(e){e.min=Math.round(e.min),e.max=Math.round(e.max)}function Aw(e){Pw(e.x),Pw(e.y)}function dL(e,t,n){return e==="position"||e==="preserve-aspect"&&!hq(Sw(t),Sw(n))}const Mq=fL({attachResizeListener:(e,t)=>Q0(e,"resize",t),measureScroll:()=>({x:document.documentElement.scrollLeft||document.body.scrollLeft,y:document.documentElement.scrollTop||document.body.scrollTop}),checkIsScrollRoot:()=>!0}),Qv={current:void 0},Rq=fL({measureScroll:e=>({x:e.scrollLeft,y:e.scrollTop}),defaultParent:()=>{if(!Qv.current){const e=new Mq(0,{});e.mount(window),e.setOptions({layoutScroll:!0}),Qv.current=e}return Qv.current},resetTransform:(e,t)=>{e.style.transform=t!==void 0?t:"none"},checkIsScrollRoot:e=>Boolean(window.getComputedStyle(e).position==="fixed")}),Oq={...pZ,...CG,...OZ,...iq},uo=dj((e,t)=>Xj(e,t,Oq,eq,Rq));function pL(){const e=C.exports.useRef(!1);return R1(()=>(e.current=!0,()=>{e.current=!1}),[]),e}function Nq(){const e=pL(),[t,n]=C.exports.useState(0),r=C.exports.useCallback(()=>{e.current&&n(t+1)},[t]);return[C.exports.useCallback(()=>ri.postRender(r),[r]),t]}class Dq extends C.exports.Component{getSnapshotBeforeUpdate(t){const n=this.props.childRef.current;if(n&&t.isPresent&&!this.props.isPresent){const r=this.props.sizeRef.current;r.height=n.offsetHeight||0,r.width=n.offsetWidth||0,r.top=n.offsetTop,r.left=n.offsetLeft}return null}componentDidUpdate(){}render(){return this.props.children}}function zq({children:e,isPresent:t}){const n=C.exports.useId(),r=C.exports.useRef(null),o=C.exports.useRef({width:0,height:0,top:0,left:0});return C.exports.useInsertionEffect(()=>{const{width:i,height:s,top:u,left:c}=o.current;if(t||!r.current||!i||!s)return;r.current.dataset.motionPopId=n;const f=document.createElement("style");return document.head.appendChild(f),f.sheet&&f.sheet.insertRule(` - [data-motion-pop-id="${n}"] { - position: absolute !important; - width: ${i}px !important; - height: ${s}px !important; - top: ${u}px !important; - left: ${c}px !important; - } - `),()=>{document.head.removeChild(f)}},[t]),y(Dq,{isPresent:t,childRef:r,sizeRef:o,children:C.exports.cloneElement(e,{ref:r})})}const Jv=({children:e,initial:t,isPresent:n,onExitComplete:r,custom:o,presenceAffectsLayout:i,mode:s})=>{const u=X0(Fq),c=C.exports.useId(),f=C.exports.useMemo(()=>({id:c,initial:t,isPresent:n,custom:o,onExitComplete:p=>{u.set(p,!0);for(const h of u.values())if(!h)return;r&&r()},register:p=>(u.set(p,!1),()=>u.delete(p))}),i?void 0:[n]);return C.exports.useMemo(()=>{u.forEach((p,h)=>u.set(h,!1))},[n]),C.exports.useEffect(()=>{!n&&!u.size&&r&&r()},[n]),s==="popLayout"&&(e=y(zq,{isPresent:n,children:e})),y(Lu.Provider,{value:f,children:e})};function Fq(){return new Map}const kl=e=>e.key||"";function Bq(e,t){e.forEach(n=>{const r=kl(n);t.set(r,n)})}function $q(e){const t=[];return C.exports.Children.forEach(e,n=>{C.exports.isValidElement(n)&&t.push(n)}),t}const Ki=({children:e,custom:t,initial:n=!0,onExitComplete:r,exitBeforeEnter:o,presenceAffectsLayout:i=!0,mode:s="sync"})=>{o&&(s="wait",BE(!1,"Replace exitBeforeEnter with mode='wait'"));let[u]=Nq();const c=C.exports.useContext(o3).forceRender;c&&(u=c);const f=pL(),p=$q(e);let h=p;const m=new Set,g=C.exports.useRef(h),b=C.exports.useRef(new Map).current,S=C.exports.useRef(!0);if(R1(()=>{S.current=!1,Bq(p,b),g.current=h}),d3(()=>{S.current=!0,b.clear(),m.clear()}),S.current)return y(Mn,{children:h.map(_=>y(Jv,{isPresent:!0,initial:n?void 0:!1,presenceAffectsLayout:i,mode:s,children:_},kl(_)))});h=[...h];const E=g.current.map(kl),w=p.map(kl),x=E.length;for(let _=0;_<x;_++){const L=E[_];w.indexOf(L)===-1&&m.add(L)}return s==="wait"&&m.size&&(h=[]),m.forEach(_=>{if(w.indexOf(_)!==-1)return;const L=b.get(_);if(!L)return;const T=E.indexOf(_),O=()=>{b.delete(_),m.delete(_);const N=g.current.findIndex(F=>F.key===_);if(g.current.splice(N,1),!m.size){if(g.current=p,f.current===!1)return;u(),r&&r()}};h.splice(T,0,y(Jv,{isPresent:!1,onExitComplete:O,custom:t,presenceAffectsLayout:i,mode:s,children:L},kl(L)))}),h=h.map(_=>{const L=_.key;return m.has(L)?_:y(Jv,{isPresent:!0,presenceAffectsLayout:i,mode:s,children:_},kl(_))}),FE!=="production"&&s==="wait"&&h.length>1&&console.warn(`You're attempting to animate multiple children within AnimatePresence, but its mode is set to "wait". This will lead to odd visual behaviour.`),y(Mn,{children:m.size?h:h.map(_=>C.exports.cloneElement(_))})};var cd=(...e)=>e.filter(Boolean).join(" ");function Vq(){return!1}var Wq=e=>{const{condition:t,message:n}=e;t&&Vq()&&console.warn(n)},xs={ease:[.25,.1,.25,1],easeIn:[.4,0,1,1],easeOut:[0,0,.2,1],easeInOut:[.4,0,.2,1]},Sc={scale:{enter:{scale:1},exit:{scale:.95}},fade:{enter:{opacity:1},exit:{opacity:0}},pushLeft:{enter:{x:"100%"},exit:{x:"-30%"}},pushRight:{enter:{x:"-100%"},exit:{x:"30%"}},pushUp:{enter:{y:"100%"},exit:{y:"-30%"}},pushDown:{enter:{y:"-100%"},exit:{y:"30%"}},slideLeft:{position:{left:0,top:0,bottom:0,width:"100%"},enter:{x:0,y:0},exit:{x:"-100%",y:0}},slideRight:{position:{right:0,top:0,bottom:0,width:"100%"},enter:{x:0,y:0},exit:{x:"100%",y:0}},slideUp:{position:{top:0,left:0,right:0,maxWidth:"100vw"},enter:{x:0,y:0},exit:{x:0,y:"-100%"}},slideDown:{position:{bottom:0,left:0,right:0,maxWidth:"100vw"},enter:{x:0,y:0},exit:{x:0,y:"100%"}}};function e5(e){switch(e?.direction??"right"){case"right":return Sc.slideRight;case"left":return Sc.slideLeft;case"bottom":return Sc.slideDown;case"top":return Sc.slideUp;default:return Sc.slideRight}}var _s={enter:{duration:.2,ease:xs.easeOut},exit:{duration:.1,ease:xs.easeIn}},Io={enter:(e,t)=>({...e,delay:typeof t=="number"?t:t?.enter}),exit:(e,t)=>({...e,delay:typeof t=="number"?t:t?.exit})},Hq=e=>e!=null&&parseInt(e.toString(),10)>0,Tw={exit:{height:{duration:.2,ease:xs.ease},opacity:{duration:.3,ease:xs.ease}},enter:{height:{duration:.3,ease:xs.ease},opacity:{duration:.4,ease:xs.ease}}},jq={exit:({animateOpacity:e,startingHeight:t,transition:n,transitionEnd:r,delay:o})=>({...e&&{opacity:Hq(t)?1:0},height:t,transitionEnd:r?.exit,transition:n?.exit??Io.exit(Tw.exit,o)}),enter:({animateOpacity:e,endingHeight:t,transition:n,transitionEnd:r,delay:o})=>({...e&&{opacity:1},height:t,transitionEnd:r?.enter,transition:n?.enter??Io.enter(Tw.enter,o)})},hL=C.exports.forwardRef((e,t)=>{const{in:n,unmountOnExit:r,animateOpacity:o=!0,startingHeight:i=0,endingHeight:s="auto",style:u,className:c,transition:f,transitionEnd:p,...h}=e,[m,g]=C.exports.useState(!1);C.exports.useEffect(()=>{const x=setTimeout(()=>{g(!0)});return()=>clearTimeout(x)},[]),Wq({condition:Boolean(i>0&&r),message:"startingHeight and unmountOnExit are mutually exclusive. You can't use them together"});const b=parseFloat(i.toString())>0,S={startingHeight:i,endingHeight:s,animateOpacity:o,transition:m?f:{enter:{duration:0}},transitionEnd:{enter:p?.enter,exit:r?p?.exit:{...p?.exit,display:b?"block":"none"}}},E=r?n:!0,w=n||r?"enter":"exit";return y(Ki,{initial:!1,custom:S,children:E&&Q.createElement(uo.div,{ref:t,...h,className:cd("chakra-collapse",c),style:{overflow:"hidden",display:"block",...u},custom:S,variants:jq,initial:r?"exit":!1,animate:w,exit:"exit"})})});hL.displayName="Collapse";var Uq={enter:({transition:e,transitionEnd:t,delay:n}={})=>({opacity:1,transition:e?.enter??Io.enter(_s.enter,n),transitionEnd:t?.enter}),exit:({transition:e,transitionEnd:t,delay:n}={})=>({opacity:0,transition:e?.exit??Io.exit(_s.exit,n),transitionEnd:t?.exit})},mL={initial:"exit",animate:"enter",exit:"exit",variants:Uq},Gq=C.exports.forwardRef(function(t,n){const{unmountOnExit:r,in:o,className:i,transition:s,transitionEnd:u,delay:c,...f}=t,p=o||r?"enter":"exit",h=r?o&&r:!0,m={transition:s,transitionEnd:u,delay:c};return y(Ki,{custom:m,children:h&&Q.createElement(uo.div,{ref:n,className:cd("chakra-fade",i),custom:m,...mL,animate:p,...f})})});Gq.displayName="Fade";var Zq={exit:({reverse:e,initialScale:t,transition:n,transitionEnd:r,delay:o})=>({opacity:0,...e?{scale:t,transitionEnd:r?.exit}:{transitionEnd:{scale:t,...r?.exit}},transition:n?.exit??Io.exit(_s.exit,o)}),enter:({transitionEnd:e,transition:t,delay:n})=>({opacity:1,scale:1,transition:t?.enter??Io.enter(_s.enter,n),transitionEnd:e?.enter})},gL={initial:"exit",animate:"enter",exit:"exit",variants:Zq},qq=C.exports.forwardRef(function(t,n){const{unmountOnExit:r,in:o,reverse:i=!0,initialScale:s=.95,className:u,transition:c,transitionEnd:f,delay:p,...h}=t,m=r?o&&r:!0,g=o||r?"enter":"exit",b={initialScale:s,reverse:i,transition:c,transitionEnd:f,delay:p};return y(Ki,{custom:b,children:m&&Q.createElement(uo.div,{ref:n,className:cd("chakra-offset-slide",u),...gL,animate:g,custom:b,...h})})});qq.displayName="ScaleFade";var Iw={exit:{duration:.15,ease:xs.easeInOut},enter:{type:"spring",damping:25,stiffness:180}},Kq={exit:({direction:e,transition:t,transitionEnd:n,delay:r})=>{const{exit:o}=e5({direction:e});return{...o,transition:t?.exit??Io.exit(Iw.exit,r),transitionEnd:n?.exit}},enter:({direction:e,transitionEnd:t,transition:n,delay:r})=>{const{enter:o}=e5({direction:e});return{...o,transition:n?.enter??Io.enter(Iw.enter,r),transitionEnd:t?.enter}}},vL=C.exports.forwardRef(function(t,n){const{direction:r="right",style:o,unmountOnExit:i,in:s,className:u,transition:c,transitionEnd:f,delay:p,...h}=t,m=e5({direction:r}),g=Object.assign({position:"fixed"},m.position,o),b=i?s&&i:!0,S=s||i?"enter":"exit",E={transitionEnd:f,transition:c,direction:r,delay:p};return y(Ki,{custom:E,children:b&&Q.createElement(uo.div,{...h,ref:n,initial:"exit",className:cd("chakra-slide",u),animate:S,exit:"exit",custom:E,variants:Kq,style:g})})});vL.displayName="Slide";var Yq={initial:({offsetX:e,offsetY:t,transition:n,transitionEnd:r,delay:o})=>({opacity:0,x:e,y:t,transition:n?.exit??Io.exit(_s.exit,o),transitionEnd:r?.exit}),enter:({transition:e,transitionEnd:t,delay:n})=>({opacity:1,x:0,y:0,transition:e?.enter??Io.enter(_s.enter,n),transitionEnd:t?.enter}),exit:({offsetY:e,offsetX:t,transition:n,transitionEnd:r,reverse:o,delay:i})=>{const s={x:t,y:e};return{opacity:0,transition:n?.exit??Io.exit(_s.exit,i),...o?{...s,transitionEnd:r?.exit}:{transitionEnd:{...s,...r?.exit}}}}},t5={initial:"initial",animate:"enter",exit:"exit",variants:Yq},Xq=C.exports.forwardRef(function(t,n){const{unmountOnExit:r,in:o,reverse:i=!0,className:s,offsetX:u=0,offsetY:c=8,transition:f,transitionEnd:p,delay:h,...m}=t,g=r?o&&r:!0,b=o||r?"enter":"exit",S={offsetX:u,offsetY:c,reverse:i,transition:f,transitionEnd:p,delay:h};return y(Ki,{custom:S,children:g&&Q.createElement(uo.div,{ref:n,className:cd("chakra-offset-slide",s),custom:S,...t5,animate:b,...m})})});Xq.displayName="SlideFade";var fd=(...e)=>e.filter(Boolean).join(" ");function Qq(){return!1}var im=e=>{const{condition:t,message:n}=e;t&&Qq()&&console.warn(n)};function e2(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var[Jq,am]=At({name:"AccordionStylesContext",hookName:"useAccordionStyles",providerName:"<Accordion />"}),[eK,P3]=At({name:"AccordionItemContext",hookName:"useAccordionItemContext",providerName:"<AccordionItem />"}),[tK,C1e,nK,rK]=Bk(),yL=ue(function(t,n){const{getButtonProps:r}=P3(),o=r(t,n),i=am(),s={display:"flex",alignItems:"center",width:"100%",outline:0,...i.button};return Q.createElement(oe.button,{...o,className:fd("chakra-accordion__button",t.className),__css:s})});yL.displayName="AccordionButton";function oK(e){const{onChange:t,defaultIndex:n,index:r,allowMultiple:o,allowToggle:i,...s}=e;sK(e),lK(e);const u=nK(),[c,f]=C.exports.useState(-1);C.exports.useEffect(()=>()=>{f(-1)},[]);const[p,h]=$k({value:r,defaultValue(){return o?n??[]:n??-1},onChange:t});return{index:p,setIndex:h,htmlProps:s,getAccordionItemProps:g=>{let b=!1;return g!==null&&(b=Array.isArray(p)?p.includes(g):p===g),{isOpen:b,onChange:E=>{if(g!==null)if(o&&Array.isArray(p)){const w=E?p.concat(g):p.filter(x=>x!==g);h(w)}else E?h(g):i&&h(-1)}}},focusedIndex:c,setFocusedIndex:f,descendants:u}}var[iK,A3]=At({name:"AccordionContext",hookName:"useAccordionContext",providerName:"Accordion"});function aK(e){const{isDisabled:t,isFocusable:n,id:r,...o}=e,{getAccordionItemProps:i,setFocusedIndex:s}=A3(),u=C.exports.useRef(null),c=C.exports.useId(),f=r??c,p=`accordion-button-${f}`,h=`accordion-panel-${f}`;uK(e);const{register:m,index:g,descendants:b}=rK({disabled:t&&!n}),{isOpen:S,onChange:E}=i(g===-1?null:g);cK({isOpen:S,isDisabled:t});const w=()=>{E?.(!0)},x=()=>{E?.(!1)},_=C.exports.useCallback(()=>{E?.(!S),s(g)},[g,s,S,E]),L=C.exports.useCallback(F=>{const W={ArrowDown:()=>{const J=b.nextEnabled(g);J?.node.focus()},ArrowUp:()=>{const J=b.prevEnabled(g);J?.node.focus()},Home:()=>{const J=b.firstEnabled();J?.node.focus()},End:()=>{const J=b.lastEnabled();J?.node.focus()}}[F.key];W&&(F.preventDefault(),W(F))},[b,g]),T=C.exports.useCallback(()=>{s(g)},[s,g]),O=C.exports.useCallback(function(q={},W=null){return{...q,type:"button",ref:qt(m,u,W),id:p,disabled:!!t,"aria-expanded":!!S,"aria-controls":h,onClick:e2(q.onClick,_),onFocus:e2(q.onFocus,T),onKeyDown:e2(q.onKeyDown,L)}},[p,t,S,_,T,L,h,m]),N=C.exports.useCallback(function(q={},W=null){return{...q,ref:W,role:"region",id:h,"aria-labelledby":p,hidden:!S}},[p,S,h]);return{isOpen:S,isDisabled:t,isFocusable:n,onOpen:w,onClose:x,getButtonProps:O,getPanelProps:N,htmlProps:o}}function sK(e){const t=e.index||e.defaultIndex,n=t==null&&!Array.isArray(t)&&e.allowMultiple;im({condition:!!n,message:`If 'allowMultiple' is passed, then 'index' or 'defaultIndex' must be an array. You passed: ${typeof t},`})}function lK(e){im({condition:!!(e.allowMultiple&&e.allowToggle),message:"If 'allowMultiple' is passed, 'allowToggle' will be ignored. Either remove 'allowToggle' or 'allowMultiple' depending on whether you want multiple accordions visible or not"})}function uK(e){im({condition:!!(e.isFocusable&&!e.isDisabled),message:`Using only 'isFocusable', this prop is reserved for situations where you pass 'isDisabled' but you still want the element to receive focus (A11y). Either remove it or pass 'isDisabled' as well. - `})}function cK(e){im({condition:e.isOpen&&!!e.isDisabled,message:"Cannot open a disabled accordion item"})}function bL(e){const{isOpen:t,isDisabled:n}=P3(),{reduceMotion:r}=A3(),o=fd("chakra-accordion__icon",e.className),i=am(),s={opacity:n?.4:1,transform:t?"rotate(-180deg)":void 0,transition:r?void 0:"transform 0.2s",transformOrigin:"center",...i.icon};return y(Wr,{viewBox:"0 0 24 24","aria-hidden":!0,className:o,__css:s,...e,children:y("path",{fill:"currentColor",d:"M16.59 8.59L12 13.17 7.41 8.59 6 10l6 6 6-6z"})})}bL.displayName="AccordionIcon";var xL=ue(function(t,n){const{children:r,className:o}=t,{htmlProps:i,...s}=aK(t),c={...am().container,overflowAnchor:"none"},f=C.exports.useMemo(()=>s,[s]);return Q.createElement(eK,{value:f},Q.createElement(oe.div,{ref:n,...i,className:fd("chakra-accordion__item",o),__css:c},typeof r=="function"?r({isExpanded:!!s.isOpen,isDisabled:!!s.isDisabled}):r))});xL.displayName="AccordionItem";var SL=ue(function(t,n){const{reduceMotion:r}=A3(),{getPanelProps:o,isOpen:i}=P3(),s=o(t,n),u=fd("chakra-accordion__panel",t.className),c=am();r||delete s.hidden;const f=Q.createElement(oe.div,{...s,__css:c.panel,className:u});return r?f:y(hL,{in:i,children:f})});SL.displayName="AccordionPanel";var wL=ue(function({children:t,reduceMotion:n,...r},o){const i=ar("Accordion",r),s=yt(r),{htmlProps:u,descendants:c,...f}=oK(s),p=C.exports.useMemo(()=>({...f,reduceMotion:!!n}),[f,n]);return Q.createElement(tK,{value:c},Q.createElement(iK,{value:p},Q.createElement(Jq,{value:i},Q.createElement(oe.div,{ref:o,...u,className:fd("chakra-accordion",r.className),__css:i.root},t))))});wL.displayName="Accordion";var fK=(...e)=>e.filter(Boolean).join(" "),dK=nd({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}}),sm=ue((e,t)=>{const n=ir("Spinner",e),{label:r="Loading...",thickness:o="2px",speed:i="0.45s",emptyColor:s="transparent",className:u,...c}=yt(e),f=fK("chakra-spinner",u),p={display:"inline-block",borderColor:"currentColor",borderStyle:"solid",borderRadius:"99999px",borderWidth:o,borderBottomColor:s,borderLeftColor:s,animation:`${dK} ${i} linear infinite`,...n};return Q.createElement(oe.div,{ref:t,__css:p,className:f,...c},r&&Q.createElement(oe.span,{srOnly:!0},r))});sm.displayName="Spinner";var lm=(...e)=>e.filter(Boolean).join(" ");function pK(e){return y(Wr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M12,0A12,12,0,1,0,24,12,12.014,12.014,0,0,0,12,0Zm6.927,8.2-6.845,9.289a1.011,1.011,0,0,1-1.43.188L5.764,13.769a1,1,0,1,1,1.25-1.562l4.076,3.261,6.227-8.451A1,1,0,1,1,18.927,8.2Z"})})}function hK(e){return y(Wr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M12,0A12,12,0,1,0,24,12,12.013,12.013,0,0,0,12,0Zm.25,5a1.5,1.5,0,1,1-1.5,1.5A1.5,1.5,0,0,1,12.25,5ZM14.5,18.5h-4a1,1,0,0,1,0-2h.75a.25.25,0,0,0,.25-.25v-4.5a.25.25,0,0,0-.25-.25H10.5a1,1,0,0,1,0-2h1a2,2,0,0,1,2,2v4.75a.25.25,0,0,0,.25.25h.75a1,1,0,1,1,0,2Z"})})}function Mw(e){return y(Wr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M11.983,0a12.206,12.206,0,0,0-8.51,3.653A11.8,11.8,0,0,0,0,12.207,11.779,11.779,0,0,0,11.8,24h.214A12.111,12.111,0,0,0,24,11.791h0A11.766,11.766,0,0,0,11.983,0ZM10.5,16.542a1.476,1.476,0,0,1,1.449-1.53h.027a1.527,1.527,0,0,1,1.523,1.47,1.475,1.475,0,0,1-1.449,1.53h-.027A1.529,1.529,0,0,1,10.5,16.542ZM11,12.5v-6a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Z"})})}var[mK,gK]=At({name:"AlertContext",hookName:"useAlertContext",providerName:"<Alert />"}),[vK,T3]=At({name:"AlertStylesContext",hookName:"useAlertStyles",providerName:"<Alert />"}),CL={info:{icon:hK,colorScheme:"blue"},warning:{icon:Mw,colorScheme:"orange"},success:{icon:pK,colorScheme:"green"},error:{icon:Mw,colorScheme:"red"},loading:{icon:sm,colorScheme:"blue"}};function yK(e){return CL[e].colorScheme}function bK(e){return CL[e].icon}var _L=ue(function(t,n){const{status:r="info",addRole:o=!0,...i}=yt(t),s=t.colorScheme??yK(r),u=ar("Alert",{...t,colorScheme:s}),c={width:"100%",display:"flex",alignItems:"center",position:"relative",overflow:"hidden",...u.container};return Q.createElement(mK,{value:{status:r}},Q.createElement(vK,{value:u},Q.createElement(oe.div,{role:o?"alert":void 0,ref:n,...i,className:lm("chakra-alert",t.className),__css:c})))});_L.displayName="Alert";var kL=ue(function(t,n){const r=T3(),o={display:"inline",...r.description};return Q.createElement(oe.div,{ref:n,...t,className:lm("chakra-alert__desc",t.className),__css:o})});kL.displayName="AlertDescription";function EL(e){const{status:t}=gK(),n=bK(t),r=T3(),o=t==="loading"?r.spinner:r.icon;return Q.createElement(oe.span,{display:"inherit",...e,className:lm("chakra-alert__icon",e.className),__css:o},e.children||y(n,{h:"100%",w:"100%"}))}EL.displayName="AlertIcon";var LL=ue(function(t,n){const r=T3();return Q.createElement(oe.div,{ref:n,...t,className:lm("chakra-alert__title",t.className),__css:r.title})});LL.displayName="AlertTitle";function xK(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function SK(e){const{loading:t,src:n,srcSet:r,onLoad:o,onError:i,crossOrigin:s,sizes:u,ignoreFallback:c}=e,[f,p]=C.exports.useState("pending");C.exports.useEffect(()=>{p(n?"loading":"pending")},[n]);const h=C.exports.useRef(),m=C.exports.useCallback(()=>{if(!n)return;g();const b=new Image;b.src=n,s&&(b.crossOrigin=s),r&&(b.srcset=r),u&&(b.sizes=u),t&&(b.loading=t),b.onload=S=>{g(),p("loaded"),o?.(S)},b.onerror=S=>{g(),p("failed"),i?.(S)},h.current=b},[n,s,r,u,o,i,t]),g=()=>{h.current&&(h.current.onload=null,h.current.onerror=null,h.current=null)};return ei(()=>{if(!c)return f==="loading"&&m(),()=>{g()}},[f,m,c]),c?"loaded":f}var wK=(e,t)=>e!=="loaded"&&t==="beforeLoadOrError"||e==="failed"&&t==="onError",U1=ue(function(t,n){const{htmlWidth:r,htmlHeight:o,alt:i,...s}=t;return y("img",{width:r,height:o,ref:n,alt:i,...s})});U1.displayName="NativeImage";var Df=ue(function(t,n){const{fallbackSrc:r,fallback:o,src:i,srcSet:s,align:u,fit:c,loading:f,ignoreFallback:p,crossOrigin:h,fallbackStrategy:m="beforeLoadOrError",referrerPolicy:g,...b}=t,S=r!==void 0||o!==void 0,E=f!=null||p||!S,w=SK({...t,ignoreFallback:E}),x=wK(w,m),_={ref:n,objectFit:c,objectPosition:u,...E?b:xK(b,["onError","onLoad"])};return x?o||Q.createElement(oe.img,{as:U1,className:"chakra-image__placeholder",src:r,..._}):Q.createElement(oe.img,{as:U1,src:i,srcSet:s,crossOrigin:h,loading:f,referrerPolicy:g,className:"chakra-image",..._})});Df.displayName="Image";ue((e,t)=>Q.createElement(oe.img,{ref:t,as:U1,className:"chakra-image",...e}));var CK=Object.create,PL=Object.defineProperty,_K=Object.getOwnPropertyDescriptor,AL=Object.getOwnPropertyNames,kK=Object.getPrototypeOf,EK=Object.prototype.hasOwnProperty,TL=(e,t)=>function(){return t||(0,e[AL(e)[0]])((t={exports:{}}).exports,t),t.exports},LK=(e,t,n,r)=>{if(t&&typeof t=="object"||typeof t=="function")for(let o of AL(t))!EK.call(e,o)&&o!==n&&PL(e,o,{get:()=>t[o],enumerable:!(r=_K(t,o))||r.enumerable});return e},PK=(e,t,n)=>(n=e!=null?CK(kK(e)):{},LK(t||!e||!e.__esModule?PL(n,"default",{value:e,enumerable:!0}):n,e)),AK=TL({"../../node_modules/.pnpm/react@18.2.0/node_modules/react/cjs/react.production.min.js"(e){var t=Symbol.for("react.element"),n=Symbol.for("react.portal"),r=Symbol.for("react.fragment"),o=Symbol.for("react.strict_mode"),i=Symbol.for("react.profiler"),s=Symbol.for("react.provider"),u=Symbol.for("react.context"),c=Symbol.for("react.forward_ref"),f=Symbol.for("react.suspense"),p=Symbol.for("react.memo"),h=Symbol.for("react.lazy"),m=Symbol.iterator;function g(M){return M===null||typeof M!="object"?null:(M=m&&M[m]||M["@@iterator"],typeof M=="function"?M:null)}var b={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},S=Object.assign,E={};function w(M,j,se){this.props=M,this.context=j,this.refs=E,this.updater=se||b}w.prototype.isReactComponent={},w.prototype.setState=function(M,j){if(typeof M!="object"&&typeof M!="function"&&M!=null)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,M,j,"setState")},w.prototype.forceUpdate=function(M){this.updater.enqueueForceUpdate(this,M,"forceUpdate")};function x(){}x.prototype=w.prototype;function _(M,j,se){this.props=M,this.context=j,this.refs=E,this.updater=se||b}var L=_.prototype=new x;L.constructor=_,S(L,w.prototype),L.isPureReactComponent=!0;var T=Array.isArray,O=Object.prototype.hasOwnProperty,N={current:null},F={key:!0,ref:!0,__self:!0,__source:!0};function q(M,j,se){var ce,ye={},be=null,Le=null;if(j!=null)for(ce in j.ref!==void 0&&(Le=j.ref),j.key!==void 0&&(be=""+j.key),j)O.call(j,ce)&&!F.hasOwnProperty(ce)&&(ye[ce]=j[ce]);var de=arguments.length-2;if(de===1)ye.children=se;else if(1<de){for(var _e=Array(de),De=0;De<de;De++)_e[De]=arguments[De+2];ye.children=_e}if(M&&M.defaultProps)for(ce in de=M.defaultProps,de)ye[ce]===void 0&&(ye[ce]=de[ce]);return{$$typeof:t,type:M,key:be,ref:Le,props:ye,_owner:N.current}}function W(M,j){return{$$typeof:t,type:M.type,key:j,ref:M.ref,props:M.props,_owner:M._owner}}function J(M){return typeof M=="object"&&M!==null&&M.$$typeof===t}function ve(M){var j={"=":"=0",":":"=2"};return"$"+M.replace(/[=:]/g,function(se){return j[se]})}var xe=/\/+/g;function he(M,j){return typeof M=="object"&&M!==null&&M.key!=null?ve(""+M.key):j.toString(36)}function fe(M,j,se,ce,ye){var be=typeof M;(be==="undefined"||be==="boolean")&&(M=null);var Le=!1;if(M===null)Le=!0;else switch(be){case"string":case"number":Le=!0;break;case"object":switch(M.$$typeof){case t:case n:Le=!0}}if(Le)return Le=M,ye=ye(Le),M=ce===""?"."+he(Le,0):ce,T(ye)?(se="",M!=null&&(se=M.replace(xe,"$&/")+"/"),fe(ye,j,se,"",function(De){return De})):ye!=null&&(J(ye)&&(ye=W(ye,se+(!ye.key||Le&&Le.key===ye.key?"":(""+ye.key).replace(xe,"$&/")+"/")+M)),j.push(ye)),1;if(Le=0,ce=ce===""?".":ce+":",T(M))for(var de=0;de<M.length;de++){be=M[de];var _e=ce+he(be,de);Le+=fe(be,j,se,_e,ye)}else if(_e=g(M),typeof _e=="function")for(M=_e.call(M),de=0;!(be=M.next()).done;)be=be.value,_e=ce+he(be,de++),Le+=fe(be,j,se,_e,ye);else if(be==="object")throw j=String(M),Error("Objects are not valid as a React child (found: "+(j==="[object Object]"?"object with keys {"+Object.keys(M).join(", ")+"}":j)+"). If you meant to render a collection of children, use an array instead.");return Le}function me(M,j,se){if(M==null)return M;var ce=[],ye=0;return fe(M,ce,"","",function(be){return j.call(se,be,ye++)}),ce}function ne(M){if(M._status===-1){var j=M._result;j=j(),j.then(function(se){(M._status===0||M._status===-1)&&(M._status=1,M._result=se)},function(se){(M._status===0||M._status===-1)&&(M._status=2,M._result=se)}),M._status===-1&&(M._status=0,M._result=j)}if(M._status===1)return M._result.default;throw M._result}var H={current:null},K={transition:null},Z={ReactCurrentDispatcher:H,ReactCurrentBatchConfig:K,ReactCurrentOwner:N};e.Children={map:me,forEach:function(M,j,se){me(M,function(){j.apply(this,arguments)},se)},count:function(M){var j=0;return me(M,function(){j++}),j},toArray:function(M){return me(M,function(j){return j})||[]},only:function(M){if(!J(M))throw Error("React.Children.only expected to receive a single React element child.");return M}},e.Component=w,e.Fragment=r,e.Profiler=i,e.PureComponent=_,e.StrictMode=o,e.Suspense=f,e.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=Z,e.cloneElement=function(M,j,se){if(M==null)throw Error("React.cloneElement(...): The argument must be a React element, but you passed "+M+".");var ce=S({},M.props),ye=M.key,be=M.ref,Le=M._owner;if(j!=null){if(j.ref!==void 0&&(be=j.ref,Le=N.current),j.key!==void 0&&(ye=""+j.key),M.type&&M.type.defaultProps)var de=M.type.defaultProps;for(_e in j)O.call(j,_e)&&!F.hasOwnProperty(_e)&&(ce[_e]=j[_e]===void 0&&de!==void 0?de[_e]:j[_e])}var _e=arguments.length-2;if(_e===1)ce.children=se;else if(1<_e){de=Array(_e);for(var De=0;De<_e;De++)de[De]=arguments[De+2];ce.children=de}return{$$typeof:t,type:M.type,key:ye,ref:be,props:ce,_owner:Le}},e.createContext=function(M){return M={$$typeof:u,_currentValue:M,_currentValue2:M,_threadCount:0,Provider:null,Consumer:null,_defaultValue:null,_globalName:null},M.Provider={$$typeof:s,_context:M},M.Consumer=M},e.createElement=q,e.createFactory=function(M){var j=q.bind(null,M);return j.type=M,j},e.createRef=function(){return{current:null}},e.forwardRef=function(M){return{$$typeof:c,render:M}},e.isValidElement=J,e.lazy=function(M){return{$$typeof:h,_payload:{_status:-1,_result:M},_init:ne}},e.memo=function(M,j){return{$$typeof:p,type:M,compare:j===void 0?null:j}},e.startTransition=function(M){var j=K.transition;K.transition={};try{M()}finally{K.transition=j}},e.unstable_act=function(){throw Error("act(...) is not supported in production builds of React.")},e.useCallback=function(M,j){return H.current.useCallback(M,j)},e.useContext=function(M){return H.current.useContext(M)},e.useDebugValue=function(){},e.useDeferredValue=function(M){return H.current.useDeferredValue(M)},e.useEffect=function(M,j){return H.current.useEffect(M,j)},e.useId=function(){return H.current.useId()},e.useImperativeHandle=function(M,j,se){return H.current.useImperativeHandle(M,j,se)},e.useInsertionEffect=function(M,j){return H.current.useInsertionEffect(M,j)},e.useLayoutEffect=function(M,j){return H.current.useLayoutEffect(M,j)},e.useMemo=function(M,j){return H.current.useMemo(M,j)},e.useReducer=function(M,j,se){return H.current.useReducer(M,j,se)},e.useRef=function(M){return H.current.useRef(M)},e.useState=function(M){return H.current.useState(M)},e.useSyncExternalStore=function(M,j,se){return H.current.useSyncExternalStore(M,j,se)},e.useTransition=function(){return H.current.useTransition()},e.version="18.2.0"}}),TK=TL({"../../node_modules/.pnpm/react@18.2.0/node_modules/react/index.js"(e,t){t.exports=AK()}}),Rw=PK(TK());function um(e){return Rw.Children.toArray(e).filter(t=>(0,Rw.isValidElement)(t))}/** - * @license React - * react.development.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - *//** - * @license React - * react.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var cm=(...e)=>e.filter(Boolean).join(" "),Ow=e=>e?"":void 0,[IK,MK]=At({strict:!1,name:"ButtonGroupContext"});function n5(e){const{children:t,className:n,...r}=e,o=C.exports.isValidElement(t)?C.exports.cloneElement(t,{"aria-hidden":!0,focusable:!1}):t,i=cm("chakra-button__icon",n);return Q.createElement(oe.span,{display:"inline-flex",alignSelf:"center",flexShrink:0,...r,className:i},o)}n5.displayName="ButtonIcon";function r5(e){const{label:t,placement:n,spacing:r="0.5rem",children:o=y(sm,{color:"currentColor",width:"1em",height:"1em"}),className:i,__css:s,...u}=e,c=cm("chakra-button__spinner",i),f=n==="start"?"marginEnd":"marginStart",p=C.exports.useMemo(()=>({display:"flex",alignItems:"center",position:t?"relative":"absolute",[f]:t?r:0,fontSize:"1em",lineHeight:"normal",...s}),[s,t,f,r]);return Q.createElement(oe.div,{className:c,...u,__css:p},o)}r5.displayName="ButtonSpinner";function RK(e){const[t,n]=C.exports.useState(!e);return{ref:C.exports.useCallback(i=>{!i||n(i.tagName==="BUTTON")},[]),type:t?"button":void 0}}var Ro=ue((e,t)=>{const n=MK(),r=ir("Button",{...n,...e}),{isDisabled:o=n?.isDisabled,isLoading:i,isActive:s,children:u,leftIcon:c,rightIcon:f,loadingText:p,iconSpacing:h="0.5rem",type:m,spinner:g,spinnerPlacement:b="start",className:S,as:E,...w}=yt(e),x=C.exports.useMemo(()=>{const O={...r?._focus,zIndex:1};return{display:"inline-flex",appearance:"none",alignItems:"center",justifyContent:"center",userSelect:"none",position:"relative",whiteSpace:"nowrap",verticalAlign:"middle",outline:"none",...r,...!!n&&{_focus:O}}},[r,n]),{ref:_,type:L}=RK(E),T={rightIcon:f,leftIcon:c,iconSpacing:h,children:u};return Q.createElement(oe.button,{disabled:o||i,ref:ZH(t,_),as:E,type:m??L,"data-active":Ow(s),"data-loading":Ow(i),__css:x,className:cm("chakra-button",S),...w},i&&b==="start"&&y(r5,{className:"chakra-button__spinner--start",label:p,placement:"start",spacing:h,children:g}),i?p||Q.createElement(oe.span,{opacity:0},y(Nw,{...T})):y(Nw,{...T}),i&&b==="end"&&y(r5,{className:"chakra-button__spinner--end",label:p,placement:"end",spacing:h,children:g}))});Ro.displayName="Button";function Nw(e){const{leftIcon:t,rightIcon:n,children:r,iconSpacing:o}=e;return X(Mn,{children:[t&&y(n5,{marginEnd:o,children:t}),r,n&&y(n5,{marginStart:o,children:n})]})}var OK=ue(function(t,n){const{size:r,colorScheme:o,variant:i,className:s,spacing:u="0.5rem",isAttached:c,isDisabled:f,...p}=t,h=cm("chakra-button__group",s),m=C.exports.useMemo(()=>({size:r,colorScheme:o,variant:i,isDisabled:f}),[r,o,i,f]);let g={display:"inline-flex"};return c?g={...g,"> *:first-of-type:not(:last-of-type)":{borderEndRadius:0},"> *:not(:first-of-type):not(:last-of-type)":{borderRadius:0},"> *:not(:first-of-type):last-of-type":{borderStartRadius:0}}:g={...g,"& > *:not(style) ~ *:not(style)":{marginStart:u}},Q.createElement(IK,{value:m},Q.createElement(oe.div,{ref:n,role:"group",__css:g,className:h,"data-attached":c?"":void 0,...p}))});OK.displayName="ButtonGroup";var er=ue((e,t)=>{const{icon:n,children:r,isRound:o,"aria-label":i,...s}=e,u=n||r,c=C.exports.isValidElement(u)?C.exports.cloneElement(u,{"aria-hidden":!0,focusable:!1}):null;return y(Ro,{padding:"0",borderRadius:o?"full":void 0,ref:t,"aria-label":i,...s,children:c})});er.displayName="IconButton";var Tu=(...e)=>e.filter(Boolean).join(" "),rh=e=>e?"":void 0,t2=e=>e?!0:void 0;function Dw(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var[NK,IL]=At({name:"FormControlStylesContext",errorMessage:`useFormControlStyles returned is 'undefined'. Seems you forgot to wrap the components in "<FormControl />" `}),[DK,Iu]=At({strict:!1,name:"FormControlContext"});function zK(e){const{id:t,isRequired:n,isInvalid:r,isDisabled:o,isReadOnly:i,...s}=e,u=C.exports.useId(),c=t||`field-${u}`,f=`${c}-label`,p=`${c}-feedback`,h=`${c}-helptext`,[m,g]=C.exports.useState(!1),[b,S]=C.exports.useState(!1),[E,w]=C.exports.useState(!1),x=C.exports.useCallback((N={},F=null)=>({id:h,...N,ref:qt(F,q=>{!q||S(!0)})}),[h]),_=C.exports.useCallback((N={},F=null)=>({...N,ref:F,"data-focus":rh(E),"data-disabled":rh(o),"data-invalid":rh(r),"data-readonly":rh(i),id:N.id??f,htmlFor:N.htmlFor??c}),[c,o,E,r,i,f]),L=C.exports.useCallback((N={},F=null)=>({id:p,...N,ref:qt(F,q=>{!q||g(!0)}),"aria-live":"polite"}),[p]),T=C.exports.useCallback((N={},F=null)=>({...N,...s,ref:F,role:"group"}),[s]),O=C.exports.useCallback((N={},F=null)=>({...N,ref:F,role:"presentation","aria-hidden":!0,children:N.children||"*"}),[]);return{isRequired:!!n,isInvalid:!!r,isReadOnly:!!i,isDisabled:!!o,isFocused:!!E,onFocus:()=>w(!0),onBlur:()=>w(!1),hasFeedbackText:m,setHasFeedbackText:g,hasHelpText:b,setHasHelpText:S,id:c,labelId:f,feedbackId:p,helpTextId:h,htmlProps:s,getHelpTextProps:x,getErrorMessageProps:L,getRootProps:T,getLabelProps:_,getRequiredIndicatorProps:O}}var qa=ue(function(t,n){const r=ar("Form",t),o=yt(t),{getRootProps:i,htmlProps:s,...u}=zK(o),c=Tu("chakra-form-control",t.className);return Q.createElement(DK,{value:u},Q.createElement(NK,{value:r},Q.createElement(oe.div,{...i({},n),className:c,__css:r.container})))});qa.displayName="FormControl";var FK=ue(function(t,n){const r=Iu(),o=IL(),i=Tu("chakra-form__helper-text",t.className);return Q.createElement(oe.div,{...r?.getHelpTextProps(t,n),__css:o.helperText,className:i})});FK.displayName="FormHelperText";function I3(e){const{isDisabled:t,isInvalid:n,isReadOnly:r,isRequired:o,...i}=M3(e);return{...i,disabled:t,readOnly:r,required:o,"aria-invalid":t2(n),"aria-required":t2(o),"aria-readonly":t2(r)}}function M3(e){const t=Iu(),{id:n,disabled:r,readOnly:o,required:i,isRequired:s,isInvalid:u,isReadOnly:c,isDisabled:f,onFocus:p,onBlur:h,...m}=e,g=e["aria-describedby"]?[e["aria-describedby"]]:[];return t?.hasFeedbackText&&t?.isInvalid&&g.push(t.feedbackId),t?.hasHelpText&&g.push(t.helpTextId),{...m,"aria-describedby":g.join(" ")||void 0,id:n??t?.id,isDisabled:r??f??t?.isDisabled,isReadOnly:o??c??t?.isReadOnly,isRequired:i??s??t?.isRequired,isInvalid:u??t?.isInvalid,onFocus:Dw(t?.onFocus,p),onBlur:Dw(t?.onBlur,h)}}var[BK,$K]=At({name:"FormErrorStylesContext",errorMessage:`useFormErrorStyles returned is 'undefined'. Seems you forgot to wrap the components in "<FormError />" `}),VK=ue((e,t)=>{const n=ar("FormError",e),r=yt(e),o=Iu();return o?.isInvalid?Q.createElement(BK,{value:n},Q.createElement(oe.div,{...o?.getErrorMessageProps(r,t),className:Tu("chakra-form__error-message",e.className),__css:{display:"flex",alignItems:"center",...n.text}})):null});VK.displayName="FormErrorMessage";var WK=ue((e,t)=>{const n=$K(),r=Iu();if(!r?.isInvalid)return null;const o=Tu("chakra-form__error-icon",e.className);return y(Wr,{ref:t,"aria-hidden":!0,...e,__css:n.icon,className:o,children:y("path",{fill:"currentColor",d:"M11.983,0a12.206,12.206,0,0,0-8.51,3.653A11.8,11.8,0,0,0,0,12.207,11.779,11.779,0,0,0,11.8,24h.214A12.111,12.111,0,0,0,24,11.791h0A11.766,11.766,0,0,0,11.983,0ZM10.5,16.542a1.476,1.476,0,0,1,1.449-1.53h.027a1.527,1.527,0,0,1,1.523,1.47,1.475,1.475,0,0,1-1.449,1.53h-.027A1.529,1.529,0,0,1,10.5,16.542ZM11,12.5v-6a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Z"})})});WK.displayName="FormErrorIcon";var Bs=ue(function(t,n){const r=ir("FormLabel",t),o=yt(t),{className:i,children:s,requiredIndicator:u=y(ML,{}),optionalIndicator:c=null,...f}=o,p=Iu(),h=p?.getLabelProps(f,n)??{ref:n,...f};return Q.createElement(oe.label,{...h,className:Tu("chakra-form__label",o.className),__css:{display:"block",textAlign:"start",...r}},s,p?.isRequired?u:c)});Bs.displayName="FormLabel";var ML=ue(function(t,n){const r=Iu(),o=IL();if(!r?.isRequired)return null;const i=Tu("chakra-form__required-indicator",t.className);return Q.createElement(oe.span,{...r?.getRequiredIndicatorProps(t,n),__css:o.requiredIndicator,className:i})});ML.displayName="RequiredIndicator";function G1(e,t){const n=C.exports.useRef(!1),r=C.exports.useRef(!1);C.exports.useEffect(()=>{if(n.current&&r.current)return e();r.current=!0},t),C.exports.useEffect(()=>(n.current=!0,()=>{n.current=!1}),[])}var R3={border:"0px",clip:"rect(0px, 0px, 0px, 0px)",height:"1px",width:"1px",margin:"-1px",padding:"0px",overflow:"hidden",whiteSpace:"nowrap",position:"absolute"},HK=oe("span",{baseStyle:R3});HK.displayName="VisuallyHidden";var jK=oe("input",{baseStyle:R3});jK.displayName="VisuallyHiddenInput";var zw=!1,fm=null,pu=!1,o5=new Set,UK=typeof window<"u"&&window.navigator!=null?/^Mac/.test(window.navigator.platform):!1;function GK(e){return!(e.metaKey||!UK&&e.altKey||e.ctrlKey)}function O3(e,t){o5.forEach(n=>n(e,t))}function Fw(e){pu=!0,GK(e)&&(fm="keyboard",O3("keyboard",e))}function ml(e){fm="pointer",(e.type==="mousedown"||e.type==="pointerdown")&&(pu=!0,O3("pointer",e))}function ZK(e){e.target===window||e.target===document||(pu||(fm="keyboard",O3("keyboard",e)),pu=!1)}function qK(){pu=!1}function Bw(){return fm!=="pointer"}function KK(){if(typeof window>"u"||zw)return;const{focus:e}=HTMLElement.prototype;HTMLElement.prototype.focus=function(...n){pu=!0,e.apply(this,n)},document.addEventListener("keydown",Fw,!0),document.addEventListener("keyup",Fw,!0),window.addEventListener("focus",ZK,!0),window.addEventListener("blur",qK,!1),typeof PointerEvent<"u"?(document.addEventListener("pointerdown",ml,!0),document.addEventListener("pointermove",ml,!0),document.addEventListener("pointerup",ml,!0)):(document.addEventListener("mousedown",ml,!0),document.addEventListener("mousemove",ml,!0),document.addEventListener("mouseup",ml,!0)),zw=!0}function YK(e){KK(),e(Bw());const t=()=>e(Bw());return o5.add(t),()=>{o5.delete(t)}}var[_1e,XK]=At({name:"CheckboxGroupContext",strict:!1}),QK=(...e)=>e.filter(Boolean).join(" "),Kn=e=>e?"":void 0;function Xr(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}function JK(...e){return function(n){e.forEach(r=>{r?.(n)})}}function eY(e){const t=uo;return"custom"in t&&typeof t.custom=="function"?t.custom(e):t(e)}var RL=eY(oe.svg);function tY(e){return y(RL,{width:"1.2em",viewBox:"0 0 12 10",variants:{unchecked:{opacity:0,strokeDashoffset:16},checked:{opacity:1,strokeDashoffset:0,transition:{duration:.2}}},style:{fill:"none",strokeWidth:2,stroke:"currentColor",strokeDasharray:16},...e,children:y("polyline",{points:"1.5 6 4.5 9 10.5 1"})})}function nY(e){return y(RL,{width:"1.2em",viewBox:"0 0 24 24",variants:{unchecked:{scaleX:.65,opacity:0},checked:{scaleX:1,opacity:1,transition:{scaleX:{duration:0},opacity:{duration:.02}}}},style:{stroke:"currentColor",strokeWidth:4},...e,children:y("line",{x1:"21",x2:"3",y1:"12",y2:"12"})})}function rY({open:e,children:t}){return y(Ki,{initial:!1,children:e&&Q.createElement(uo.div,{variants:{unchecked:{scale:.5},checked:{scale:1}},initial:"unchecked",animate:"checked",exit:"unchecked",style:{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}},t)})}function oY(e){const{isIndeterminate:t,isChecked:n,...r}=e;return y(rY,{open:n||t,children:y(t?nY:tY,{...r})})}function iY(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function OL(e={}){const t=M3(e),{isDisabled:n,isReadOnly:r,isRequired:o,isInvalid:i,id:s,onBlur:u,onFocus:c,"aria-describedby":f}=t,{defaultChecked:p,isChecked:h,isFocusable:m,onChange:g,isIndeterminate:b,name:S,value:E,tabIndex:w=void 0,"aria-label":x,"aria-labelledby":_,"aria-invalid":L,...T}=e,O=iY(T,["isDisabled","isReadOnly","isRequired","isInvalid","id","onBlur","onFocus","aria-describedby"]),N=Wn(g),F=Wn(u),q=Wn(c),[W,J]=C.exports.useState(!1),[ve,xe]=C.exports.useState(!1),[he,fe]=C.exports.useState(!1),[me,ne]=C.exports.useState(!1);C.exports.useEffect(()=>YK(J),[]);const H=C.exports.useRef(null),[K,Z]=C.exports.useState(!0),[M,j]=C.exports.useState(!!p),se=h!==void 0,ce=se?h:M,ye=C.exports.useCallback(Se=>{if(r||n){Se.preventDefault();return}se||j(ce?Se.target.checked:b?!0:Se.target.checked),N?.(Se)},[r,n,ce,se,b,N]);ei(()=>{H.current&&(H.current.indeterminate=Boolean(b))},[b]),G1(()=>{n&&xe(!1)},[n,xe]),ei(()=>{const Se=H.current;!Se?.form||(Se.form.onreset=()=>{j(!!p)})},[]);const be=n&&!m,Le=C.exports.useCallback(Se=>{Se.key===" "&&ne(!0)},[ne]),de=C.exports.useCallback(Se=>{Se.key===" "&&ne(!1)},[ne]);ei(()=>{if(!H.current)return;H.current.checked!==ce&&j(H.current.checked)},[H.current]);const _e=C.exports.useCallback((Se={},Ie=null)=>{const tt=ze=>{ve&&ze.preventDefault(),ne(!0)};return{...Se,ref:Ie,"data-active":Kn(me),"data-hover":Kn(he),"data-checked":Kn(ce),"data-focus":Kn(ve),"data-focus-visible":Kn(ve&&W),"data-indeterminate":Kn(b),"data-disabled":Kn(n),"data-invalid":Kn(i),"data-readonly":Kn(r),"aria-hidden":!0,onMouseDown:Xr(Se.onMouseDown,tt),onMouseUp:Xr(Se.onMouseUp,()=>ne(!1)),onMouseEnter:Xr(Se.onMouseEnter,()=>fe(!0)),onMouseLeave:Xr(Se.onMouseLeave,()=>fe(!1))}},[me,ce,n,ve,W,he,b,i,r]),De=C.exports.useCallback((Se={},Ie=null)=>({...O,...Se,ref:qt(Ie,tt=>{!tt||Z(tt.tagName==="LABEL")}),onClick:Xr(Se.onClick,()=>{var tt;K||((tt=H.current)==null||tt.click(),requestAnimationFrame(()=>{var ze;(ze=H.current)==null||ze.focus()}))}),"data-disabled":Kn(n),"data-checked":Kn(ce),"data-invalid":Kn(i)}),[O,n,ce,i,K]),st=C.exports.useCallback((Se={},Ie=null)=>({...Se,ref:qt(H,Ie),type:"checkbox",name:S,value:E,id:s,tabIndex:w,onChange:Xr(Se.onChange,ye),onBlur:Xr(Se.onBlur,F,()=>xe(!1)),onFocus:Xr(Se.onFocus,q,()=>xe(!0)),onKeyDown:Xr(Se.onKeyDown,Le),onKeyUp:Xr(Se.onKeyUp,de),required:o,checked:ce,disabled:be,readOnly:r,"aria-label":x,"aria-labelledby":_,"aria-invalid":L?Boolean(L):i,"aria-describedby":f,"aria-disabled":n,style:R3}),[S,E,s,ye,F,q,Le,de,o,ce,be,r,x,_,L,i,f,n,w]),Tt=C.exports.useCallback((Se={},Ie=null)=>({...Se,ref:Ie,onMouseDown:Xr(Se.onMouseDown,$w),onTouchStart:Xr(Se.onTouchStart,$w),"data-disabled":Kn(n),"data-checked":Kn(ce),"data-invalid":Kn(i)}),[ce,n,i]);return{state:{isInvalid:i,isFocused:ve,isChecked:ce,isActive:me,isHovered:he,isIndeterminate:b,isDisabled:n,isReadOnly:r,isRequired:o},getRootProps:De,getCheckboxProps:_e,getInputProps:st,getLabelProps:Tt,htmlProps:O}}function $w(e){e.preventDefault(),e.stopPropagation()}var aY=oe("span",{baseStyle:{display:"inline-flex",alignItems:"center",justifyContent:"center",verticalAlign:"top",userSelect:"none",flexShrink:0}}),sY=oe("label",{baseStyle:{cursor:"pointer",display:"inline-flex",alignItems:"center",verticalAlign:"top",position:"relative"}}),lY=ue(function(t,n){const r=XK(),o={...r,...t},i=ar("Checkbox",o),s=yt(t),{spacing:u="0.5rem",className:c,children:f,iconColor:p,iconSize:h,icon:m=y(oY,{}),isChecked:g,isDisabled:b=r?.isDisabled,onChange:S,inputProps:E,...w}=s;let x=g;r?.value&&s.value&&(x=r.value.includes(s.value));let _=S;r?.onChange&&s.value&&(_=JK(r.onChange,S));const{state:L,getInputProps:T,getCheckboxProps:O,getLabelProps:N,getRootProps:F}=OL({...w,isDisabled:b,isChecked:x,onChange:_}),q=C.exports.useMemo(()=>({opacity:L.isChecked||L.isIndeterminate?1:0,transform:L.isChecked||L.isIndeterminate?"scale(1)":"scale(0.95)",fontSize:h,color:p,...i.icon}),[p,h,L.isChecked,L.isIndeterminate,i.icon]),W=C.exports.cloneElement(m,{__css:q,isIndeterminate:L.isIndeterminate,isChecked:L.isChecked});return X(sY,{__css:i.container,className:QK("chakra-checkbox",c),...F(),children:[y("input",{className:"chakra-checkbox__input",...T(E,n)}),y(aY,{__css:i.control,className:"chakra-checkbox__control",...O(),children:W}),f&&Q.createElement(oe.span,{className:"chakra-checkbox__label",...N(),__css:{marginStart:u,...i.label}},f)]})});lY.displayName="Checkbox";function uY(e){return y(Wr,{focusable:"false","aria-hidden":!0,...e,children:y("path",{fill:"currentColor",d:"M.439,21.44a1.5,1.5,0,0,0,2.122,2.121L11.823,14.3a.25.25,0,0,1,.354,0l9.262,9.263a1.5,1.5,0,1,0,2.122-2.121L14.3,12.177a.25.25,0,0,1,0-.354l9.263-9.262A1.5,1.5,0,0,0,21.439.44L12.177,9.7a.25.25,0,0,1-.354,0L2.561.44A1.5,1.5,0,0,0,.439,2.561L9.7,11.823a.25.25,0,0,1,0,.354Z"})})}var dm=ue(function(t,n){const r=ir("CloseButton",t),{children:o,isDisabled:i,__css:s,...u}=yt(t),c={outline:0,display:"flex",alignItems:"center",justifyContent:"center",flexShrink:0};return Q.createElement(oe.button,{type:"button","aria-label":"Close",ref:n,disabled:i,__css:{...c,...r,...s},...u},o||y(uY,{width:"1em",height:"1em"}))});dm.displayName="CloseButton";function cY(e){const t=parseFloat(e);return typeof t!="number"||Number.isNaN(t)?0:t}function NL(e,t){let n=cY(e);const r=10**(t??10);return n=Math.round(n*r)/r,t?n.toFixed(t):n.toString()}function Vw(e){if(!Number.isFinite(e))return 0;let t=1,n=0;for(;Math.round(e*t)/t!==e;)t*=10,n+=1;return n}function fY(e,t,n){return e==null?e:(n<t&&console.warn("clamp: max cannot be less than min"),Math.min(Math.max(e,t),n))}function dY(e={}){const{onChange:t,precision:n,defaultValue:r,value:o,step:i=1,min:s=Number.MIN_SAFE_INTEGER,max:u=Number.MAX_SAFE_INTEGER,keepWithinRange:c=!0}=e,f=Wn(t),[p,h]=C.exports.useState(()=>r==null?"":n2(r,i,n)??""),m=typeof o<"u",g=m?o:p,b=DL(ha(g),i),S=n??b,E=C.exports.useCallback(W=>{W!==g&&(m||h(W.toString()),f?.(W.toString(),ha(W)))},[f,m,g]),w=C.exports.useCallback(W=>{let J=W;return c&&(J=fY(J,s,u)),NL(J,S)},[S,c,u,s]),x=C.exports.useCallback((W=i)=>{let J;g===""?J=ha(W):J=ha(g)+W,J=w(J),E(J)},[w,i,E,g]),_=C.exports.useCallback((W=i)=>{let J;g===""?J=ha(-W):J=ha(g)-W,J=w(J),E(J)},[w,i,E,g]),L=C.exports.useCallback(()=>{let W;r==null?W="":W=n2(r,i,n)??s,E(W)},[r,n,i,E,s]),T=C.exports.useCallback(W=>{const J=n2(W,i,S)??s;E(J)},[S,i,E,s]),O=ha(g);return{isOutOfRange:O>u||O<s,isAtMax:O===u,isAtMin:O===s,precision:S,value:g,valueAsNumber:O,update:E,reset:L,increment:x,decrement:_,clamp:w,cast:T,setValue:h}}function ha(e){return parseFloat(e.toString().replace(/[^\w.-]+/g,""))}function DL(e,t){return Math.max(Vw(t),Vw(e))}function n2(e,t,n){const r=ha(e);if(Number.isNaN(r))return;const o=DL(r,t);return NL(r,n??o)}var zL=` - :root { - --chakra-vh: 100vh; - } - - @supports (height: -webkit-fill-available) { - :root { - --chakra-vh: -webkit-fill-available; - } - } - - @supports (height: -moz-fill-available) { - :root { - --chakra-vh: -moz-fill-available; - } - } - - @supports (height: 100lvh) { - :root { - --chakra-vh: 100lvh; - } - } -`,pY=()=>y(U0,{styles:zL}),hY=()=>y(U0,{styles:` - html { - line-height: 1.5; - -webkit-text-size-adjust: 100%; - font-family: system-ui, sans-serif; - -webkit-font-smoothing: antialiased; - text-rendering: optimizeLegibility; - -moz-osx-font-smoothing: grayscale; - touch-action: manipulation; - } - - body { - position: relative; - min-height: 100%; - font-feature-settings: 'kern'; - } - - *, - *::before, - *::after { - border-width: 0; - border-style: solid; - box-sizing: border-box; - } - - main { - display: block; - } - - hr { - border-top-width: 1px; - box-sizing: content-box; - height: 0; - overflow: visible; - } - - pre, - code, - kbd, - samp { - font-family: SFMono-Regular, Menlo, Monaco, Consolas, monospace; - font-size: 1em; - } - - a { - background-color: transparent; - color: inherit; - text-decoration: inherit; - } - - abbr[title] { - border-bottom: none; - text-decoration: underline; - -webkit-text-decoration: underline dotted; - text-decoration: underline dotted; - } - - b, - strong { - font-weight: bold; - } - - small { - font-size: 80%; - } - - sub, - sup { - font-size: 75%; - line-height: 0; - position: relative; - vertical-align: baseline; - } - - sub { - bottom: -0.25em; - } - - sup { - top: -0.5em; - } - - img { - border-style: none; - } - - button, - input, - optgroup, - select, - textarea { - font-family: inherit; - font-size: 100%; - line-height: 1.15; - margin: 0; - } - - button, - input { - overflow: visible; - } - - button, - select { - text-transform: none; - } - - button::-moz-focus-inner, - [type="button"]::-moz-focus-inner, - [type="reset"]::-moz-focus-inner, - [type="submit"]::-moz-focus-inner { - border-style: none; - padding: 0; - } - - fieldset { - padding: 0.35em 0.75em 0.625em; - } - - legend { - box-sizing: border-box; - color: inherit; - display: table; - max-width: 100%; - padding: 0; - white-space: normal; - } - - progress { - vertical-align: baseline; - } - - textarea { - overflow: auto; - } - - [type="checkbox"], - [type="radio"] { - box-sizing: border-box; - padding: 0; - } - - [type="number"]::-webkit-inner-spin-button, - [type="number"]::-webkit-outer-spin-button { - -webkit-appearance: none !important; - } - - input[type="number"] { - -moz-appearance: textfield; - } - - [type="search"] { - -webkit-appearance: textfield; - outline-offset: -2px; - } - - [type="search"]::-webkit-search-decoration { - -webkit-appearance: none !important; - } - - ::-webkit-file-upload-button { - -webkit-appearance: button; - font: inherit; - } - - details { - display: block; - } - - summary { - display: list-item; - } - - template { - display: none; - } - - [hidden] { - display: none !important; - } - - body, - blockquote, - dl, - dd, - h1, - h2, - h3, - h4, - h5, - h6, - hr, - figure, - p, - pre { - margin: 0; - } - - button { - background: transparent; - padding: 0; - } - - fieldset { - margin: 0; - padding: 0; - } - - ol, - ul { - margin: 0; - padding: 0; - } - - textarea { - resize: vertical; - } - - button, - [role="button"] { - cursor: pointer; - } - - button::-moz-focus-inner { - border: 0 !important; - } - - table { - border-collapse: collapse; - } - - h1, - h2, - h3, - h4, - h5, - h6 { - font-size: inherit; - font-weight: inherit; - } - - button, - input, - optgroup, - select, - textarea { - padding: 0; - line-height: inherit; - color: inherit; - } - - img, - svg, - video, - canvas, - audio, - iframe, - embed, - object { - display: block; - } - - img, - video { - max-width: 100%; - height: auto; - } - - [data-js-focus-visible] :focus:not([data-focus-visible-added]):not([data-focus-visible-disabled]) { - outline: none; - box-shadow: none; - } - - select::-ms-expand { - display: none; - } - - ${zL} - `});function i5(e,t,n,r){const o=Wn(n);return C.exports.useEffect(()=>{const i=typeof e=="function"?e():e??document;if(!(!n||!i))return i.addEventListener(t,o,r),()=>{i.removeEventListener(t,o,r)}},[t,e,r,o,n]),()=>{const i=typeof e=="function"?e():e??document;i?.removeEventListener(t,o,r)}}var mY=od?C.exports.useLayoutEffect:C.exports.useEffect;function a5(e,t=[]){const n=C.exports.useRef(e);return mY(()=>{n.current=e}),C.exports.useCallback((...r)=>{var o;return(o=n.current)==null?void 0:o.call(n,...r)},t)}function N3(e,t,n,r){const o=a5(t);return C.exports.useEffect(()=>{const i=T1(n)??document;if(!!t)return i.addEventListener(e,o,r),()=>{i.removeEventListener(e,o,r)}},[e,n,r,o,t]),()=>{(T1(n)??document).removeEventListener(e,o,r)}}function gY(e){const{isOpen:t,ref:n}=e,[r,o]=C.exports.useState(t),[i,s]=C.exports.useState(!1);return C.exports.useEffect(()=>{i||(o(t),s(!0))},[t,i,r]),N3("animationend",()=>{o(t)},()=>n.current),{present:!(t?!1:!r),onComplete(){var c;const f=$W(n.current),p=new f.CustomEvent("animationend",{bubbles:!0});(c=n.current)==null||c.dispatchEvent(p)}}}function vY(e,t){const n=e!==void 0;return[n,n&&typeof e<"u"?e:t]}function yY(e,t){const n=C.exports.useId();return C.exports.useMemo(()=>e||[t,n].filter(Boolean).join("-"),[e,t,n])}function s5(e={}){const{onClose:t,onOpen:n,isOpen:r,id:o}=e,i=a5(n),s=a5(t),[u,c]=C.exports.useState(e.defaultIsOpen||!1),[f,p]=vY(r,u),h=yY(o,"disclosure"),m=C.exports.useCallback(()=>{f||c(!1),s?.()},[f,s]),g=C.exports.useCallback(()=>{f||c(!0),i?.()},[f,i]),b=C.exports.useCallback(()=>{(p?m:g)()},[p,g,m]);return{isOpen:!!p,onOpen:g,onClose:m,onToggle:b,isControlled:f,getButtonProps:(S={})=>({...S,"aria-expanded":p,"aria-controls":h,onClick:JW(S.onClick,b)}),getDisclosureProps:(S={})=>({...S,hidden:!p,id:h})}}var FL=(e,t)=>{const n=C.exports.useRef(!1),r=C.exports.useRef(!1);C.exports.useEffect(()=>{if(n.current&&r.current)return e();r.current=!0},t),C.exports.useEffect(()=>(n.current=!0,()=>{n.current=!1}),[])};function bY(e){const t=e.current;if(!t)return!1;const n=HW(t);return!n||n3(t,n)?!1:!!qW(n)}function xY(e,t){const{shouldFocus:n,visible:r,focusRef:o}=t,i=n&&!r;FL(()=>{if(!i||bY(e))return;const s=o?.current||e.current;s&&I1(s,{nextTick:!0})},[i,e,o])}function SY(e,t,n,r){return N3(yH(t),dH(n,t==="pointerdown"),e,r)}function wY(e){const{ref:t,elements:n,enabled:r}=e,o=xH("Safari");SY(()=>rd(t.current),"pointerdown",s=>{if(!o||!r)return;const u=s.target,f=(n??[t]).some(p=>{const h=Pk(p)?p.current:p;return n3(h,u)});!Rk(u)&&f&&(s.preventDefault(),I1(u))})}var CY={preventScroll:!0,shouldFocus:!1};function _Y(e,t=CY){const{focusRef:n,preventScroll:r,shouldFocus:o,visible:i}=t,s=Pk(e)?e.current:e,u=o&&i,c=C.exports.useCallback(()=>{if(!(!s||!u)&&!n3(s,document.activeElement))if(n?.current)I1(n.current,{preventScroll:r,nextTick:!0});else{const f=QW(s);f.length>0&&I1(f[0],{preventScroll:r,nextTick:!0})}},[u,r,s,n]);FL(()=>{c()},[c]),N3("transitionend",c,s)}function D3(e){const t=Object.assign({},e);for(let n in t)t[n]===void 0&&delete t[n];return t}var z3=ue(function(t,n){const{htmlSize:r,...o}=t,i=ar("Input",o),s=yt(o),u=I3(s),c=Yt("chakra-input",t.className);return Q.createElement(oe.input,{size:r,...u,__css:i.field,ref:n,className:c})});z3.displayName="Input";z3.id="Input";var[kY,BL]=At({name:"InputGroupStylesContext",errorMessage:`useInputGroupStyles returned is 'undefined'. Seems you forgot to wrap the components in "<InputGroup />" `}),EY=ue(function(t,n){const r=ar("Input",t),{children:o,className:i,...s}=yt(t),u=Yt("chakra-input__group",i),c={},f=um(o),p=r.field;f.forEach(m=>{!r||(p&&m.type.id==="InputLeftElement"&&(c.paddingStart=p.height??p.h),p&&m.type.id==="InputRightElement"&&(c.paddingEnd=p.height??p.h),m.type.id==="InputRightAddon"&&(c.borderEndRadius=0),m.type.id==="InputLeftAddon"&&(c.borderStartRadius=0))});const h=f.map(m=>{var g,b;const S=D3({size:((g=m.props)==null?void 0:g.size)||t.size,variant:((b=m.props)==null?void 0:b.variant)||t.variant});return m.type.id!=="Input"?C.exports.cloneElement(m,S):C.exports.cloneElement(m,Object.assign(S,c,m.props))});return Q.createElement(oe.div,{className:u,ref:n,__css:{width:"100%",display:"flex",position:"relative"},...s},y(kY,{value:r,children:h}))});EY.displayName="InputGroup";var LY={left:{marginEnd:"-1px",borderEndRadius:0,borderEndColor:"transparent"},right:{marginStart:"-1px",borderStartRadius:0,borderStartColor:"transparent"}},PY=oe("div",{baseStyle:{flex:"0 0 auto",width:"auto",display:"flex",alignItems:"center",whiteSpace:"nowrap"}}),F3=ue(function(t,n){const{placement:r="left",...o}=t,i=LY[r]??{},s=BL();return y(PY,{ref:n,...o,__css:{...s.addon,...i}})});F3.displayName="InputAddon";var $L=ue(function(t,n){return y(F3,{ref:n,placement:"left",...t,className:Yt("chakra-input__left-addon",t.className)})});$L.displayName="InputLeftAddon";$L.id="InputLeftAddon";var VL=ue(function(t,n){return y(F3,{ref:n,placement:"right",...t,className:Yt("chakra-input__right-addon",t.className)})});VL.displayName="InputRightAddon";VL.id="InputRightAddon";var AY=oe("div",{baseStyle:{display:"flex",alignItems:"center",justifyContent:"center",position:"absolute",top:"0",zIndex:2}}),pm=ue(function(t,n){const{placement:r="left",...o}=t,i=BL(),s=i.field,c={[r==="left"?"insetStart":"insetEnd"]:"0",width:s?.height??s?.h,height:s?.height??s?.h,fontSize:s?.fontSize,...i.element};return y(AY,{ref:n,__css:c,...o})});pm.id="InputElement";pm.displayName="InputElement";var WL=ue(function(t,n){const{className:r,...o}=t,i=Yt("chakra-input__left-element",r);return y(pm,{ref:n,placement:"left",className:i,...o})});WL.id="InputLeftElement";WL.displayName="InputLeftElement";var HL=ue(function(t,n){const{className:r,...o}=t,i=Yt("chakra-input__right-element",r);return y(pm,{ref:n,placement:"right",className:i,...o})});HL.id="InputRightElement";HL.displayName="InputRightElement";function TY(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}Object.freeze(["base","sm","md","lg","xl","2xl"]);function $a(e,t){return Array.isArray(e)?e.map(n=>n===null?null:t(n)):TY(e)?Object.keys(e).reduce((n,r)=>(n[r]=t(e[r]),n),{}):e!=null?t(e):null}var IY=ue(function(e,t){const{ratio:n=4/3,children:r,className:o,...i}=e,s=C.exports.Children.only(r),u=Yt("chakra-aspect-ratio",o);return Q.createElement(oe.div,{ref:t,position:"relative",className:u,_before:{height:0,content:'""',display:"block",paddingBottom:$a(n,c=>`${1/c*100}%`)},__css:{"& > *:not(style)":{overflow:"hidden",position:"absolute",top:"0",right:"0",bottom:"0",left:"0",display:"flex",justifyContent:"center",alignItems:"center",width:"100%",height:"100%"},"& > img, & > video":{objectFit:"cover"}},...i},s)});IY.displayName="AspectRatio";var MY=ue(function(t,n){const r=ir("Badge",t),{className:o,...i}=yt(t);return Q.createElement(oe.span,{ref:n,className:Yt("chakra-badge",t.className),...i,__css:{display:"inline-block",whiteSpace:"nowrap",verticalAlign:"middle",...r}})});MY.displayName="Badge";var ui=oe("div");ui.displayName="Box";var jL=ue(function(t,n){const{size:r,centerContent:o=!0,...i}=t;return y(ui,{ref:n,boxSize:r,__css:{...o?{display:"flex",alignItems:"center",justifyContent:"center"}:{},flexShrink:0,flexGrow:0},...i})});jL.displayName="Square";var RY=ue(function(t,n){const{size:r,...o}=t;return y(jL,{size:r,ref:n,borderRadius:"9999px",...o})});RY.displayName="Circle";var UL=oe("div",{baseStyle:{display:"flex",alignItems:"center",justifyContent:"center"}});UL.displayName="Center";var OY={horizontal:{insetStart:"50%",transform:"translateX(-50%)"},vertical:{top:"50%",transform:"translateY(-50%)"},both:{insetStart:"50%",top:"50%",transform:"translate(-50%, -50%)"}};ue(function(t,n){const{axis:r="both",...o}=t;return Q.createElement(oe.div,{ref:n,__css:OY[r],...o,position:"absolute"})});var NY=ue(function(t,n){const r=ir("Code",t),{className:o,...i}=yt(t);return Q.createElement(oe.code,{ref:n,className:Yt("chakra-code",t.className),...i,__css:{display:"inline-block",...r}})});NY.displayName="Code";var DY=ue(function(t,n){const{className:r,centerContent:o,...i}=yt(t),s=ir("Container",t);return Q.createElement(oe.div,{ref:n,className:Yt("chakra-container",r),...i,__css:{...s,...o&&{display:"flex",flexDirection:"column",alignItems:"center"}}})});DY.displayName="Container";var zY=ue(function(t,n){const{borderLeftWidth:r,borderBottomWidth:o,borderTopWidth:i,borderRightWidth:s,borderWidth:u,borderStyle:c,borderColor:f,...p}=ir("Divider",t),{className:h,orientation:m="horizontal",__css:g,...b}=yt(t),S={vertical:{borderLeftWidth:r||s||u||"1px",height:"100%"},horizontal:{borderBottomWidth:o||i||u||"1px",width:"100%"}};return Q.createElement(oe.hr,{ref:n,"aria-orientation":m,...b,__css:{...p,border:"0",borderColor:f,borderStyle:c,...S[m],...g},className:Yt("chakra-divider",h)})});zY.displayName="Divider";var dt=ue(function(t,n){const{direction:r,align:o,justify:i,wrap:s,basis:u,grow:c,shrink:f,...p}=t,h={display:"flex",flexDirection:r,alignItems:o,justifyContent:i,flexWrap:s,flexBasis:u,flexGrow:c,flexShrink:f};return Q.createElement(oe.div,{ref:n,__css:h,...p})});dt.displayName="Flex";var GL=ue(function(t,n){const{templateAreas:r,gap:o,rowGap:i,columnGap:s,column:u,row:c,autoFlow:f,autoRows:p,templateRows:h,autoColumns:m,templateColumns:g,...b}=t,S={display:"grid",gridTemplateAreas:r,gridGap:o,gridRowGap:i,gridColumnGap:s,gridAutoColumns:m,gridColumn:u,gridRow:c,gridAutoFlow:f,gridAutoRows:p,gridTemplateRows:h,gridTemplateColumns:g};return Q.createElement(oe.div,{ref:n,__css:S,...b})});GL.displayName="Grid";function Ww(e){return $a(e,t=>t==="auto"?"auto":`span ${t}/span ${t}`)}var FY=ue(function(t,n){const{area:r,colSpan:o,colStart:i,colEnd:s,rowEnd:u,rowSpan:c,rowStart:f,...p}=t,h=D3({gridArea:r,gridColumn:Ww(o),gridRow:Ww(c),gridColumnStart:i,gridColumnEnd:s,gridRowStart:f,gridRowEnd:u});return Q.createElement(oe.div,{ref:n,__css:h,...p})});FY.displayName="GridItem";var B3=ue(function(t,n){const r=ir("Heading",t),{className:o,...i}=yt(t);return Q.createElement(oe.h2,{ref:n,className:Yt("chakra-heading",t.className),...i,__css:r})});B3.displayName="Heading";ue(function(t,n){const r=ir("Mark",t),o=yt(t);return y(ui,{ref:n,...o,as:"mark",__css:{bg:"transparent",whiteSpace:"nowrap",...r}})});var BY=ue(function(t,n){const r=ir("Kbd",t),{className:o,...i}=yt(t);return Q.createElement(oe.kbd,{ref:n,className:Yt("chakra-kbd",o),...i,__css:{fontFamily:"mono",...r}})});BY.displayName="Kbd";var zf=ue(function(t,n){const r=ir("Link",t),{className:o,isExternal:i,...s}=yt(t);return Q.createElement(oe.a,{target:i?"_blank":void 0,rel:i?"noopener":void 0,ref:n,className:Yt("chakra-link",o),...s,__css:r})});zf.displayName="Link";ue(function(t,n){const{isExternal:r,target:o,rel:i,className:s,...u}=t;return Q.createElement(oe.a,{...u,ref:n,className:Yt("chakra-linkbox__overlay",s),rel:r?"noopener noreferrer":i,target:r?"_blank":o,__css:{position:"static","&::before":{content:"''",cursor:"inherit",display:"block",position:"absolute",top:0,left:0,zIndex:0,width:"100%",height:"100%"}}})});ue(function(t,n){const{className:r,...o}=t;return Q.createElement(oe.div,{ref:n,position:"relative",...o,className:Yt("chakra-linkbox",r),__css:{"a[href]:not(.chakra-linkbox__overlay), abbr[title]":{position:"relative",zIndex:1}}})});var[$Y,ZL]=At({name:"ListStylesContext",errorMessage:`useListStyles returned is 'undefined'. Seems you forgot to wrap the components in "<List />" `}),$3=ue(function(t,n){const r=ar("List",t),{children:o,styleType:i="none",stylePosition:s,spacing:u,...c}=yt(t),f=um(o),h=u?{["& > *:not(style) ~ *:not(style)"]:{mt:u}}:{};return Q.createElement($Y,{value:r},Q.createElement(oe.ul,{ref:n,listStyleType:i,listStylePosition:s,role:"list",__css:{...r.container,...h},...c},f))});$3.displayName="List";var VY=ue((e,t)=>{const{as:n,...r}=e;return y($3,{ref:t,as:"ol",styleType:"decimal",marginStart:"1em",...r})});VY.displayName="OrderedList";var WY=ue(function(t,n){const{as:r,...o}=t;return y($3,{ref:n,as:"ul",styleType:"initial",marginStart:"1em",...o})});WY.displayName="UnorderedList";var HY=ue(function(t,n){const r=ZL();return Q.createElement(oe.li,{ref:n,...t,__css:r.item})});HY.displayName="ListItem";var jY=ue(function(t,n){const r=ZL();return y(Wr,{ref:n,role:"presentation",...t,__css:r.icon})});jY.displayName="ListIcon";var UY=ue(function(t,n){const{columns:r,spacingX:o,spacingY:i,spacing:s,minChildWidth:u,...c}=t,f=Z0(),p=u?ZY(u,f):qY(r);return y(GL,{ref:n,gap:s,columnGap:o,rowGap:i,templateColumns:p,...c})});UY.displayName="SimpleGrid";function GY(e){return typeof e=="number"?`${e}px`:e}function ZY(e,t){return $a(e,n=>{const r=DH("sizes",n,GY(n))(t);return n===null?null:`repeat(auto-fit, minmax(${r}, 1fr))`})}function qY(e){return $a(e,t=>t===null?null:`repeat(${t}, minmax(0, 1fr))`)}var KY=oe("div",{baseStyle:{flex:1,justifySelf:"stretch",alignSelf:"stretch"}});KY.displayName="Spacer";var l5="& > *:not(style) ~ *:not(style)";function YY(e){const{spacing:t,direction:n}=e,r={column:{marginTop:t,marginEnd:0,marginBottom:0,marginStart:0},row:{marginTop:0,marginEnd:0,marginBottom:0,marginStart:t},"column-reverse":{marginTop:0,marginEnd:0,marginBottom:t,marginStart:0},"row-reverse":{marginTop:0,marginEnd:t,marginBottom:0,marginStart:0}};return{flexDirection:n,[l5]:$a(n,o=>r[o])}}function XY(e){const{spacing:t,direction:n}=e,r={column:{my:t,mx:0,borderLeftWidth:0,borderBottomWidth:"1px"},"column-reverse":{my:t,mx:0,borderLeftWidth:0,borderBottomWidth:"1px"},row:{mx:t,my:0,borderLeftWidth:"1px",borderBottomWidth:0},"row-reverse":{mx:t,my:0,borderLeftWidth:"1px",borderBottomWidth:0}};return{"&":$a(n,o=>r[o])}}var qL=e=>Q.createElement(oe.div,{className:"chakra-stack__item",...e,__css:{display:"inline-block",flex:"0 0 auto",minWidth:0,...e.__css}});qL.displayName="StackItem";var V3=ue((e,t)=>{const{isInline:n,direction:r,align:o,justify:i,spacing:s="0.5rem",wrap:u,children:c,divider:f,className:p,shouldWrapChildren:h,...m}=e,g=n?"row":r??"column",b=C.exports.useMemo(()=>YY({direction:g,spacing:s}),[g,s]),S=C.exports.useMemo(()=>XY({spacing:s,direction:g}),[s,g]),E=!!f,w=!h&&!E,x=um(c),_=w?x:x.map((T,O)=>{const N=typeof T.key<"u"?T.key:O,F=O+1===x.length,W=h?y(qL,{children:T},N):T;if(!E)return W;const J=C.exports.cloneElement(f,{__css:S}),ve=F?null:J;return X(C.exports.Fragment,{children:[W,ve]},N)}),L=Yt("chakra-stack",p);return Q.createElement(oe.div,{ref:t,display:"flex",alignItems:o,justifyContent:i,flexDirection:b.flexDirection,flexWrap:u,className:L,__css:E?{}:{[l5]:b[l5]},...m},_)});V3.displayName="Stack";var QY=ue((e,t)=>y(V3,{align:"center",...e,direction:"row",ref:t}));QY.displayName="HStack";var JY=ue((e,t)=>y(V3,{align:"center",...e,direction:"column",ref:t}));JY.displayName="VStack";var Mr=ue(function(t,n){const r=ir("Text",t),{className:o,align:i,decoration:s,casing:u,...c}=yt(t),f=D3({textAlign:t.align,textDecoration:t.decoration,textTransform:t.casing});return Q.createElement(oe.p,{ref:n,className:Yt("chakra-text",t.className),...f,...c,__css:r})});Mr.displayName="Text";function Hw(e){return typeof e=="number"?`${e}px`:e}var eX=ue(function(t,n){const{spacing:r="0.5rem",spacingX:o,spacingY:i,children:s,justify:u,direction:c,align:f,className:p,shouldWrapChildren:h,...m}=t,g=C.exports.useMemo(()=>{const{spacingX:S=r,spacingY:E=r}={spacingX:o,spacingY:i};return{"--chakra-wrap-x-spacing":w=>$a(S,x=>Hw(_y("space",x)(w))),"--chakra-wrap-y-spacing":w=>$a(E,x=>Hw(_y("space",x)(w))),"--wrap-x-spacing":"calc(var(--chakra-wrap-x-spacing) / 2)","--wrap-y-spacing":"calc(var(--chakra-wrap-y-spacing) / 2)",display:"flex",flexWrap:"wrap",justifyContent:u,alignItems:f,flexDirection:c,listStyleType:"none",padding:"0",margin:"calc(var(--wrap-y-spacing) * -1) calc(var(--wrap-x-spacing) * -1)","& > *:not(style)":{margin:"var(--wrap-y-spacing) var(--wrap-x-spacing)"}}},[r,o,i,u,f,c]),b=h?C.exports.Children.map(s,(S,E)=>y(KL,{children:S},E)):s;return Q.createElement(oe.div,{ref:n,className:Yt("chakra-wrap",p),overflow:"hidden",...m},Q.createElement(oe.ul,{className:"chakra-wrap__list",__css:g},b))});eX.displayName="Wrap";var KL=ue(function(t,n){const{className:r,...o}=t;return Q.createElement(oe.li,{ref:n,__css:{display:"flex",alignItems:"flex-start"},className:Yt("chakra-wrap__listitem",r),...o})});KL.displayName="WrapItem";var tX={body:{classList:{add(){},remove(){}}},addEventListener(){},removeEventListener(){},activeElement:{blur(){},nodeName:""},querySelector(){return null},querySelectorAll(){return[]},getElementById(){return null},createEvent(){return{initEvent(){}}},createElement(){return{children:[],childNodes:[],style:{},setAttribute(){},getElementsByTagName(){return[]}}}},YL=tX,gl=()=>{},nX={document:YL,navigator:{userAgent:""},CustomEvent:function(){return this},addEventListener:gl,removeEventListener:gl,getComputedStyle(){return{getPropertyValue(){return""}}},matchMedia(){return{matches:!1,addListener:gl,removeListener:gl}},requestAnimationFrame(e){return typeof setTimeout>"u"?(e(),null):setTimeout(e,0)},cancelAnimationFrame(e){typeof setTimeout>"u"||clearTimeout(e)},setTimeout:()=>0,clearTimeout:gl,setInterval:()=>0,clearInterval:gl},rX=nX,oX={window:rX,document:YL},XL=typeof window<"u"?{window,document}:oX,QL=C.exports.createContext(XL);QL.displayName="EnvironmentContext";function JL(e){const{children:t,environment:n}=e,[r,o]=C.exports.useState(null),[i,s]=C.exports.useState(!1);C.exports.useEffect(()=>s(!0),[]);const u=C.exports.useMemo(()=>{if(n)return n;const c=r?.ownerDocument,f=r?.ownerDocument.defaultView;return c?{document:c,window:f}:XL},[r,n]);return X(QL.Provider,{value:u,children:[t,!n&&i&&y("span",{id:"__chakra_env",hidden:!0,ref:c=>{C.exports.startTransition(()=>{c&&o(c)})}})]})}JL.displayName="EnvironmentProvider";var iX=e=>e?"":void 0;function aX(){const e=C.exports.useRef(new Map),t=e.current,n=C.exports.useCallback((o,i,s,u)=>{e.current.set(s,{type:i,el:o,options:u}),o.addEventListener(i,s,u)},[]),r=C.exports.useCallback((o,i,s,u)=>{o.removeEventListener(i,s,u),e.current.delete(s)},[]);return C.exports.useEffect(()=>()=>{t.forEach((o,i)=>{r(o.el,o.type,i,o.options)})},[r,t]),{add:n,remove:r}}function r2(e){const t=e.target,{tagName:n,isContentEditable:r}=t;return n!=="INPUT"&&n!=="TEXTAREA"&&r!==!0}function sX(e={}){const{ref:t,isDisabled:n,isFocusable:r,clickOnEnter:o=!0,clickOnSpace:i=!0,onMouseDown:s,onMouseUp:u,onClick:c,onKeyDown:f,onKeyUp:p,tabIndex:h,onMouseOver:m,onMouseLeave:g,...b}=e,[S,E]=C.exports.useState(!0),[w,x]=C.exports.useState(!1),_=aX(),L=ne=>{!ne||ne.tagName!=="BUTTON"&&E(!1)},T=S?h:h||0,O=n&&!r,N=C.exports.useCallback(ne=>{if(n){ne.stopPropagation(),ne.preventDefault();return}ne.currentTarget.focus(),c?.(ne)},[n,c]),F=C.exports.useCallback(ne=>{w&&r2(ne)&&(ne.preventDefault(),ne.stopPropagation(),x(!1),_.remove(document,"keyup",F,!1))},[w,_]),q=C.exports.useCallback(ne=>{if(f?.(ne),n||ne.defaultPrevented||ne.metaKey||!r2(ne.nativeEvent)||S)return;const H=o&&ne.key==="Enter";i&&ne.key===" "&&(ne.preventDefault(),x(!0)),H&&(ne.preventDefault(),ne.currentTarget.click()),_.add(document,"keyup",F,!1)},[n,S,f,o,i,_,F]),W=C.exports.useCallback(ne=>{if(p?.(ne),n||ne.defaultPrevented||ne.metaKey||!r2(ne.nativeEvent)||S)return;i&&ne.key===" "&&(ne.preventDefault(),x(!1),ne.currentTarget.click())},[i,S,n,p]),J=C.exports.useCallback(ne=>{ne.button===0&&(x(!1),_.remove(document,"mouseup",J,!1))},[_]),ve=C.exports.useCallback(ne=>{if(ne.button!==0)return;if(n){ne.stopPropagation(),ne.preventDefault();return}S||x(!0),ne.currentTarget.focus({preventScroll:!0}),_.add(document,"mouseup",J,!1),s?.(ne)},[n,S,s,_,J]),xe=C.exports.useCallback(ne=>{ne.button===0&&(S||x(!1),u?.(ne))},[u,S]),he=C.exports.useCallback(ne=>{if(n){ne.preventDefault();return}m?.(ne)},[n,m]),fe=C.exports.useCallback(ne=>{w&&(ne.preventDefault(),x(!1)),g?.(ne)},[w,g]),me=qt(t,L);return S?{...b,ref:me,type:"button","aria-disabled":O?void 0:n,disabled:O,onClick:N,onMouseDown:s,onMouseUp:u,onKeyUp:p,onKeyDown:f,onMouseOver:m,onMouseLeave:g}:{...b,ref:me,role:"button","data-active":iX(w),"aria-disabled":n?"true":void 0,tabIndex:O?void 0:T,onClick:N,onMouseDown:ve,onMouseUp:xe,onKeyUp:W,onKeyDown:q,onMouseOver:he,onMouseLeave:fe}}function lX(e){return e!=null&&typeof e=="object"&&"nodeType"in e&&e.nodeType===Node.ELEMENT_NODE}function uX(e){if(!lX(e))return!1;const t=e.ownerDocument.defaultView??window;return e instanceof t.HTMLElement}var cX=e=>e.hasAttribute("tabindex");function fX(e){return Boolean(e.getAttribute("disabled"))===!0||Boolean(e.getAttribute("aria-disabled"))===!0}function eP(e){return e.parentElement&&eP(e.parentElement)?!0:e.hidden}function dX(e){const t=e.getAttribute("contenteditable");return t!=="false"&&t!=null}function pX(e){if(!uX(e)||eP(e)||fX(e))return!1;const{localName:t}=e;if(["input","select","textarea","button"].indexOf(t)>=0)return!0;const r={a:()=>e.hasAttribute("href"),audio:()=>e.hasAttribute("controls"),video:()=>e.hasAttribute("controls")};return t in r?r[t]():dX(e)?!0:cX(e)}var hX=["input:not([disabled])","select:not([disabled])","textarea:not([disabled])","embed","iframe","object","a[href]","area[href]","button:not([disabled])","[tabindex]","audio[controls]","video[controls]","*[tabindex]:not([aria-disabled])","*[contenteditable]"],mX=hX.join(),gX=e=>e.offsetWidth>0&&e.offsetHeight>0;function vX(e){const t=Array.from(e.querySelectorAll(mX));return t.unshift(e),t.filter(n=>pX(n)&&gX(n))}var yr="top",so="bottom",lo="right",br="left",W3="auto",dd=[yr,so,lo,br],hu="start",Ff="end",yX="clippingParents",tP="viewport",wc="popper",bX="reference",jw=dd.reduce(function(e,t){return e.concat([t+"-"+hu,t+"-"+Ff])},[]),nP=[].concat(dd,[W3]).reduce(function(e,t){return e.concat([t,t+"-"+hu,t+"-"+Ff])},[]),xX="beforeRead",SX="read",wX="afterRead",CX="beforeMain",_X="main",kX="afterMain",EX="beforeWrite",LX="write",PX="afterWrite",AX=[xX,SX,wX,CX,_X,kX,EX,LX,PX];function ci(e){return e?(e.nodeName||"").toLowerCase():null}function co(e){if(e==null)return window;if(e.toString()!=="[object Window]"){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function Rs(e){var t=co(e).Element;return e instanceof t||e instanceof Element}function ro(e){var t=co(e).HTMLElement;return e instanceof t||e instanceof HTMLElement}function H3(e){if(typeof ShadowRoot>"u")return!1;var t=co(e).ShadowRoot;return e instanceof t||e instanceof ShadowRoot}function TX(e){var t=e.state;Object.keys(t.elements).forEach(function(n){var r=t.styles[n]||{},o=t.attributes[n]||{},i=t.elements[n];!ro(i)||!ci(i)||(Object.assign(i.style,r),Object.keys(o).forEach(function(s){var u=o[s];u===!1?i.removeAttribute(s):i.setAttribute(s,u===!0?"":u)}))})}function IX(e){var t=e.state,n={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,n.popper),t.styles=n,t.elements.arrow&&Object.assign(t.elements.arrow.style,n.arrow),function(){Object.keys(t.elements).forEach(function(r){var o=t.elements[r],i=t.attributes[r]||{},s=Object.keys(t.styles.hasOwnProperty(r)?t.styles[r]:n[r]),u=s.reduce(function(c,f){return c[f]="",c},{});!ro(o)||!ci(o)||(Object.assign(o.style,u),Object.keys(i).forEach(function(c){o.removeAttribute(c)}))})}}const MX={name:"applyStyles",enabled:!0,phase:"write",fn:TX,effect:IX,requires:["computeStyles"]};function oi(e){return e.split("-")[0]}var ks=Math.max,Z1=Math.min,mu=Math.round;function u5(){var e=navigator.userAgentData;return e!=null&&e.brands?e.brands.map(function(t){return t.brand+"/"+t.version}).join(" "):navigator.userAgent}function rP(){return!/^((?!chrome|android).)*safari/i.test(u5())}function gu(e,t,n){t===void 0&&(t=!1),n===void 0&&(n=!1);var r=e.getBoundingClientRect(),o=1,i=1;t&&ro(e)&&(o=e.offsetWidth>0&&mu(r.width)/e.offsetWidth||1,i=e.offsetHeight>0&&mu(r.height)/e.offsetHeight||1);var s=Rs(e)?co(e):window,u=s.visualViewport,c=!rP()&&n,f=(r.left+(c&&u?u.offsetLeft:0))/o,p=(r.top+(c&&u?u.offsetTop:0))/i,h=r.width/o,m=r.height/i;return{width:h,height:m,top:p,right:f+h,bottom:p+m,left:f,x:f,y:p}}function j3(e){var t=gu(e),n=e.offsetWidth,r=e.offsetHeight;return Math.abs(t.width-n)<=1&&(n=t.width),Math.abs(t.height-r)<=1&&(r=t.height),{x:e.offsetLeft,y:e.offsetTop,width:n,height:r}}function oP(e,t){var n=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(n&&H3(n)){var r=t;do{if(r&&e.isSameNode(r))return!0;r=r.parentNode||r.host}while(r)}return!1}function Ui(e){return co(e).getComputedStyle(e)}function RX(e){return["table","td","th"].indexOf(ci(e))>=0}function Ka(e){return((Rs(e)?e.ownerDocument:e.document)||window.document).documentElement}function hm(e){return ci(e)==="html"?e:e.assignedSlot||e.parentNode||(H3(e)?e.host:null)||Ka(e)}function Uw(e){return!ro(e)||Ui(e).position==="fixed"?null:e.offsetParent}function OX(e){var t=/firefox/i.test(u5()),n=/Trident/i.test(u5());if(n&&ro(e)){var r=Ui(e);if(r.position==="fixed")return null}var o=hm(e);for(H3(o)&&(o=o.host);ro(o)&&["html","body"].indexOf(ci(o))<0;){var i=Ui(o);if(i.transform!=="none"||i.perspective!=="none"||i.contain==="paint"||["transform","perspective"].indexOf(i.willChange)!==-1||t&&i.willChange==="filter"||t&&i.filter&&i.filter!=="none")return o;o=o.parentNode}return null}function pd(e){for(var t=co(e),n=Uw(e);n&&RX(n)&&Ui(n).position==="static";)n=Uw(n);return n&&(ci(n)==="html"||ci(n)==="body"&&Ui(n).position==="static")?t:n||OX(e)||t}function U3(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function Qc(e,t,n){return ks(e,Z1(t,n))}function NX(e,t,n){var r=Qc(e,t,n);return r>n?n:r}function iP(){return{top:0,right:0,bottom:0,left:0}}function aP(e){return Object.assign({},iP(),e)}function sP(e,t){return t.reduce(function(n,r){return n[r]=e,n},{})}var DX=function(t,n){return t=typeof t=="function"?t(Object.assign({},n.rects,{placement:n.placement})):t,aP(typeof t!="number"?t:sP(t,dd))};function zX(e){var t,n=e.state,r=e.name,o=e.options,i=n.elements.arrow,s=n.modifiersData.popperOffsets,u=oi(n.placement),c=U3(u),f=[br,lo].indexOf(u)>=0,p=f?"height":"width";if(!(!i||!s)){var h=DX(o.padding,n),m=j3(i),g=c==="y"?yr:br,b=c==="y"?so:lo,S=n.rects.reference[p]+n.rects.reference[c]-s[c]-n.rects.popper[p],E=s[c]-n.rects.reference[c],w=pd(i),x=w?c==="y"?w.clientHeight||0:w.clientWidth||0:0,_=S/2-E/2,L=h[g],T=x-m[p]-h[b],O=x/2-m[p]/2+_,N=Qc(L,O,T),F=c;n.modifiersData[r]=(t={},t[F]=N,t.centerOffset=N-O,t)}}function FX(e){var t=e.state,n=e.options,r=n.element,o=r===void 0?"[data-popper-arrow]":r;o!=null&&(typeof o=="string"&&(o=t.elements.popper.querySelector(o),!o)||!oP(t.elements.popper,o)||(t.elements.arrow=o))}const BX={name:"arrow",enabled:!0,phase:"main",fn:zX,effect:FX,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function vu(e){return e.split("-")[1]}var $X={top:"auto",right:"auto",bottom:"auto",left:"auto"};function VX(e){var t=e.x,n=e.y,r=window,o=r.devicePixelRatio||1;return{x:mu(t*o)/o||0,y:mu(n*o)/o||0}}function Gw(e){var t,n=e.popper,r=e.popperRect,o=e.placement,i=e.variation,s=e.offsets,u=e.position,c=e.gpuAcceleration,f=e.adaptive,p=e.roundOffsets,h=e.isFixed,m=s.x,g=m===void 0?0:m,b=s.y,S=b===void 0?0:b,E=typeof p=="function"?p({x:g,y:S}):{x:g,y:S};g=E.x,S=E.y;var w=s.hasOwnProperty("x"),x=s.hasOwnProperty("y"),_=br,L=yr,T=window;if(f){var O=pd(n),N="clientHeight",F="clientWidth";if(O===co(n)&&(O=Ka(n),Ui(O).position!=="static"&&u==="absolute"&&(N="scrollHeight",F="scrollWidth")),O=O,o===yr||(o===br||o===lo)&&i===Ff){L=so;var q=h&&O===T&&T.visualViewport?T.visualViewport.height:O[N];S-=q-r.height,S*=c?1:-1}if(o===br||(o===yr||o===so)&&i===Ff){_=lo;var W=h&&O===T&&T.visualViewport?T.visualViewport.width:O[F];g-=W-r.width,g*=c?1:-1}}var J=Object.assign({position:u},f&&$X),ve=p===!0?VX({x:g,y:S}):{x:g,y:S};if(g=ve.x,S=ve.y,c){var xe;return Object.assign({},J,(xe={},xe[L]=x?"0":"",xe[_]=w?"0":"",xe.transform=(T.devicePixelRatio||1)<=1?"translate("+g+"px, "+S+"px)":"translate3d("+g+"px, "+S+"px, 0)",xe))}return Object.assign({},J,(t={},t[L]=x?S+"px":"",t[_]=w?g+"px":"",t.transform="",t))}function WX(e){var t=e.state,n=e.options,r=n.gpuAcceleration,o=r===void 0?!0:r,i=n.adaptive,s=i===void 0?!0:i,u=n.roundOffsets,c=u===void 0?!0:u,f={placement:oi(t.placement),variation:vu(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:o,isFixed:t.options.strategy==="fixed"};t.modifiersData.popperOffsets!=null&&(t.styles.popper=Object.assign({},t.styles.popper,Gw(Object.assign({},f,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:s,roundOffsets:c})))),t.modifiersData.arrow!=null&&(t.styles.arrow=Object.assign({},t.styles.arrow,Gw(Object.assign({},f,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:c})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})}const HX={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:WX,data:{}};var oh={passive:!0};function jX(e){var t=e.state,n=e.instance,r=e.options,o=r.scroll,i=o===void 0?!0:o,s=r.resize,u=s===void 0?!0:s,c=co(t.elements.popper),f=[].concat(t.scrollParents.reference,t.scrollParents.popper);return i&&f.forEach(function(p){p.addEventListener("scroll",n.update,oh)}),u&&c.addEventListener("resize",n.update,oh),function(){i&&f.forEach(function(p){p.removeEventListener("scroll",n.update,oh)}),u&&c.removeEventListener("resize",n.update,oh)}}const UX={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:jX,data:{}};var GX={left:"right",right:"left",bottom:"top",top:"bottom"};function Hh(e){return e.replace(/left|right|bottom|top/g,function(t){return GX[t]})}var ZX={start:"end",end:"start"};function Zw(e){return e.replace(/start|end/g,function(t){return ZX[t]})}function G3(e){var t=co(e),n=t.pageXOffset,r=t.pageYOffset;return{scrollLeft:n,scrollTop:r}}function Z3(e){return gu(Ka(e)).left+G3(e).scrollLeft}function qX(e,t){var n=co(e),r=Ka(e),o=n.visualViewport,i=r.clientWidth,s=r.clientHeight,u=0,c=0;if(o){i=o.width,s=o.height;var f=rP();(f||!f&&t==="fixed")&&(u=o.offsetLeft,c=o.offsetTop)}return{width:i,height:s,x:u+Z3(e),y:c}}function KX(e){var t,n=Ka(e),r=G3(e),o=(t=e.ownerDocument)==null?void 0:t.body,i=ks(n.scrollWidth,n.clientWidth,o?o.scrollWidth:0,o?o.clientWidth:0),s=ks(n.scrollHeight,n.clientHeight,o?o.scrollHeight:0,o?o.clientHeight:0),u=-r.scrollLeft+Z3(e),c=-r.scrollTop;return Ui(o||n).direction==="rtl"&&(u+=ks(n.clientWidth,o?o.clientWidth:0)-i),{width:i,height:s,x:u,y:c}}function q3(e){var t=Ui(e),n=t.overflow,r=t.overflowX,o=t.overflowY;return/auto|scroll|overlay|hidden/.test(n+o+r)}function lP(e){return["html","body","#document"].indexOf(ci(e))>=0?e.ownerDocument.body:ro(e)&&q3(e)?e:lP(hm(e))}function Jc(e,t){var n;t===void 0&&(t=[]);var r=lP(e),o=r===((n=e.ownerDocument)==null?void 0:n.body),i=co(r),s=o?[i].concat(i.visualViewport||[],q3(r)?r:[]):r,u=t.concat(s);return o?u:u.concat(Jc(hm(s)))}function c5(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function YX(e,t){var n=gu(e,!1,t==="fixed");return n.top=n.top+e.clientTop,n.left=n.left+e.clientLeft,n.bottom=n.top+e.clientHeight,n.right=n.left+e.clientWidth,n.width=e.clientWidth,n.height=e.clientHeight,n.x=n.left,n.y=n.top,n}function qw(e,t,n){return t===tP?c5(qX(e,n)):Rs(t)?YX(t,n):c5(KX(Ka(e)))}function XX(e){var t=Jc(hm(e)),n=["absolute","fixed"].indexOf(Ui(e).position)>=0,r=n&&ro(e)?pd(e):e;return Rs(r)?t.filter(function(o){return Rs(o)&&oP(o,r)&&ci(o)!=="body"}):[]}function QX(e,t,n,r){var o=t==="clippingParents"?XX(e):[].concat(t),i=[].concat(o,[n]),s=i[0],u=i.reduce(function(c,f){var p=qw(e,f,r);return c.top=ks(p.top,c.top),c.right=Z1(p.right,c.right),c.bottom=Z1(p.bottom,c.bottom),c.left=ks(p.left,c.left),c},qw(e,s,r));return u.width=u.right-u.left,u.height=u.bottom-u.top,u.x=u.left,u.y=u.top,u}function uP(e){var t=e.reference,n=e.element,r=e.placement,o=r?oi(r):null,i=r?vu(r):null,s=t.x+t.width/2-n.width/2,u=t.y+t.height/2-n.height/2,c;switch(o){case yr:c={x:s,y:t.y-n.height};break;case so:c={x:s,y:t.y+t.height};break;case lo:c={x:t.x+t.width,y:u};break;case br:c={x:t.x-n.width,y:u};break;default:c={x:t.x,y:t.y}}var f=o?U3(o):null;if(f!=null){var p=f==="y"?"height":"width";switch(i){case hu:c[f]=c[f]-(t[p]/2-n[p]/2);break;case Ff:c[f]=c[f]+(t[p]/2-n[p]/2);break}}return c}function Bf(e,t){t===void 0&&(t={});var n=t,r=n.placement,o=r===void 0?e.placement:r,i=n.strategy,s=i===void 0?e.strategy:i,u=n.boundary,c=u===void 0?yX:u,f=n.rootBoundary,p=f===void 0?tP:f,h=n.elementContext,m=h===void 0?wc:h,g=n.altBoundary,b=g===void 0?!1:g,S=n.padding,E=S===void 0?0:S,w=aP(typeof E!="number"?E:sP(E,dd)),x=m===wc?bX:wc,_=e.rects.popper,L=e.elements[b?x:m],T=QX(Rs(L)?L:L.contextElement||Ka(e.elements.popper),c,p,s),O=gu(e.elements.reference),N=uP({reference:O,element:_,strategy:"absolute",placement:o}),F=c5(Object.assign({},_,N)),q=m===wc?F:O,W={top:T.top-q.top+w.top,bottom:q.bottom-T.bottom+w.bottom,left:T.left-q.left+w.left,right:q.right-T.right+w.right},J=e.modifiersData.offset;if(m===wc&&J){var ve=J[o];Object.keys(W).forEach(function(xe){var he=[lo,so].indexOf(xe)>=0?1:-1,fe=[yr,so].indexOf(xe)>=0?"y":"x";W[xe]+=ve[fe]*he})}return W}function JX(e,t){t===void 0&&(t={});var n=t,r=n.placement,o=n.boundary,i=n.rootBoundary,s=n.padding,u=n.flipVariations,c=n.allowedAutoPlacements,f=c===void 0?nP:c,p=vu(r),h=p?u?jw:jw.filter(function(b){return vu(b)===p}):dd,m=h.filter(function(b){return f.indexOf(b)>=0});m.length===0&&(m=h);var g=m.reduce(function(b,S){return b[S]=Bf(e,{placement:S,boundary:o,rootBoundary:i,padding:s})[oi(S)],b},{});return Object.keys(g).sort(function(b,S){return g[b]-g[S]})}function eQ(e){if(oi(e)===W3)return[];var t=Hh(e);return[Zw(e),t,Zw(t)]}function tQ(e){var t=e.state,n=e.options,r=e.name;if(!t.modifiersData[r]._skip){for(var o=n.mainAxis,i=o===void 0?!0:o,s=n.altAxis,u=s===void 0?!0:s,c=n.fallbackPlacements,f=n.padding,p=n.boundary,h=n.rootBoundary,m=n.altBoundary,g=n.flipVariations,b=g===void 0?!0:g,S=n.allowedAutoPlacements,E=t.options.placement,w=oi(E),x=w===E,_=c||(x||!b?[Hh(E)]:eQ(E)),L=[E].concat(_).reduce(function(ce,ye){return ce.concat(oi(ye)===W3?JX(t,{placement:ye,boundary:p,rootBoundary:h,padding:f,flipVariations:b,allowedAutoPlacements:S}):ye)},[]),T=t.rects.reference,O=t.rects.popper,N=new Map,F=!0,q=L[0],W=0;W<L.length;W++){var J=L[W],ve=oi(J),xe=vu(J)===hu,he=[yr,so].indexOf(ve)>=0,fe=he?"width":"height",me=Bf(t,{placement:J,boundary:p,rootBoundary:h,altBoundary:m,padding:f}),ne=he?xe?lo:br:xe?so:yr;T[fe]>O[fe]&&(ne=Hh(ne));var H=Hh(ne),K=[];if(i&&K.push(me[ve]<=0),u&&K.push(me[ne]<=0,me[H]<=0),K.every(function(ce){return ce})){q=J,F=!1;break}N.set(J,K)}if(F)for(var Z=b?3:1,M=function(ye){var be=L.find(function(Le){var de=N.get(Le);if(de)return de.slice(0,ye).every(function(_e){return _e})});if(be)return q=be,"break"},j=Z;j>0;j--){var se=M(j);if(se==="break")break}t.placement!==q&&(t.modifiersData[r]._skip=!0,t.placement=q,t.reset=!0)}}const nQ={name:"flip",enabled:!0,phase:"main",fn:tQ,requiresIfExists:["offset"],data:{_skip:!1}};function Kw(e,t,n){return n===void 0&&(n={x:0,y:0}),{top:e.top-t.height-n.y,right:e.right-t.width+n.x,bottom:e.bottom-t.height+n.y,left:e.left-t.width-n.x}}function Yw(e){return[yr,lo,so,br].some(function(t){return e[t]>=0})}function rQ(e){var t=e.state,n=e.name,r=t.rects.reference,o=t.rects.popper,i=t.modifiersData.preventOverflow,s=Bf(t,{elementContext:"reference"}),u=Bf(t,{altBoundary:!0}),c=Kw(s,r),f=Kw(u,o,i),p=Yw(c),h=Yw(f);t.modifiersData[n]={referenceClippingOffsets:c,popperEscapeOffsets:f,isReferenceHidden:p,hasPopperEscaped:h},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":p,"data-popper-escaped":h})}const oQ={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:rQ};function iQ(e,t,n){var r=oi(e),o=[br,yr].indexOf(r)>=0?-1:1,i=typeof n=="function"?n(Object.assign({},t,{placement:e})):n,s=i[0],u=i[1];return s=s||0,u=(u||0)*o,[br,lo].indexOf(r)>=0?{x:u,y:s}:{x:s,y:u}}function aQ(e){var t=e.state,n=e.options,r=e.name,o=n.offset,i=o===void 0?[0,0]:o,s=nP.reduce(function(p,h){return p[h]=iQ(h,t.rects,i),p},{}),u=s[t.placement],c=u.x,f=u.y;t.modifiersData.popperOffsets!=null&&(t.modifiersData.popperOffsets.x+=c,t.modifiersData.popperOffsets.y+=f),t.modifiersData[r]=s}const sQ={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:aQ};function lQ(e){var t=e.state,n=e.name;t.modifiersData[n]=uP({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})}const uQ={name:"popperOffsets",enabled:!0,phase:"read",fn:lQ,data:{}};function cQ(e){return e==="x"?"y":"x"}function fQ(e){var t=e.state,n=e.options,r=e.name,o=n.mainAxis,i=o===void 0?!0:o,s=n.altAxis,u=s===void 0?!1:s,c=n.boundary,f=n.rootBoundary,p=n.altBoundary,h=n.padding,m=n.tether,g=m===void 0?!0:m,b=n.tetherOffset,S=b===void 0?0:b,E=Bf(t,{boundary:c,rootBoundary:f,padding:h,altBoundary:p}),w=oi(t.placement),x=vu(t.placement),_=!x,L=U3(w),T=cQ(L),O=t.modifiersData.popperOffsets,N=t.rects.reference,F=t.rects.popper,q=typeof S=="function"?S(Object.assign({},t.rects,{placement:t.placement})):S,W=typeof q=="number"?{mainAxis:q,altAxis:q}:Object.assign({mainAxis:0,altAxis:0},q),J=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,ve={x:0,y:0};if(!!O){if(i){var xe,he=L==="y"?yr:br,fe=L==="y"?so:lo,me=L==="y"?"height":"width",ne=O[L],H=ne+E[he],K=ne-E[fe],Z=g?-F[me]/2:0,M=x===hu?N[me]:F[me],j=x===hu?-F[me]:-N[me],se=t.elements.arrow,ce=g&&se?j3(se):{width:0,height:0},ye=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:iP(),be=ye[he],Le=ye[fe],de=Qc(0,N[me],ce[me]),_e=_?N[me]/2-Z-de-be-W.mainAxis:M-de-be-W.mainAxis,De=_?-N[me]/2+Z+de+Le+W.mainAxis:j+de+Le+W.mainAxis,st=t.elements.arrow&&pd(t.elements.arrow),Tt=st?L==="y"?st.clientTop||0:st.clientLeft||0:0,hn=(xe=J?.[L])!=null?xe:0,Se=ne+_e-hn-Tt,Ie=ne+De-hn,tt=Qc(g?Z1(H,Se):H,ne,g?ks(K,Ie):K);O[L]=tt,ve[L]=tt-ne}if(u){var ze,Bt=L==="x"?yr:br,mn=L==="x"?so:lo,lt=O[T],Ct=T==="y"?"height":"width",Xt=lt+E[Bt],Ut=lt-E[mn],pe=[yr,br].indexOf(w)!==-1,Ee=(ze=J?.[T])!=null?ze:0,pt=pe?Xt:lt-N[Ct]-F[Ct]-Ee+W.altAxis,ut=pe?lt+N[Ct]+F[Ct]-Ee-W.altAxis:Ut,ie=g&&pe?NX(pt,lt,ut):Qc(g?pt:Xt,lt,g?ut:Ut);O[T]=ie,ve[T]=ie-lt}t.modifiersData[r]=ve}}const dQ={name:"preventOverflow",enabled:!0,phase:"main",fn:fQ,requiresIfExists:["offset"]};function pQ(e){return{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}}function hQ(e){return e===co(e)||!ro(e)?G3(e):pQ(e)}function mQ(e){var t=e.getBoundingClientRect(),n=mu(t.width)/e.offsetWidth||1,r=mu(t.height)/e.offsetHeight||1;return n!==1||r!==1}function gQ(e,t,n){n===void 0&&(n=!1);var r=ro(t),o=ro(t)&&mQ(t),i=Ka(t),s=gu(e,o,n),u={scrollLeft:0,scrollTop:0},c={x:0,y:0};return(r||!r&&!n)&&((ci(t)!=="body"||q3(i))&&(u=hQ(t)),ro(t)?(c=gu(t,!0),c.x+=t.clientLeft,c.y+=t.clientTop):i&&(c.x=Z3(i))),{x:s.left+u.scrollLeft-c.x,y:s.top+u.scrollTop-c.y,width:s.width,height:s.height}}function vQ(e){var t=new Map,n=new Set,r=[];e.forEach(function(i){t.set(i.name,i)});function o(i){n.add(i.name);var s=[].concat(i.requires||[],i.requiresIfExists||[]);s.forEach(function(u){if(!n.has(u)){var c=t.get(u);c&&o(c)}}),r.push(i)}return e.forEach(function(i){n.has(i.name)||o(i)}),r}function yQ(e){var t=vQ(e);return AX.reduce(function(n,r){return n.concat(t.filter(function(o){return o.phase===r}))},[])}function bQ(e){var t;return function(){return t||(t=new Promise(function(n){Promise.resolve().then(function(){t=void 0,n(e())})})),t}}function xQ(e){var t=e.reduce(function(n,r){var o=n[r.name];return n[r.name]=o?Object.assign({},o,r,{options:Object.assign({},o.options,r.options),data:Object.assign({},o.data,r.data)}):r,n},{});return Object.keys(t).map(function(n){return t[n]})}var Xw={placement:"bottom",modifiers:[],strategy:"absolute"};function Qw(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return!t.some(function(r){return!(r&&typeof r.getBoundingClientRect=="function")})}function SQ(e){e===void 0&&(e={});var t=e,n=t.defaultModifiers,r=n===void 0?[]:n,o=t.defaultOptions,i=o===void 0?Xw:o;return function(u,c,f){f===void 0&&(f=i);var p={placement:"bottom",orderedModifiers:[],options:Object.assign({},Xw,i),modifiersData:{},elements:{reference:u,popper:c},attributes:{},styles:{}},h=[],m=!1,g={state:p,setOptions:function(w){var x=typeof w=="function"?w(p.options):w;S(),p.options=Object.assign({},i,p.options,x),p.scrollParents={reference:Rs(u)?Jc(u):u.contextElement?Jc(u.contextElement):[],popper:Jc(c)};var _=yQ(xQ([].concat(r,p.options.modifiers)));return p.orderedModifiers=_.filter(function(L){return L.enabled}),b(),g.update()},forceUpdate:function(){if(!m){var w=p.elements,x=w.reference,_=w.popper;if(!!Qw(x,_)){p.rects={reference:gQ(x,pd(_),p.options.strategy==="fixed"),popper:j3(_)},p.reset=!1,p.placement=p.options.placement,p.orderedModifiers.forEach(function(W){return p.modifiersData[W.name]=Object.assign({},W.data)});for(var L=0;L<p.orderedModifiers.length;L++){if(p.reset===!0){p.reset=!1,L=-1;continue}var T=p.orderedModifiers[L],O=T.fn,N=T.options,F=N===void 0?{}:N,q=T.name;typeof O=="function"&&(p=O({state:p,options:F,name:q,instance:g})||p)}}}},update:bQ(function(){return new Promise(function(E){g.forceUpdate(),E(p)})}),destroy:function(){S(),m=!0}};if(!Qw(u,c))return g;g.setOptions(f).then(function(E){!m&&f.onFirstUpdate&&f.onFirstUpdate(E)});function b(){p.orderedModifiers.forEach(function(E){var w=E.name,x=E.options,_=x===void 0?{}:x,L=E.effect;if(typeof L=="function"){var T=L({state:p,name:w,instance:g,options:_}),O=function(){};h.push(T||O)}})}function S(){h.forEach(function(E){return E()}),h=[]}return g}}var wQ=[UX,uQ,HX,MX,sQ,nQ,dQ,BX,oQ],CQ=SQ({defaultModifiers:wQ}),vl=(e,t)=>({var:e,varRef:t?`var(${e}, ${t})`:`var(${e})`}),an={arrowShadowColor:vl("--popper-arrow-shadow-color"),arrowSize:vl("--popper-arrow-size","8px"),arrowSizeHalf:vl("--popper-arrow-size-half"),arrowBg:vl("--popper-arrow-bg"),transformOrigin:vl("--popper-transform-origin"),arrowOffset:vl("--popper-arrow-offset")};function _Q(e){if(e.includes("top"))return"1px 1px 1px 0 var(--popper-arrow-shadow-color)";if(e.includes("bottom"))return"-1px -1px 1px 0 var(--popper-arrow-shadow-color)";if(e.includes("right"))return"-1px 1px 1px 0 var(--popper-arrow-shadow-color)";if(e.includes("left"))return"1px -1px 1px 0 var(--popper-arrow-shadow-color)"}var kQ={top:"bottom center","top-start":"bottom left","top-end":"bottom right",bottom:"top center","bottom-start":"top left","bottom-end":"top right",left:"right center","left-start":"right top","left-end":"right bottom",right:"left center","right-start":"left top","right-end":"left bottom"},EQ=e=>kQ[e],Jw={scroll:!0,resize:!0};function LQ(e){let t;return typeof e=="object"?t={enabled:!0,options:{...Jw,...e}}:t={enabled:e,options:Jw},t}var PQ={name:"matchWidth",enabled:!0,phase:"beforeWrite",requires:["computeStyles"],fn:({state:e})=>{e.styles.popper.width=`${e.rects.reference.width}px`},effect:({state:e})=>()=>{const t=e.elements.reference;e.elements.popper.style.width=`${t.offsetWidth}px`}},AQ={name:"transformOrigin",enabled:!0,phase:"write",fn:({state:e})=>{e8(e)},effect:({state:e})=>()=>{e8(e)}},e8=e=>{e.elements.popper.style.setProperty(an.transformOrigin.var,EQ(e.placement))},TQ={name:"positionArrow",enabled:!0,phase:"afterWrite",fn:({state:e})=>{IQ(e)}},IQ=e=>{var t;if(!e.placement)return;const n=MQ(e.placement);if(((t=e.elements)==null?void 0:t.arrow)&&n){Object.assign(e.elements.arrow.style,{[n.property]:n.value,width:an.arrowSize.varRef,height:an.arrowSize.varRef,zIndex:-1});const r={[an.arrowSizeHalf.var]:`calc(${an.arrowSize.varRef} / 2)`,[an.arrowOffset.var]:`calc(${an.arrowSizeHalf.varRef} * -1)`};for(const o in r)e.elements.arrow.style.setProperty(o,r[o])}},MQ=e=>{if(e.startsWith("top"))return{property:"bottom",value:an.arrowOffset.varRef};if(e.startsWith("bottom"))return{property:"top",value:an.arrowOffset.varRef};if(e.startsWith("left"))return{property:"right",value:an.arrowOffset.varRef};if(e.startsWith("right"))return{property:"left",value:an.arrowOffset.varRef}},RQ={name:"innerArrow",enabled:!0,phase:"main",requires:["arrow"],fn:({state:e})=>{t8(e)},effect:({state:e})=>()=>{t8(e)}},t8=e=>{if(!e.elements.arrow)return;const t=e.elements.arrow.querySelector("[data-popper-arrow-inner]");!t||Object.assign(t.style,{transform:"rotate(45deg)",background:an.arrowBg.varRef,top:0,left:0,width:"100%",height:"100%",position:"absolute",zIndex:"inherit",boxShadow:_Q(e.placement)})},OQ={"start-start":{ltr:"left-start",rtl:"right-start"},"start-end":{ltr:"left-end",rtl:"right-end"},"end-start":{ltr:"right-start",rtl:"left-start"},"end-end":{ltr:"right-end",rtl:"left-end"},start:{ltr:"left",rtl:"right"},end:{ltr:"right",rtl:"left"}},NQ={"auto-start":"auto-end","auto-end":"auto-start","top-start":"top-end","top-end":"top-start","bottom-start":"bottom-end","bottom-end":"bottom-start"};function DQ(e,t="ltr"){var n;const r=((n=OQ[e])==null?void 0:n[t])||e;return t==="ltr"?r:NQ[e]??r}function cP(e={}){const{enabled:t=!0,modifiers:n,placement:r="bottom",strategy:o="absolute",arrowPadding:i=8,eventListeners:s=!0,offset:u,gutter:c=8,flip:f=!0,boundary:p="clippingParents",preventOverflow:h=!0,matchWidth:m,direction:g="ltr"}=e,b=C.exports.useRef(null),S=C.exports.useRef(null),E=C.exports.useRef(null),w=DQ(r,g),x=C.exports.useRef(()=>{}),_=C.exports.useCallback(()=>{var W;!t||!b.current||!S.current||((W=x.current)==null||W.call(x),E.current=CQ(b.current,S.current,{placement:w,modifiers:[RQ,TQ,AQ,{...PQ,enabled:!!m},{name:"eventListeners",...LQ(s)},{name:"arrow",options:{padding:i}},{name:"offset",options:{offset:u??[0,c]}},{name:"flip",enabled:!!f,options:{padding:8}},{name:"preventOverflow",enabled:!!h,options:{boundary:p}},...n??[]],strategy:o}),E.current.forceUpdate(),x.current=E.current.destroy)},[w,t,n,m,s,i,u,c,f,h,p,o]);C.exports.useEffect(()=>()=>{var W;!b.current&&!S.current&&((W=E.current)==null||W.destroy(),E.current=null)},[]);const L=C.exports.useCallback(W=>{b.current=W,_()},[_]),T=C.exports.useCallback((W={},J=null)=>({...W,ref:qt(L,J)}),[L]),O=C.exports.useCallback(W=>{S.current=W,_()},[_]),N=C.exports.useCallback((W={},J=null)=>({...W,ref:qt(O,J),style:{...W.style,position:o,minWidth:m?void 0:"max-content",inset:"0 auto auto 0"}}),[o,O,m]),F=C.exports.useCallback((W={},J=null)=>{const{size:ve,shadowColor:xe,bg:he,style:fe,...me}=W;return{...me,ref:J,"data-popper-arrow":"",style:zQ(W)}},[]),q=C.exports.useCallback((W={},J=null)=>({...W,ref:J,"data-popper-arrow-inner":""}),[]);return{update(){var W;(W=E.current)==null||W.update()},forceUpdate(){var W;(W=E.current)==null||W.forceUpdate()},transformOrigin:an.transformOrigin.varRef,referenceRef:L,popperRef:O,getPopperProps:N,getArrowProps:F,getArrowInnerProps:q,getReferenceProps:T}}function zQ(e){const{size:t,shadowColor:n,bg:r,style:o}=e,i={...o,position:"absolute"};return t&&(i["--popper-arrow-size"]=t),n&&(i["--popper-arrow-shadow-color"]=n),r&&(i["--popper-arrow-bg"]=r),i}function fP(e={}){const{onClose:t,onOpen:n,isOpen:r,id:o}=e,i=Wn(n),s=Wn(t),[u,c]=C.exports.useState(e.defaultIsOpen||!1),f=r!==void 0?r:u,p=r!==void 0,h=o??`disclosure-${C.exports.useId()}`,m=C.exports.useCallback(()=>{p||c(!1),s?.()},[p,s]),g=C.exports.useCallback(()=>{p||c(!0),i?.()},[p,i]),b=C.exports.useCallback(()=>{f?m():g()},[f,g,m]);function S(w={}){return{...w,"aria-expanded":f,"aria-controls":h,onClick(x){var _;(_=w.onClick)==null||_.call(w,x),b()}}}function E(w={}){return{...w,hidden:!f,id:h}}return{isOpen:f,onOpen:g,onClose:m,onToggle:b,isControlled:p,getButtonProps:S,getDisclosureProps:E}}function dP(e){const{wasSelected:t,enabled:n,isSelected:r,mode:o="unmount"}=e;return!!(!n||r||o==="keepMounted"&&t)}var[FQ,BQ]=At({strict:!1,name:"PortalManagerContext"});function pP(e){const{children:t,zIndex:n}=e;return y(FQ,{value:{zIndex:n},children:t})}pP.displayName="PortalManager";var[hP,$Q]=At({strict:!1,name:"PortalContext"}),K3="chakra-portal",VQ=".chakra-portal",WQ=e=>y("div",{className:"chakra-portal-zIndex",style:{position:"absolute",zIndex:e.zIndex,top:0,left:0,right:0},children:e.children}),HQ=e=>{const{appendToParentPortal:t,children:n}=e,[r,o]=C.exports.useState(null),i=C.exports.useRef(null),[,s]=C.exports.useState({});C.exports.useEffect(()=>s({}),[]);const u=$Q(),c=BQ();ei(()=>{if(!r)return;const p=r.ownerDocument,h=t?u??p.body:p.body;if(!h)return;i.current=p.createElement("div"),i.current.className=K3,h.appendChild(i.current),s({});const m=i.current;return()=>{h.contains(m)&&h.removeChild(m)}},[r]);const f=c?.zIndex?y(WQ,{zIndex:c?.zIndex,children:n}):n;return i.current?wu.exports.createPortal(y(hP,{value:i.current,children:f}),i.current):y("span",{ref:p=>{p&&o(p)}})},jQ=e=>{const{children:t,containerRef:n,appendToParentPortal:r}=e,o=n.current,i=o??(typeof window<"u"?document.body:void 0),s=C.exports.useMemo(()=>{const c=o?.ownerDocument.createElement("div");return c&&(c.className=K3),c},[o]),[,u]=C.exports.useState({});return ei(()=>u({}),[]),ei(()=>{if(!(!s||!i))return i.appendChild(s),()=>{i.removeChild(s)}},[s,i]),i&&s?wu.exports.createPortal(y(hP,{value:r?s:null,children:t}),s):null};function $s(e){const{containerRef:t,...n}=e;return t?y(jQ,{containerRef:t,...n}):y(HQ,{...n})}$s.defaultProps={appendToParentPortal:!0};$s.className=K3;$s.selector=VQ;$s.displayName="Portal";var UQ=function(e){if(typeof document>"u")return null;var t=Array.isArray(e)?e[0]:e;return t.ownerDocument.body},yl=new WeakMap,ih=new WeakMap,ah={},o2=0,GQ=function(e,t,n,r){var o=Array.isArray(e)?e:[e];ah[n]||(ah[n]=new WeakMap);var i=ah[n],s=[],u=new Set,c=new Set(o),f=function(h){!h||u.has(h)||(u.add(h),f(h.parentNode))};o.forEach(f);var p=function(h){!h||c.has(h)||Array.prototype.forEach.call(h.children,function(m){if(u.has(m))p(m);else{var g=m.getAttribute(r),b=g!==null&&g!=="false",S=(yl.get(m)||0)+1,E=(i.get(m)||0)+1;yl.set(m,S),i.set(m,E),s.push(m),S===1&&b&&ih.set(m,!0),E===1&&m.setAttribute(n,"true"),b||m.setAttribute(r,"true")}})};return p(t),u.clear(),o2++,function(){s.forEach(function(h){var m=yl.get(h)-1,g=i.get(h)-1;yl.set(h,m),i.set(h,g),m||(ih.has(h)||h.removeAttribute(r),ih.delete(h)),g||h.removeAttribute(n)}),o2--,o2||(yl=new WeakMap,yl=new WeakMap,ih=new WeakMap,ah={})}},ZQ=function(e,t,n){n===void 0&&(n="data-aria-hidden");var r=Array.from(Array.isArray(e)?e:[e]),o=t||UQ(e);return o?(r.push.apply(r,Array.from(o.querySelectorAll("[aria-live]"))),GQ(r,o,n,"aria-hidden")):function(){return null}};function qQ(e,t){if(e==null)return{};var n={},r=Object.keys(e),o,i;for(i=0;i<r.length;i++)o=r[i],!(t.indexOf(o)>=0)&&(n[o]=e[o]);return n}var wt={exports:{}},KQ="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED",YQ=KQ,XQ=YQ;function mP(){}function gP(){}gP.resetWarningCache=mP;var QQ=function(){function e(r,o,i,s,u,c){if(c!==XQ){var f=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw f.name="Invariant Violation",f}}e.isRequired=e;function t(){return e}var n={array:e,bigint:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:gP,resetWarningCache:mP};return n.PropTypes=n,n};wt.exports=QQ();var f5="data-focus-lock",vP="data-focus-lock-disabled",JQ="data-no-focus-lock",eJ="data-autofocus-inside",tJ="data-no-autofocus";function nJ(e,t){return typeof e=="function"?e(t):e&&(e.current=t),e}function rJ(e,t){var n=C.exports.useState(function(){return{value:e,callback:t,facade:{get current(){return n.value},set current(r){var o=n.value;o!==r&&(n.value=r,n.callback(r,o))}}}})[0];return n.callback=t,n.facade}function yP(e,t){return rJ(t||null,function(n){return e.forEach(function(r){return nJ(r,n)})})}var i2={width:"1px",height:"0px",padding:0,overflow:"hidden",position:"fixed",top:"1px",left:"1px"};function bP(e){return e}function xP(e,t){t===void 0&&(t=bP);var n=[],r=!1,o={read:function(){if(r)throw new Error("Sidecar: could not `read` from an `assigned` medium. `read` could be used only with `useMedium`.");return n.length?n[n.length-1]:e},useMedium:function(i){var s=t(i,r);return n.push(s),function(){n=n.filter(function(u){return u!==s})}},assignSyncMedium:function(i){for(r=!0;n.length;){var s=n;n=[],s.forEach(i)}n={push:function(u){return i(u)},filter:function(){return n}}},assignMedium:function(i){r=!0;var s=[];if(n.length){var u=n;n=[],u.forEach(i),s=n}var c=function(){var p=s;s=[],p.forEach(i)},f=function(){return Promise.resolve().then(c)};f(),n={push:function(p){s.push(p),f()},filter:function(p){return s=s.filter(p),n}}}};return o}function Y3(e,t){return t===void 0&&(t=bP),xP(e,t)}function SP(e){e===void 0&&(e={});var t=xP(null);return t.options=Ko({async:!0,ssr:!1},e),t}var wP=function(e){var t=e.sideCar,n=J0(e,["sideCar"]);if(!t)throw new Error("Sidecar: please provide `sideCar` property to import the right car");var r=t.read();if(!r)throw new Error("Sidecar medium not found");return y(r,{...Ko({},n)})};wP.isSideCarExport=!0;function oJ(e,t){return e.useMedium(t),wP}var CP=Y3({},function(e){var t=e.target,n=e.currentTarget;return{target:t,currentTarget:n}}),_P=Y3(),iJ=Y3(),aJ=SP({async:!0}),sJ=[],X3=C.exports.forwardRef(function(t,n){var r,o=C.exports.useState(),i=o[0],s=o[1],u=C.exports.useRef(),c=C.exports.useRef(!1),f=C.exports.useRef(null),p=t.children,h=t.disabled,m=t.noFocusGuards,g=t.persistentFocus,b=t.crossFrame,S=t.autoFocus;t.allowTextSelection;var E=t.group,w=t.className,x=t.whiteList,_=t.hasPositiveIndices,L=t.shards,T=L===void 0?sJ:L,O=t.as,N=O===void 0?"div":O,F=t.lockProps,q=F===void 0?{}:F,W=t.sideCar,J=t.returnFocus,ve=t.focusOptions,xe=t.onActivation,he=t.onDeactivation,fe=C.exports.useState({}),me=fe[0],ne=C.exports.useCallback(function(){f.current=f.current||document&&document.activeElement,u.current&&xe&&xe(u.current),c.current=!0},[xe]),H=C.exports.useCallback(function(){c.current=!1,he&&he(u.current)},[he]);C.exports.useEffect(function(){h||(f.current=null)},[]);var K=C.exports.useCallback(function(Le){var de=f.current;if(de&&de.focus){var _e=typeof J=="function"?J(de):J;if(_e){var De=typeof _e=="object"?_e:void 0;f.current=null,Le?Promise.resolve().then(function(){return de.focus(De)}):de.focus(De)}}},[J]),Z=C.exports.useCallback(function(Le){c.current&&CP.useMedium(Le)},[]),M=_P.useMedium,j=C.exports.useCallback(function(Le){u.current!==Le&&(u.current=Le,s(Le))},[]),se=kf((r={},r[vP]=h&&"disabled",r[f5]=E,r),q),ce=m!==!0,ye=ce&&m!=="tail",be=yP([n,j]);return X(Mn,{children:[ce&&[y("div",{"data-focus-guard":!0,tabIndex:h?-1:0,style:i2},"guard-first"),_?y("div",{"data-focus-guard":!0,tabIndex:h?-1:1,style:i2},"guard-nearest"):null],!h&&y(W,{id:me,sideCar:aJ,observed:i,disabled:h,persistentFocus:g,crossFrame:b,autoFocus:S,whiteList:x,shards:T,onActivation:ne,onDeactivation:H,returnFocus:K,focusOptions:ve}),y(N,{ref:be,...se,className:w,onBlur:M,onFocus:Z,children:p}),ye&&y("div",{"data-focus-guard":!0,tabIndex:h?-1:0,style:i2})]})});X3.propTypes={};X3.defaultProps={children:void 0,disabled:!1,returnFocus:!1,focusOptions:void 0,noFocusGuards:!1,autoFocus:!0,persistentFocus:!1,crossFrame:!0,hasPositiveIndices:void 0,allowTextSelection:void 0,group:void 0,className:void 0,whiteList:void 0,shards:void 0,as:"div",lockProps:{},onActivation:void 0,onDeactivation:void 0};const kP=X3;function d5(e,t){return d5=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(r,o){return r.__proto__=o,r},d5(e,t)}function lJ(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,d5(e,t)}function EP(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function uJ(e,t){function n(r){return r.displayName||r.name||"Component"}return function(o){var i=[],s;function u(){s=e(i.map(function(f){return f.props})),t(s)}var c=function(f){lJ(p,f);function p(){return f.apply(this,arguments)||this}p.peek=function(){return s};var h=p.prototype;return h.componentDidMount=function(){i.push(this),u()},h.componentDidUpdate=function(){u()},h.componentWillUnmount=function(){var g=i.indexOf(this);i.splice(g,1),u()},h.render=function(){return y(o,{...this.props})},p}(C.exports.PureComponent);return EP(c,"displayName","SideEffect("+n(o)+")"),c}}var di=function(e){for(var t=Array(e.length),n=0;n<e.length;++n)t[n]=e[n];return t},p5=function(e){return Array.isArray(e)?e:[e]},cJ=function(e){if(e.nodeType!==Node.ELEMENT_NODE)return!1;var t=window.getComputedStyle(e,null);return!t||!t.getPropertyValue?!1:t.getPropertyValue("display")==="none"||t.getPropertyValue("visibility")==="hidden"},LP=function(e){return e.parentNode&&e.parentNode.nodeType===Node.DOCUMENT_FRAGMENT_NODE?e.parentNode.host:e.parentNode},PP=function(e){return e===document||e&&e.nodeType===Node.DOCUMENT_NODE},fJ=function(e,t){return!e||PP(e)||!cJ(e)&&t(LP(e))},AP=function(e,t){var n=e.get(t);if(n!==void 0)return n;var r=fJ(t,AP.bind(void 0,e));return e.set(t,r),r},dJ=function(e,t){return e&&!PP(e)?mJ(e)?t(LP(e)):!1:!0},TP=function(e,t){var n=e.get(t);if(n!==void 0)return n;var r=dJ(t,TP.bind(void 0,e));return e.set(t,r),r},IP=function(e){return e.dataset},pJ=function(e){return e.tagName==="BUTTON"},MP=function(e){return e.tagName==="INPUT"},RP=function(e){return MP(e)&&e.type==="radio"},hJ=function(e){return!((MP(e)||pJ(e))&&(e.type==="hidden"||e.disabled))},mJ=function(e){var t=e.getAttribute(tJ);return![!0,"true",""].includes(t)},Q3=function(e){var t;return Boolean(e&&((t=IP(e))===null||t===void 0?void 0:t.focusGuard))},q1=function(e){return!Q3(e)},gJ=function(e){return Boolean(e)},vJ=function(e,t){var n=e.tabIndex-t.tabIndex,r=e.index-t.index;if(n){if(!e.tabIndex)return 1;if(!t.tabIndex)return-1}return n||r},OP=function(e,t,n){return di(e).map(function(r,o){return{node:r,index:o,tabIndex:n&&r.tabIndex===-1?(r.dataset||{}).focusGuard?0:-1:r.tabIndex}}).filter(function(r){return!t||r.tabIndex>=0}).sort(vJ)},yJ=["button:enabled","select:enabled","textarea:enabled","input:enabled","a[href]","area[href]","summary","iframe","object","embed","audio[controls]","video[controls]","[tabindex]","[contenteditable]","[autofocus]"],J3=yJ.join(","),bJ="".concat(J3,", [data-focus-guard]"),NP=function(e,t){var n;return di(((n=e.shadowRoot)===null||n===void 0?void 0:n.children)||e.children).reduce(function(r,o){return r.concat(o.matches(t?bJ:J3)?[o]:[],NP(o))},[])},eb=function(e,t){return e.reduce(function(n,r){return n.concat(NP(r,t),r.parentNode?di(r.parentNode.querySelectorAll(J3)).filter(function(o){return o===r}):[])},[])},xJ=function(e){var t=e.querySelectorAll("[".concat(eJ,"]"));return di(t).map(function(n){return eb([n])}).reduce(function(n,r){return n.concat(r)},[])},tb=function(e,t){return di(e).filter(function(n){return AP(t,n)}).filter(function(n){return hJ(n)})},n8=function(e,t){return t===void 0&&(t=new Map),di(e).filter(function(n){return TP(t,n)})},h5=function(e,t,n){return OP(tb(eb(e,n),t),!0,n)},r8=function(e,t){return OP(tb(eb(e),t),!1)},SJ=function(e,t){return tb(xJ(e),t)},$f=function(e,t){return(e.shadowRoot?$f(e.shadowRoot,t):Object.getPrototypeOf(e).contains.call(e,t))||di(e.children).some(function(n){return $f(n,t)})},wJ=function(e){for(var t=new Set,n=e.length,r=0;r<n;r+=1)for(var o=r+1;o<n;o+=1){var i=e[r].compareDocumentPosition(e[o]);(i&Node.DOCUMENT_POSITION_CONTAINED_BY)>0&&t.add(o),(i&Node.DOCUMENT_POSITION_CONTAINS)>0&&t.add(r)}return e.filter(function(s,u){return!t.has(u)})},DP=function(e){return e.parentNode?DP(e.parentNode):e},nb=function(e){var t=p5(e);return t.filter(Boolean).reduce(function(n,r){var o=r.getAttribute(f5);return n.push.apply(n,o?wJ(di(DP(r).querySelectorAll("[".concat(f5,'="').concat(o,'"]:not([').concat(vP,'="disabled"])')))):[r]),n},[])},zP=function(e){return e.activeElement?e.activeElement.shadowRoot?zP(e.activeElement.shadowRoot):e.activeElement:void 0},rb=function(){return document.activeElement?document.activeElement.shadowRoot?zP(document.activeElement.shadowRoot):document.activeElement:void 0},CJ=function(e){return e===document.activeElement},_J=function(e){return Boolean(di(e.querySelectorAll("iframe")).some(function(t){return CJ(t)}))},FP=function(e){var t=document&&rb();return!t||t.dataset&&t.dataset.focusGuard?!1:nb(e).some(function(n){return $f(n,t)||_J(n)})},kJ=function(){var e=document&&rb();return e?di(document.querySelectorAll("[".concat(JQ,"]"))).some(function(t){return $f(t,e)}):!1},EJ=function(e,t){return t.filter(RP).filter(function(n){return n.name===e.name}).filter(function(n){return n.checked})[0]||e},ob=function(e,t){return RP(e)&&e.name?EJ(e,t):e},LJ=function(e){var t=new Set;return e.forEach(function(n){return t.add(ob(n,e))}),e.filter(function(n){return t.has(n)})},o8=function(e){return e[0]&&e.length>1?ob(e[0],e):e[0]},i8=function(e,t){return e.length>1?e.indexOf(ob(e[t],e)):t},BP="NEW_FOCUS",PJ=function(e,t,n,r){var o=e.length,i=e[0],s=e[o-1],u=Q3(n);if(!(n&&e.indexOf(n)>=0)){var c=n!==void 0?t.indexOf(n):-1,f=r?t.indexOf(r):c,p=r?e.indexOf(r):-1,h=c-f,m=t.indexOf(i),g=t.indexOf(s),b=LJ(t),S=n!==void 0?b.indexOf(n):-1,E=S-(r?b.indexOf(r):c),w=i8(e,0),x=i8(e,o-1);if(c===-1||p===-1)return BP;if(!h&&p>=0)return p;if(c<=m&&u&&Math.abs(h)>1)return x;if(c>=g&&u&&Math.abs(h)>1)return w;if(h&&Math.abs(E)>1)return p;if(c<=m)return x;if(c>g)return w;if(h)return Math.abs(h)>1?p:(o+p+h)%o}},m5=function(e,t){return t===void 0&&(t=[]),t.push(e),e.parentNode&&m5(e.parentNode.host||e.parentNode,t),t},a2=function(e,t){for(var n=m5(e),r=m5(t),o=0;o<n.length;o+=1){var i=n[o];if(r.indexOf(i)>=0)return i}return!1},$P=function(e,t,n){var r=p5(e),o=p5(t),i=r[0],s=!1;return o.filter(Boolean).forEach(function(u){s=a2(s||u,u)||s,n.filter(Boolean).forEach(function(c){var f=a2(i,c);f&&(!s||$f(f,s)?s=f:s=a2(f,s))})}),s},AJ=function(e,t){return e.reduce(function(n,r){return n.concat(SJ(r,t))},[])},TJ=function(e){return function(t){var n;return t.autofocus||!!(!((n=IP(t))===null||n===void 0)&&n.autofocus)||e.indexOf(t)>=0}},IJ=function(e,t){var n=new Map;return t.forEach(function(r){return n.set(r.node,r)}),e.map(function(r){return n.get(r)}).filter(gJ)},MJ=function(e,t){var n=document&&rb(),r=nb(e).filter(q1),o=$P(n||e,e,r),i=new Map,s=r8(r,i),u=h5(r,i).filter(function(g){var b=g.node;return q1(b)});if(!(!u[0]&&(u=s,!u[0]))){var c=r8([o],i).map(function(g){var b=g.node;return b}),f=IJ(c,u),p=f.map(function(g){var b=g.node;return b}),h=PJ(p,c,n,t);if(h===BP){var m=n8(s.map(function(g){var b=g.node;return b})).filter(TJ(AJ(r,i)));return{node:m&&m.length?o8(m):o8(n8(p))}}return h===void 0?h:f[h]}},RJ=function(e){var t=nb(e).filter(q1),n=$P(e,e,t),r=new Map,o=h5([n],r,!0),i=h5(t,r).filter(function(s){var u=s.node;return q1(u)}).map(function(s){var u=s.node;return u});return o.map(function(s){var u=s.node,c=s.index;return{node:u,index:c,lockItem:i.indexOf(u)>=0,guard:Q3(u)}})},OJ=function(e,t){"focus"in e&&e.focus(t),"contentWindow"in e&&e.contentWindow&&e.contentWindow.focus()},s2=0,l2=!1,NJ=function(e,t,n){n===void 0&&(n={});var r=MJ(e,t);if(!l2&&r){if(s2>2){console.error("FocusLock: focus-fighting detected. Only one focus management system could be active. See https://github.com/theKashey/focus-lock/#focus-fighting"),l2=!0,setTimeout(function(){l2=!1},1);return}s2++,OJ(r.node,n.focusOptions),s2--}};const VP=NJ;function WP(e){var t=window,n=t.setImmediate;typeof n<"u"?n(e):setTimeout(e,1)}var DJ=function(){return document&&document.activeElement===document.body},zJ=function(){return DJ()||kJ()},Jl=null,Wl=null,eu=null,Vf=!1,FJ=function(){return!0},BJ=function(t){return(Jl.whiteList||FJ)(t)},$J=function(t,n){eu={observerNode:t,portaledElement:n}},VJ=function(t){return eu&&eu.portaledElement===t};function a8(e,t,n,r){var o=null,i=e;do{var s=r[i];if(s.guard)s.node.dataset.focusAutoGuard&&(o=s);else if(s.lockItem){if(i!==e)return;o=null}else break}while((i+=n)!==t);o&&(o.node.tabIndex=0)}var WJ=function(t){return t&&"current"in t?t.current:t},HJ=function(t){return t?Boolean(Vf):Vf==="meanwhile"},jJ=function e(t,n,r){return n&&(n.host===t&&(!n.activeElement||r.contains(n.activeElement))||n.parentNode&&e(t,n.parentNode,r))},UJ=function(t,n){return n.some(function(r){return jJ(t,r,r)})},K1=function(){var t=!1;if(Jl){var n=Jl,r=n.observed,o=n.persistentFocus,i=n.autoFocus,s=n.shards,u=n.crossFrame,c=n.focusOptions,f=r||eu&&eu.portaledElement,p=document&&document.activeElement;if(f){var h=[f].concat(s.map(WJ).filter(Boolean));if((!p||BJ(p))&&(o||HJ(u)||!zJ()||!Wl&&i)&&(f&&!(FP(h)||p&&UJ(p,h)||VJ(p))&&(document&&!Wl&&p&&!i?(p.blur&&p.blur(),document.body.focus()):(t=VP(h,Wl,{focusOptions:c}),eu={})),Vf=!1,Wl=document&&document.activeElement),document){var m=document&&document.activeElement,g=RJ(h),b=g.map(function(S){var E=S.node;return E}).indexOf(m);b>-1&&(g.filter(function(S){var E=S.guard,w=S.node;return E&&w.dataset.focusAutoGuard}).forEach(function(S){var E=S.node;return E.removeAttribute("tabIndex")}),a8(b,g.length,1,g),a8(b,-1,-1,g))}}}return t},HP=function(t){K1()&&t&&(t.stopPropagation(),t.preventDefault())},ib=function(){return WP(K1)},GJ=function(t){var n=t.target,r=t.currentTarget;r.contains(n)||$J(r,n)},ZJ=function(){return null},jP=function(){Vf="just",setTimeout(function(){Vf="meanwhile"},0)},qJ=function(){document.addEventListener("focusin",HP),document.addEventListener("focusout",ib),window.addEventListener("blur",jP)},KJ=function(){document.removeEventListener("focusin",HP),document.removeEventListener("focusout",ib),window.removeEventListener("blur",jP)};function YJ(e){return e.filter(function(t){var n=t.disabled;return!n})}function XJ(e){var t=e.slice(-1)[0];t&&!Jl&&qJ();var n=Jl,r=n&&t&&t.id===n.id;Jl=t,n&&!r&&(n.onDeactivation(),e.filter(function(o){var i=o.id;return i===n.id}).length||n.returnFocus(!t)),t?(Wl=null,(!r||n.observed!==t.observed)&&t.onActivation(),K1(),WP(K1)):(KJ(),Wl=null)}CP.assignSyncMedium(GJ);_P.assignMedium(ib);iJ.assignMedium(function(e){return e({moveFocusInside:VP,focusInside:FP})});const QJ=uJ(YJ,XJ)(ZJ);var UP=C.exports.forwardRef(function(t,n){return y(kP,{sideCar:QJ,ref:n,...t})}),GP=kP.propTypes||{};GP.sideCar;qQ(GP,["sideCar"]);UP.propTypes={};const JJ=UP;var ZP=e=>{const{initialFocusRef:t,finalFocusRef:n,contentRef:r,restoreFocus:o,children:i,isDisabled:s,autoFocus:u,persistentFocus:c,lockFocusAcrossFrames:f}=e,p=C.exports.useCallback(()=>{t?.current?t.current.focus():r?.current&&vX(r.current).length===0&&requestAnimationFrame(()=>{var b;(b=r.current)==null||b.focus()})},[t,r]),h=C.exports.useCallback(()=>{var g;(g=n?.current)==null||g.focus()},[n]);return y(JJ,{crossFrame:f,persistentFocus:c,autoFocus:u,disabled:s,onActivation:p,onDeactivation:h,returnFocus:o&&!n,children:i})};ZP.displayName="FocusLock";var jh="right-scroll-bar-position",Uh="width-before-scroll-bar",eee="with-scroll-bars-hidden",tee="--removed-body-scroll-bar-size",qP=SP(),u2=function(){},mm=C.exports.forwardRef(function(e,t){var n=C.exports.useRef(null),r=C.exports.useState({onScrollCapture:u2,onWheelCapture:u2,onTouchMoveCapture:u2}),o=r[0],i=r[1],s=e.forwardProps,u=e.children,c=e.className,f=e.removeScrollBar,p=e.enabled,h=e.shards,m=e.sideCar,g=e.noIsolation,b=e.inert,S=e.allowPinchZoom,E=e.as,w=E===void 0?"div":E,x=J0(e,["forwardProps","children","className","removeScrollBar","enabled","shards","sideCar","noIsolation","inert","allowPinchZoom","as"]),_=m,L=yP([n,t]),T=Ko(Ko({},x),o);return X(Mn,{children:[p&&y(_,{sideCar:qP,removeScrollBar:f,shards:h,noIsolation:g,inert:b,setCallbacks:i,allowPinchZoom:!!S,lockRef:n}),s?C.exports.cloneElement(C.exports.Children.only(u),Ko(Ko({},T),{ref:L})):y(w,{...Ko({},T,{className:c,ref:L}),children:u})]})});mm.defaultProps={enabled:!0,removeScrollBar:!0,inert:!1};mm.classNames={fullWidth:Uh,zeroRight:jh};var nee=function(){if(typeof __webpack_nonce__<"u")return __webpack_nonce__};function ree(){if(!document)return null;var e=document.createElement("style");e.type="text/css";var t=nee();return t&&e.setAttribute("nonce",t),e}function oee(e,t){e.styleSheet?e.styleSheet.cssText=t:e.appendChild(document.createTextNode(t))}function iee(e){var t=document.head||document.getElementsByTagName("head")[0];t.appendChild(e)}var aee=function(){var e=0,t=null;return{add:function(n){e==0&&(t=ree())&&(oee(t,n),iee(t)),e++},remove:function(){e--,!e&&t&&(t.parentNode&&t.parentNode.removeChild(t),t=null)}}},see=function(){var e=aee();return function(t,n){C.exports.useEffect(function(){return e.add(t),function(){e.remove()}},[t&&n])}},KP=function(){var e=see(),t=function(n){var r=n.styles,o=n.dynamic;return e(r,o),null};return t},lee={left:0,top:0,right:0,gap:0},c2=function(e){return parseInt(e||"",10)||0},uee=function(e){var t=window.getComputedStyle(document.body),n=t[e==="padding"?"paddingLeft":"marginLeft"],r=t[e==="padding"?"paddingTop":"marginTop"],o=t[e==="padding"?"paddingRight":"marginRight"];return[c2(n),c2(r),c2(o)]},cee=function(e){if(e===void 0&&(e="margin"),typeof window>"u")return lee;var t=uee(e),n=document.documentElement.clientWidth,r=window.innerWidth;return{left:t[0],top:t[1],right:t[2],gap:Math.max(0,r-n+t[2]-t[0])}},fee=KP(),dee=function(e,t,n,r){var o=e.left,i=e.top,s=e.right,u=e.gap;return n===void 0&&(n="margin"),` - .`.concat(eee,` { - overflow: hidden `).concat(r,`; - padding-right: `).concat(u,"px ").concat(r,`; - } - body { - overflow: hidden `).concat(r,`; - overscroll-behavior: contain; - `).concat([t&&"position: relative ".concat(r,";"),n==="margin"&&` - padding-left: `.concat(o,`px; - padding-top: `).concat(i,`px; - padding-right: `).concat(s,`px; - margin-left:0; - margin-top:0; - margin-right: `).concat(u,"px ").concat(r,`; - `),n==="padding"&&"padding-right: ".concat(u,"px ").concat(r,";")].filter(Boolean).join(""),` - } - - .`).concat(jh,` { - right: `).concat(u,"px ").concat(r,`; - } - - .`).concat(Uh,` { - margin-right: `).concat(u,"px ").concat(r,`; - } - - .`).concat(jh," .").concat(jh,` { - right: 0 `).concat(r,`; - } - - .`).concat(Uh," .").concat(Uh,` { - margin-right: 0 `).concat(r,`; - } - - body { - `).concat(tee,": ").concat(u,`px; - } -`)},pee=function(e){var t=e.noRelative,n=e.noImportant,r=e.gapMode,o=r===void 0?"margin":r,i=C.exports.useMemo(function(){return cee(o)},[o]);return y(fee,{styles:dee(i,!t,o,n?"":"!important")})},g5=!1;if(typeof window<"u")try{var sh=Object.defineProperty({},"passive",{get:function(){return g5=!0,!0}});window.addEventListener("test",sh,sh),window.removeEventListener("test",sh,sh)}catch{g5=!1}var bl=g5?{passive:!1}:!1,hee=function(e){return e.tagName==="TEXTAREA"},YP=function(e,t){var n=window.getComputedStyle(e);return n[t]!=="hidden"&&!(n.overflowY===n.overflowX&&!hee(e)&&n[t]==="visible")},mee=function(e){return YP(e,"overflowY")},gee=function(e){return YP(e,"overflowX")},s8=function(e,t){var n=t;do{typeof ShadowRoot<"u"&&n instanceof ShadowRoot&&(n=n.host);var r=XP(e,n);if(r){var o=QP(e,n),i=o[1],s=o[2];if(i>s)return!0}n=n.parentNode}while(n&&n!==document.body);return!1},vee=function(e){var t=e.scrollTop,n=e.scrollHeight,r=e.clientHeight;return[t,n,r]},yee=function(e){var t=e.scrollLeft,n=e.scrollWidth,r=e.clientWidth;return[t,n,r]},XP=function(e,t){return e==="v"?mee(t):gee(t)},QP=function(e,t){return e==="v"?vee(t):yee(t)},bee=function(e,t){return e==="h"&&t==="rtl"?-1:1},xee=function(e,t,n,r,o){var i=bee(e,window.getComputedStyle(t).direction),s=i*r,u=n.target,c=t.contains(u),f=!1,p=s>0,h=0,m=0;do{var g=QP(e,u),b=g[0],S=g[1],E=g[2],w=S-E-i*b;(b||w)&&XP(e,u)&&(h+=w,m+=b),u=u.parentNode}while(!c&&u!==document.body||c&&(t.contains(u)||t===u));return(p&&(o&&h===0||!o&&s>h)||!p&&(o&&m===0||!o&&-s>m))&&(f=!0),f},lh=function(e){return"changedTouches"in e?[e.changedTouches[0].clientX,e.changedTouches[0].clientY]:[0,0]},l8=function(e){return[e.deltaX,e.deltaY]},u8=function(e){return e&&"current"in e?e.current:e},See=function(e,t){return e[0]===t[0]&&e[1]===t[1]},wee=function(e){return` - .block-interactivity-`.concat(e,` {pointer-events: none;} - .allow-interactivity-`).concat(e,` {pointer-events: all;} -`)},Cee=0,xl=[];function _ee(e){var t=C.exports.useRef([]),n=C.exports.useRef([0,0]),r=C.exports.useRef(),o=C.exports.useState(Cee++)[0],i=C.exports.useState(function(){return KP()})[0],s=C.exports.useRef(e);C.exports.useEffect(function(){s.current=e},[e]),C.exports.useEffect(function(){if(e.inert){document.body.classList.add("block-interactivity-".concat(o));var S=Fy([e.lockRef.current],(e.shards||[]).map(u8),!0).filter(Boolean);return S.forEach(function(E){return E.classList.add("allow-interactivity-".concat(o))}),function(){document.body.classList.remove("block-interactivity-".concat(o)),S.forEach(function(E){return E.classList.remove("allow-interactivity-".concat(o))})}}},[e.inert,e.lockRef.current,e.shards]);var u=C.exports.useCallback(function(S,E){if("touches"in S&&S.touches.length===2)return!s.current.allowPinchZoom;var w=lh(S),x=n.current,_="deltaX"in S?S.deltaX:x[0]-w[0],L="deltaY"in S?S.deltaY:x[1]-w[1],T,O=S.target,N=Math.abs(_)>Math.abs(L)?"h":"v";if("touches"in S&&N==="h"&&O.type==="range")return!1;var F=s8(N,O);if(!F)return!0;if(F?T=N:(T=N==="v"?"h":"v",F=s8(N,O)),!F)return!1;if(!r.current&&"changedTouches"in S&&(_||L)&&(r.current=T),!T)return!0;var q=r.current||T;return xee(q,E,S,q==="h"?_:L,!0)},[]),c=C.exports.useCallback(function(S){var E=S;if(!(!xl.length||xl[xl.length-1]!==i)){var w="deltaY"in E?l8(E):lh(E),x=t.current.filter(function(T){return T.name===E.type&&T.target===E.target&&See(T.delta,w)})[0];if(x&&x.should){E.cancelable&&E.preventDefault();return}if(!x){var _=(s.current.shards||[]).map(u8).filter(Boolean).filter(function(T){return T.contains(E.target)}),L=_.length>0?u(E,_[0]):!s.current.noIsolation;L&&E.cancelable&&E.preventDefault()}}},[]),f=C.exports.useCallback(function(S,E,w,x){var _={name:S,delta:E,target:w,should:x};t.current.push(_),setTimeout(function(){t.current=t.current.filter(function(L){return L!==_})},1)},[]),p=C.exports.useCallback(function(S){n.current=lh(S),r.current=void 0},[]),h=C.exports.useCallback(function(S){f(S.type,l8(S),S.target,u(S,e.lockRef.current))},[]),m=C.exports.useCallback(function(S){f(S.type,lh(S),S.target,u(S,e.lockRef.current))},[]);C.exports.useEffect(function(){return xl.push(i),e.setCallbacks({onScrollCapture:h,onWheelCapture:h,onTouchMoveCapture:m}),document.addEventListener("wheel",c,bl),document.addEventListener("touchmove",c,bl),document.addEventListener("touchstart",p,bl),function(){xl=xl.filter(function(S){return S!==i}),document.removeEventListener("wheel",c,bl),document.removeEventListener("touchmove",c,bl),document.removeEventListener("touchstart",p,bl)}},[]);var g=e.removeScrollBar,b=e.inert;return X(Mn,{children:[b?y(i,{styles:wee(o)}):null,g?y(pee,{gapMode:"margin"}):null]})}const kee=oJ(qP,_ee);var JP=C.exports.forwardRef(function(e,t){return y(mm,{...Ko({},e,{ref:t,sideCar:kee})})});JP.classNames=mm.classNames;const Eee=JP;var Vs=(...e)=>e.filter(Boolean).join(" ");function Ic(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var Lee=class{modals;constructor(){this.modals=[]}add(e){this.modals.push(e)}remove(e){this.modals=this.modals.filter(t=>t!==e)}isTopModal(e){return this.modals[this.modals.length-1]===e}},v5=new Lee;function Pee(e,t){C.exports.useEffect(()=>(t&&v5.add(e),()=>{v5.remove(e)}),[t,e])}function Aee(e){const{isOpen:t,onClose:n,id:r,closeOnOverlayClick:o=!0,closeOnEsc:i=!0,useInert:s=!0,onOverlayClick:u,onEsc:c}=e,f=C.exports.useRef(null),p=C.exports.useRef(null),[h,m,g]=Iee(r,"chakra-modal","chakra-modal--header","chakra-modal--body");Tee(f,t&&s),Pee(f,t);const b=C.exports.useRef(null),S=C.exports.useCallback(F=>{b.current=F.target},[]),E=C.exports.useCallback(F=>{F.key==="Escape"&&(F.stopPropagation(),i&&n?.(),c?.())},[i,n,c]),[w,x]=C.exports.useState(!1),[_,L]=C.exports.useState(!1),T=C.exports.useCallback((F={},q=null)=>({role:"dialog",...F,ref:qt(q,f),id:h,tabIndex:-1,"aria-modal":!0,"aria-labelledby":w?m:void 0,"aria-describedby":_?g:void 0,onClick:Ic(F.onClick,W=>W.stopPropagation())}),[g,_,h,m,w]),O=C.exports.useCallback(F=>{F.stopPropagation(),b.current===F.target&&(!v5.isTopModal(f)||(o&&n?.(),u?.()))},[n,o,u]),N=C.exports.useCallback((F={},q=null)=>({...F,ref:qt(q,p),onClick:Ic(F.onClick,O),onKeyDown:Ic(F.onKeyDown,E),onMouseDown:Ic(F.onMouseDown,S)}),[E,S,O]);return{isOpen:t,onClose:n,headerId:m,bodyId:g,setBodyMounted:L,setHeaderMounted:x,dialogRef:f,overlayRef:p,getDialogProps:T,getDialogContainerProps:N}}function Tee(e,t){const n=e.current;C.exports.useEffect(()=>{if(!(!e.current||!t))return ZQ(e.current)},[t,e,n])}function Iee(e,...t){const n=C.exports.useId(),r=e||n;return C.exports.useMemo(()=>t.map(o=>`${o}-${r}`),[r,t])}var[Mee,Ws]=At({name:"ModalStylesContext",errorMessage:`useModalStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Modal />" `}),[Ree,Va]=At({strict:!0,name:"ModalContext",errorMessage:"useModalContext: `context` is undefined. Seems you forgot to wrap modal components in `<Modal />`"}),Wf=e=>{const{portalProps:t,children:n,autoFocus:r,trapFocus:o,initialFocusRef:i,finalFocusRef:s,returnFocusOnClose:u,blockScrollOnMount:c,allowPinchZoom:f,preserveScrollBarGap:p,motionPreset:h,lockFocusAcrossFrames:m,onCloseComplete:g}=e,b=ar("Modal",e),E={...Aee(e),autoFocus:r,trapFocus:o,initialFocusRef:i,finalFocusRef:s,returnFocusOnClose:u,blockScrollOnMount:c,allowPinchZoom:f,preserveScrollBarGap:p,motionPreset:h,lockFocusAcrossFrames:m};return y(Ree,{value:E,children:y(Mee,{value:b,children:y(Ki,{onExitComplete:g,children:E.isOpen&&y($s,{...t,children:n})})})})};Wf.defaultProps={lockFocusAcrossFrames:!0,returnFocusOnClose:!0,scrollBehavior:"outside",trapFocus:!0,autoFocus:!0,blockScrollOnMount:!0,allowPinchZoom:!1,motionPreset:"scale"};Wf.displayName="Modal";var Y1=ue((e,t)=>{const{className:n,...r}=e,{bodyId:o,setBodyMounted:i}=Va();C.exports.useEffect(()=>(i(!0),()=>i(!1)),[i]);const s=Vs("chakra-modal__body",n),u=Ws();return Q.createElement(oe.div,{ref:t,className:s,id:o,...r,__css:u.body})});Y1.displayName="ModalBody";var eA=ue((e,t)=>{const{onClick:n,className:r,...o}=e,{onClose:i}=Va(),s=Vs("chakra-modal__close-btn",r),u=Ws();return y(dm,{ref:t,__css:u.closeButton,className:s,onClick:Ic(n,c=>{c.stopPropagation(),i()}),...o})});eA.displayName="ModalCloseButton";function tA(e){const{autoFocus:t,trapFocus:n,dialogRef:r,initialFocusRef:o,blockScrollOnMount:i,allowPinchZoom:s,finalFocusRef:u,returnFocusOnClose:c,preserveScrollBarGap:f,lockFocusAcrossFrames:p}=Va(),[h,m]=x3();return C.exports.useEffect(()=>{!h&&m&&setTimeout(m)},[h,m]),y(ZP,{autoFocus:t,isDisabled:!n,initialFocusRef:o,finalFocusRef:u,restoreFocus:c,contentRef:r,lockFocusAcrossFrames:p,children:y(Eee,{removeScrollBar:!f,allowPinchZoom:s,enabled:i,forwardProps:!0,children:e.children})})}var Oee={slideInBottom:{...t5,custom:{offsetY:16,reverse:!0}},slideInRight:{...t5,custom:{offsetX:16,reverse:!0}},scale:{...gL,custom:{initialScale:.95,reverse:!0}},none:{}},Nee=oe(uo.section),nA=C.exports.forwardRef((e,t)=>{const{preset:n,...r}=e,o=Oee[n];return y(Nee,{ref:t,...o,...r})});nA.displayName="ModalTransition";var X1=ue((e,t)=>{const{className:n,children:r,containerProps:o,...i}=e,{getDialogProps:s,getDialogContainerProps:u}=Va(),c=s(i,t),f=u(o),p=Vs("chakra-modal__content",n),h=Ws(),m={display:"flex",flexDirection:"column",position:"relative",width:"100%",outline:0,...h.dialog},g={display:"flex",width:"100vw",height:"100vh","@supports(height: -webkit-fill-available)":{height:"-webkit-fill-available"},position:"fixed",left:0,top:0,...h.dialogContainer},{motionPreset:b}=Va();return Q.createElement(tA,null,Q.createElement(oe.div,{...f,className:"chakra-modal__content-container",tabIndex:-1,__css:g},y(nA,{preset:b,className:p,...c,__css:m,children:r})))});X1.displayName="ModalContent";var ab=ue((e,t)=>{const{className:n,...r}=e,o=Vs("chakra-modal__footer",n),i=Ws(),s={display:"flex",alignItems:"center",justifyContent:"flex-end",...i.footer};return Q.createElement(oe.footer,{ref:t,...r,__css:s,className:o})});ab.displayName="ModalFooter";var sb=ue((e,t)=>{const{className:n,...r}=e,{headerId:o,setHeaderMounted:i}=Va();C.exports.useEffect(()=>(i(!0),()=>i(!1)),[i]);const s=Vs("chakra-modal__header",n),u=Ws(),c={flex:0,...u.header};return Q.createElement(oe.header,{ref:t,className:s,id:o,...r,__css:c})});sb.displayName="ModalHeader";var Dee=oe(uo.div),Q1=ue((e,t)=>{const{className:n,transition:r,...o}=e,i=Vs("chakra-modal__overlay",n),s=Ws(),u={pos:"fixed",left:"0",top:"0",w:"100vw",h:"100vh",...s.overlay},{motionPreset:c}=Va();return y(Dee,{...c==="none"?{}:mL,__css:u,ref:t,className:i,...o})});Q1.displayName="ModalOverlay";function zee(e){const{leastDestructiveRef:t,...n}=e;return y(Wf,{...n,initialFocusRef:t})}var Fee=ue((e,t)=>y(X1,{ref:t,role:"alertdialog",...e})),[k1e,Bee]=At(),$ee=oe(vL),Vee=ue((e,t)=>{const{className:n,children:r,...o}=e,{getDialogProps:i,getDialogContainerProps:s,isOpen:u}=Va(),c=i(o,t),f=s(),p=Vs("chakra-modal__content",n),h=Ws(),m={display:"flex",flexDirection:"column",position:"relative",width:"100%",outline:0,...h.dialog},g={display:"flex",width:"100vw",height:"100vh",position:"fixed",left:0,top:0,...h.dialogContainer},{placement:b}=Bee();return Q.createElement(oe.div,{...f,className:"chakra-modal__content-container",__css:g},y(tA,{children:y($ee,{direction:b,in:u,className:p,...c,__css:m,children:r})}))});Vee.displayName="DrawerContent";function Wee(e,t){const n=Wn(e);C.exports.useEffect(()=>{let r=null;const o=()=>n();return t!==null&&(r=window.setInterval(o,t)),()=>{r&&window.clearInterval(r)}},[t,n])}var rA=(...e)=>e.filter(Boolean).join(" "),f2=e=>e?!0:void 0;function $o(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var Hee=e=>y(Wr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M21,5H3C2.621,5,2.275,5.214,2.105,5.553C1.937,5.892,1.973,6.297,2.2,6.6l9,12 c0.188,0.252,0.485,0.4,0.8,0.4s0.611-0.148,0.8-0.4l9-12c0.228-0.303,0.264-0.708,0.095-1.047C21.725,5.214,21.379,5,21,5z"})}),jee=e=>y(Wr,{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M12.8,5.4c-0.377-0.504-1.223-0.504-1.6,0l-9,12c-0.228,0.303-0.264,0.708-0.095,1.047 C2.275,18.786,2.621,19,3,19h18c0.379,0,0.725-0.214,0.895-0.553c0.169-0.339,0.133-0.744-0.095-1.047L12.8,5.4z"})});function c8(e,t,n,r){C.exports.useEffect(()=>{if(!e.current||!r)return;const o=e.current.ownerDocument.defaultView??window,i=Array.isArray(t)?t:[t],s=new o.MutationObserver(u=>{for(const c of u)c.type==="attributes"&&c.attributeName&&i.includes(c.attributeName)&&n(c)});return s.observe(e.current,{attributes:!0,attributeFilter:i}),()=>s.disconnect()})}var Uee=50,f8=300;function Gee(e,t){const[n,r]=C.exports.useState(!1),[o,i]=C.exports.useState(null),[s,u]=C.exports.useState(!0),c=C.exports.useRef(null),f=()=>clearTimeout(c.current);Wee(()=>{o==="increment"&&e(),o==="decrement"&&t()},n?Uee:null);const p=C.exports.useCallback(()=>{s&&e(),c.current=setTimeout(()=>{u(!1),r(!0),i("increment")},f8)},[e,s]),h=C.exports.useCallback(()=>{s&&t(),c.current=setTimeout(()=>{u(!1),r(!0),i("decrement")},f8)},[t,s]),m=C.exports.useCallback(()=>{u(!0),r(!1),f()},[]);return C.exports.useEffect(()=>()=>f(),[]),{up:p,down:h,stop:m,isSpinning:n}}var Zee=/^[Ee0-9+\-.]$/;function qee(e){return Zee.test(e)}function Kee(e,t){if(e.key==null)return!0;const n=e.ctrlKey||e.altKey||e.metaKey;return!(e.key.length===1)||n?!0:t(e.key)}function Yee(e={}){const{focusInputOnChange:t=!0,clampValueOnBlur:n=!0,keepWithinRange:r=!0,min:o=Number.MIN_SAFE_INTEGER,max:i=Number.MAX_SAFE_INTEGER,step:s=1,isReadOnly:u,isDisabled:c,isRequired:f,isInvalid:p,pattern:h="[0-9]*(.[0-9]+)?",inputMode:m="decimal",allowMouseWheel:g,id:b,onChange:S,precision:E,name:w,"aria-describedby":x,"aria-label":_,"aria-labelledby":L,onFocus:T,onBlur:O,onInvalid:N,getAriaValueText:F,isValidCharacter:q,format:W,parse:J,...ve}=e,xe=Wn(T),he=Wn(O),fe=Wn(N),me=Wn(q??qee),ne=Wn(F),H=dY(e),{update:K,increment:Z,decrement:M}=H,[j,se]=C.exports.useState(!1),ce=!(u||c),ye=C.exports.useRef(null),be=C.exports.useRef(null),Le=C.exports.useRef(null),de=C.exports.useRef(null),_e=C.exports.useCallback(ie=>ie.split("").filter(me).join(""),[me]),De=C.exports.useCallback(ie=>J?.(ie)??ie,[J]),st=C.exports.useCallback(ie=>(W?.(ie)??ie).toString(),[W]);G1(()=>{(H.valueAsNumber>i||H.valueAsNumber<o)&&fe?.("rangeOverflow",st(H.value),H.valueAsNumber)},[H.valueAsNumber,H.value,st,fe]),ei(()=>{if(!ye.current)return;if(ye.current.value!=H.value){const Ge=De(ye.current.value);H.setValue(_e(Ge))}},[De,_e]);const Tt=C.exports.useCallback((ie=s)=>{ce&&Z(ie)},[Z,ce,s]),hn=C.exports.useCallback((ie=s)=>{ce&&M(ie)},[M,ce,s]),Se=Gee(Tt,hn);c8(Le,"disabled",Se.stop,Se.isSpinning),c8(de,"disabled",Se.stop,Se.isSpinning);const Ie=C.exports.useCallback(ie=>{if(ie.nativeEvent.isComposing)return;const Et=De(ie.currentTarget.value);K(_e(Et)),be.current={start:ie.currentTarget.selectionStart,end:ie.currentTarget.selectionEnd}},[K,_e,De]),tt=C.exports.useCallback(ie=>{var Ge;xe?.(ie),be.current&&(ie.target.selectionStart=be.current.start??((Ge=ie.currentTarget.value)==null?void 0:Ge.length),ie.currentTarget.selectionEnd=be.current.end??ie.currentTarget.selectionStart)},[xe]),ze=C.exports.useCallback(ie=>{if(ie.nativeEvent.isComposing)return;Kee(ie,me)||ie.preventDefault();const Ge=Bt(ie)*s,Et=ie.key,On={ArrowUp:()=>Tt(Ge),ArrowDown:()=>hn(Ge),Home:()=>K(o),End:()=>K(i)}[Et];On&&(ie.preventDefault(),On(ie))},[me,s,Tt,hn,K,o,i]),Bt=ie=>{let Ge=1;return(ie.metaKey||ie.ctrlKey)&&(Ge=.1),ie.shiftKey&&(Ge=10),Ge},mn=C.exports.useMemo(()=>{const ie=ne?.(H.value);if(ie!=null)return ie;const Ge=H.value.toString();return Ge||void 0},[H.value,ne]),lt=C.exports.useCallback(()=>{let ie=H.value;ie!==""&&(H.valueAsNumber<o&&(ie=o),H.valueAsNumber>i&&(ie=i),H.cast(ie))},[H,i,o]),Ct=C.exports.useCallback(()=>{se(!1),n&<()},[n,se,lt]),Xt=C.exports.useCallback(()=>{t&&requestAnimationFrame(()=>{var ie;(ie=ye.current)==null||ie.focus()})},[t]),Ut=C.exports.useCallback(ie=>{ie.preventDefault(),Se.up(),Xt()},[Xt,Se]),pe=C.exports.useCallback(ie=>{ie.preventDefault(),Se.down(),Xt()},[Xt,Se]);i5(()=>ye.current,"wheel",ie=>{var Ge;const wn=(((Ge=ye.current)==null?void 0:Ge.ownerDocument)??document).activeElement===ye.current;if(!g||!wn)return;ie.preventDefault();const On=Bt(ie)*s,wr=Math.sign(ie.deltaY);wr===-1?Tt(On):wr===1&&hn(On)},{passive:!1});const Ee=C.exports.useCallback((ie={},Ge=null)=>{const Et=c||r&&H.isAtMax;return{...ie,ref:qt(Ge,Le),role:"button",tabIndex:-1,onPointerDown:$o(ie.onPointerDown,wn=>{Et||Ut(wn)}),onPointerLeave:$o(ie.onPointerLeave,Se.stop),onPointerUp:$o(ie.onPointerUp,Se.stop),disabled:Et,"aria-disabled":f2(Et)}},[H.isAtMax,r,Ut,Se.stop,c]),pt=C.exports.useCallback((ie={},Ge=null)=>{const Et=c||r&&H.isAtMin;return{...ie,ref:qt(Ge,de),role:"button",tabIndex:-1,onPointerDown:$o(ie.onPointerDown,wn=>{Et||pe(wn)}),onPointerLeave:$o(ie.onPointerLeave,Se.stop),onPointerUp:$o(ie.onPointerUp,Se.stop),disabled:Et,"aria-disabled":f2(Et)}},[H.isAtMin,r,pe,Se.stop,c]),ut=C.exports.useCallback((ie={},Ge=null)=>({name:w,inputMode:m,type:"text",pattern:h,"aria-labelledby":L,"aria-label":_,"aria-describedby":x,id:b,disabled:c,...ie,readOnly:ie.readOnly??u,"aria-readonly":ie.readOnly??u,"aria-required":ie.required??f,required:ie.required??f,ref:qt(ye,Ge),value:st(H.value),role:"spinbutton","aria-valuemin":o,"aria-valuemax":i,"aria-valuenow":Number.isNaN(H.valueAsNumber)?void 0:H.valueAsNumber,"aria-invalid":f2(p??H.isOutOfRange),"aria-valuetext":mn,autoComplete:"off",autoCorrect:"off",onChange:$o(ie.onChange,Ie),onKeyDown:$o(ie.onKeyDown,ze),onFocus:$o(ie.onFocus,tt,()=>se(!0)),onBlur:$o(ie.onBlur,he,Ct)}),[w,m,h,L,_,st,x,b,c,f,u,p,H.value,H.valueAsNumber,H.isOutOfRange,o,i,mn,Ie,ze,tt,he,Ct]);return{value:st(H.value),valueAsNumber:H.valueAsNumber,isFocused:j,isDisabled:c,isReadOnly:u,getIncrementButtonProps:Ee,getDecrementButtonProps:pt,getInputProps:ut,htmlProps:ve}}var[Xee,gm]=At({name:"NumberInputStylesContext",errorMessage:`useNumberInputStyles returned is 'undefined'. Seems you forgot to wrap the components in "<NumberInput />" `}),[Qee,lb]=At({name:"NumberInputContext",errorMessage:"useNumberInputContext: `context` is undefined. Seems you forgot to wrap number-input's components within <NumberInput />"}),oA=ue(function(t,n){const r=ar("NumberInput",t),o=yt(t),i=M3(o),{htmlProps:s,...u}=Yee(i),c=C.exports.useMemo(()=>u,[u]);return Q.createElement(Qee,{value:c},Q.createElement(Xee,{value:r},Q.createElement(oe.div,{...s,ref:n,className:rA("chakra-numberinput",t.className),__css:{position:"relative",zIndex:0,...r.root}})))});oA.displayName="NumberInput";var Jee=ue(function(t,n){const r=gm();return Q.createElement(oe.div,{"aria-hidden":!0,ref:n,...t,__css:{display:"flex",flexDirection:"column",position:"absolute",top:"0",insetEnd:"0px",margin:"1px",height:"calc(100% - 2px)",zIndex:1,...r.stepperGroup}})});Jee.displayName="NumberInputStepper";var iA=ue(function(t,n){const{getInputProps:r}=lb(),o=r(t,n),i=gm();return Q.createElement(oe.input,{...o,className:rA("chakra-numberinput__field",t.className),__css:{width:"100%",...i.field}})});iA.displayName="NumberInputField";var aA=oe("div",{baseStyle:{display:"flex",justifyContent:"center",alignItems:"center",flex:1,transitionProperty:"common",transitionDuration:"normal",userSelect:"none",cursor:"pointer",lineHeight:"normal"}}),sA=ue(function(t,n){const r=gm(),{getDecrementButtonProps:o}=lb(),i=o(t,n);return y(aA,{...i,__css:r.stepper,children:t.children??y(Hee,{})})});sA.displayName="NumberDecrementStepper";var lA=ue(function(t,n){const{getIncrementButtonProps:r}=lb(),o=r(t,n),i=gm();return y(aA,{...o,__css:i.stepper,children:t.children??y(jee,{})})});lA.displayName="NumberIncrementStepper";var hd=(...e)=>e.filter(Boolean).join(" ");function ete(e,...t){return tte(e)?e(...t):e}var tte=e=>typeof e=="function";function Vo(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}function nte(...e){return function(n){e.forEach(r=>{r?.(n)})}}var[rte,Hs]=At({name:"PopoverContext",errorMessage:"usePopoverContext: `context` is undefined. Seems you forgot to wrap all popover components within `<Popover />`"}),[ote,md]=At({name:"PopoverStylesContext",errorMessage:`usePopoverStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Popover />" `}),Sl={click:"click",hover:"hover"};function ite(e={}){const{closeOnBlur:t=!0,closeOnEsc:n=!0,initialFocusRef:r,id:o,returnFocusOnClose:i=!0,autoFocus:s=!0,arrowSize:u,arrowShadowColor:c,trigger:f=Sl.click,openDelay:p=200,closeDelay:h=200,isLazy:m,lazyBehavior:g="unmount",computePositionOnMount:b,...S}=e,{isOpen:E,onClose:w,onOpen:x,onToggle:_}=fP(e),L=C.exports.useRef(null),T=C.exports.useRef(null),O=C.exports.useRef(null),N=C.exports.useRef(!1),F=C.exports.useRef(!1);E&&(F.current=!0);const[q,W]=C.exports.useState(!1),[J,ve]=C.exports.useState(!1),xe=C.exports.useId(),he=o??xe,[fe,me,ne,H]=["popover-trigger","popover-content","popover-header","popover-body"].map(Ie=>`${Ie}-${he}`),{referenceRef:K,getArrowProps:Z,getPopperProps:M,getArrowInnerProps:j,forceUpdate:se}=cP({...S,enabled:E||!!b}),ce=gY({isOpen:E,ref:O});wY({enabled:E,ref:T}),xY(O,{focusRef:T,visible:E,shouldFocus:i&&f===Sl.click}),_Y(O,{focusRef:r,visible:E,shouldFocus:s&&f===Sl.click});const ye=dP({wasSelected:F.current,enabled:m,mode:g,isSelected:ce.present}),be=C.exports.useCallback((Ie={},tt=null)=>{const ze={...Ie,style:{...Ie.style,transformOrigin:an.transformOrigin.varRef,[an.arrowSize.var]:u?`${u}px`:void 0,[an.arrowShadowColor.var]:c},ref:qt(O,tt),children:ye?Ie.children:null,id:me,tabIndex:-1,role:"dialog",onKeyDown:Vo(Ie.onKeyDown,Bt=>{n&&Bt.key==="Escape"&&w()}),onBlur:Vo(Ie.onBlur,Bt=>{const mn=d8(Bt),lt=d2(O.current,mn),Ct=d2(T.current,mn);E&&t&&(!lt&&!Ct)&&w()}),"aria-labelledby":q?ne:void 0,"aria-describedby":J?H:void 0};return f===Sl.hover&&(ze.role="tooltip",ze.onMouseEnter=Vo(Ie.onMouseEnter,()=>{N.current=!0}),ze.onMouseLeave=Vo(Ie.onMouseLeave,Bt=>{Bt.nativeEvent.relatedTarget!==null&&(N.current=!1,setTimeout(w,h))})),ze},[ye,me,q,ne,J,H,f,n,w,E,t,h,c,u]),Le=C.exports.useCallback((Ie={},tt=null)=>M({...Ie,style:{visibility:E?"visible":"hidden",...Ie.style}},tt),[E,M]),de=C.exports.useCallback((Ie,tt=null)=>({...Ie,ref:qt(tt,L,K)}),[L,K]),_e=C.exports.useRef(),De=C.exports.useRef(),st=C.exports.useCallback(Ie=>{L.current==null&&K(Ie)},[K]),Tt=C.exports.useCallback((Ie={},tt=null)=>{const ze={...Ie,ref:qt(T,tt,st),id:fe,"aria-haspopup":"dialog","aria-expanded":E,"aria-controls":me};return f===Sl.click&&(ze.onClick=Vo(Ie.onClick,_)),f===Sl.hover&&(ze.onFocus=Vo(Ie.onFocus,()=>{_e.current===void 0&&x()}),ze.onBlur=Vo(Ie.onBlur,Bt=>{const mn=d8(Bt),lt=!d2(O.current,mn);E&&t&<&&w()}),ze.onKeyDown=Vo(Ie.onKeyDown,Bt=>{Bt.key==="Escape"&&w()}),ze.onMouseEnter=Vo(Ie.onMouseEnter,()=>{N.current=!0,_e.current=window.setTimeout(x,p)}),ze.onMouseLeave=Vo(Ie.onMouseLeave,()=>{N.current=!1,_e.current&&(clearTimeout(_e.current),_e.current=void 0),De.current=window.setTimeout(()=>{N.current===!1&&w()},h)})),ze},[fe,E,me,f,st,_,x,t,w,p,h]);C.exports.useEffect(()=>()=>{_e.current&&clearTimeout(_e.current),De.current&&clearTimeout(De.current)},[]);const hn=C.exports.useCallback((Ie={},tt=null)=>({...Ie,id:ne,ref:qt(tt,ze=>{W(!!ze)})}),[ne]),Se=C.exports.useCallback((Ie={},tt=null)=>({...Ie,id:H,ref:qt(tt,ze=>{ve(!!ze)})}),[H]);return{forceUpdate:se,isOpen:E,onAnimationComplete:ce.onComplete,onClose:w,getAnchorProps:de,getArrowProps:Z,getArrowInnerProps:j,getPopoverPositionerProps:Le,getPopoverProps:be,getTriggerProps:Tt,getHeaderProps:hn,getBodyProps:Se}}function d2(e,t){return e===t||e?.contains(t)}function d8(e){const t=e.currentTarget.ownerDocument.activeElement;return e.relatedTarget??t}function ub(e){const t=ar("Popover",e),{children:n,...r}=yt(e),o=Z0(),i=ite({...r,direction:o.direction});return y(rte,{value:i,children:y(ote,{value:t,children:ete(n,{isOpen:i.isOpen,onClose:i.onClose,forceUpdate:i.forceUpdate})})})}ub.displayName="Popover";function cb(e){const{bg:t,bgColor:n,backgroundColor:r}=e,{getArrowProps:o,getArrowInnerProps:i}=Hs(),s=md(),u=t??n??r;return Q.createElement(oe.div,{...o(),className:"chakra-popover__arrow-positioner"},Q.createElement(oe.div,{className:hd("chakra-popover__arrow",e.className),...i(e),__css:{...s.arrow,"--popper-arrow-bg":u?`colors.${u}, ${u}`:void 0}}))}cb.displayName="PopoverArrow";var ate=ue(function(t,n){const{getBodyProps:r}=Hs(),o=md();return Q.createElement(oe.div,{...r(t,n),className:hd("chakra-popover__body",t.className),__css:o.body})});ate.displayName="PopoverBody";var ste=ue(function(t,n){const{onClose:r}=Hs(),o=md();return y(dm,{size:"sm",onClick:r,className:hd("chakra-popover__close-btn",t.className),__css:o.closeButton,ref:n,...t})});ste.displayName="PopoverCloseButton";function lte(e){if(!!e)return{enter:{...e.enter,visibility:"visible"},exit:{...e.exit,transitionEnd:{visibility:"hidden"}}}}var ute={exit:{opacity:0,scale:.95,transition:{duration:.1,ease:[.4,0,1,1]}},enter:{scale:1,opacity:1,transition:{duration:.15,ease:[0,0,.2,1]}}},cte=uo(oe.section),fb=ue(function(t,n){const{isOpen:r}=Hs();return Q.createElement(cte,{ref:n,variants:lte(t.variants),...t,initial:!1,animate:r?"enter":"exit"})});fb.defaultProps={variants:ute};fb.displayName="PopoverTransition";var db=ue(function(t,n){const{rootProps:r,...o}=t,{getPopoverProps:i,getPopoverPositionerProps:s,onAnimationComplete:u}=Hs(),c=md(),f={position:"relative",display:"flex",flexDirection:"column",...c.content};return Q.createElement(oe.div,{...s(r),__css:c.popper,className:"chakra-popover__popper"},y(fb,{...i(o,n),onAnimationComplete:nte(u,o.onAnimationComplete),className:hd("chakra-popover__content",t.className),__css:f}))});db.displayName="PopoverContent";var uA=ue(function(t,n){const{getHeaderProps:r}=Hs(),o=md();return Q.createElement(oe.header,{...r(t,n),className:hd("chakra-popover__header",t.className),__css:o.header})});uA.displayName="PopoverHeader";function pb(e){const t=C.exports.Children.only(e.children),{getTriggerProps:n}=Hs();return C.exports.cloneElement(t,n(t.props,t.ref))}pb.displayName="PopoverTrigger";function fte(e,t,n){return(e-t)*100/(n-t)}nd({"0%":{strokeDasharray:"1, 400",strokeDashoffset:"0"},"50%":{strokeDasharray:"400, 400",strokeDashoffset:"-100"},"100%":{strokeDasharray:"400, 400",strokeDashoffset:"-260"}});nd({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}});var dte=nd({"0%":{left:"-40%"},"100%":{left:"100%"}}),pte=nd({from:{backgroundPosition:"1rem 0"},to:{backgroundPosition:"0 0"}});function hte(e){const{value:t=0,min:n,max:r,valueText:o,getValueText:i,isIndeterminate:s}=e,u=fte(t,n,r);return{bind:{"data-indeterminate":s?"":void 0,"aria-valuemax":r,"aria-valuemin":n,"aria-valuenow":s?void 0:t,"aria-valuetext":(()=>{if(t!=null)return typeof i=="function"?i(t,u):o})(),role:"progressbar"},percent:u,value:t}}var[mte,gte]=At({name:"ProgressStylesContext",errorMessage:`useProgressStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Progress />" `}),vte=e=>{const{min:t,max:n,value:r,isIndeterminate:o,...i}=e,s=hte({value:r,min:t,max:n,isIndeterminate:o}),u=gte(),c={height:"100%",...u.filledTrack};return Q.createElement(oe.div,{style:{width:`${s.percent}%`,...i.style},...s.bind,...i,__css:c})},cA=e=>{var t;const{value:n,min:r=0,max:o=100,hasStripe:i,isAnimated:s,children:u,borderRadius:c,isIndeterminate:f,"aria-label":p,"aria-labelledby":h,...m}=yt(e),g=ar("Progress",e),b=c??((t=g.track)==null?void 0:t.borderRadius),S={animation:`${pte} 1s linear infinite`},x={...!f&&i&&s&&S,...f&&{position:"absolute",willChange:"left",minWidth:"50%",animation:`${dte} 1s ease infinite normal none running`}},_={overflow:"hidden",position:"relative",...g.track};return Q.createElement(oe.div,{borderRadius:b,__css:_,...m},X(mte,{value:g,children:[y(vte,{"aria-label":p,"aria-labelledby":h,min:r,max:o,value:n,isIndeterminate:f,css:x,borderRadius:b}),u]}))};cA.displayName="Progress";var yte=oe("div",{baseStyle:{fontSize:"0.24em",top:"50%",left:"50%",width:"100%",textAlign:"center",position:"absolute",transform:"translate(-50%, -50%)"}});yte.displayName="CircularProgressLabel";var bte=(...e)=>e.filter(Boolean).join(" "),xte=e=>e?"":void 0;function Ste(e,t){const n={},r={};for(const[o,i]of Object.entries(e))t.includes(o)?n[o]=i:r[o]=i;return[n,r]}var fA=ue(function(t,n){const{children:r,placeholder:o,className:i,...s}=t;return Q.createElement(oe.select,{...s,ref:n,className:bte("chakra-select",i)},o&&y("option",{value:"",children:o}),r)});fA.displayName="SelectField";var dA=ue((e,t)=>{var n;const r=ar("Select",e),{rootProps:o,placeholder:i,icon:s,color:u,height:c,h:f,minH:p,minHeight:h,iconColor:m,iconSize:g,...b}=yt(e),[S,E]=Ste(b,AV),w=I3(E),x={width:"100%",height:"fit-content",position:"relative",color:u},_={paddingEnd:"2rem",...r.field,_focus:{zIndex:"unset",...(n=r.field)==null?void 0:n._focus}};return Q.createElement(oe.div,{className:"chakra-select__wrapper",__css:x,...S,...o},y(fA,{ref:t,height:f??c,minH:p??h,placeholder:i,...w,__css:_,children:e.children}),y(pA,{"data-disabled":xte(w.disabled),...(m||u)&&{color:m||u},__css:r.icon,...g&&{fontSize:g},children:s}))});dA.displayName="Select";var wte=e=>y("svg",{viewBox:"0 0 24 24",...e,children:y("path",{fill:"currentColor",d:"M16.59 8.59L12 13.17 7.41 8.59 6 10l6 6 6-6z"})}),Cte=oe("div",{baseStyle:{position:"absolute",display:"inline-flex",alignItems:"center",justifyContent:"center",pointerEvents:"none",top:"50%",transform:"translateY(-50%)"}}),pA=e=>{const{children:t=y(wte,{}),...n}=e,r=C.exports.cloneElement(t,{role:"presentation",className:"chakra-select__icon",focusable:!1,"aria-hidden":!0,style:{width:"1em",height:"1em",color:"currentColor"}});return y(Cte,{...n,className:"chakra-select__icon-wrapper",children:C.exports.isValidElement(t)?r:null})};pA.displayName="SelectIcon";var _te=(...e)=>e.filter(Boolean).join(" "),p8=e=>e?"":void 0,vm=ue(function(t,n){const r=ar("Switch",t),{spacing:o="0.5rem",children:i,...s}=yt(t),{state:u,getInputProps:c,getCheckboxProps:f,getRootProps:p,getLabelProps:h}=OL(s),m=C.exports.useMemo(()=>({display:"inline-block",position:"relative",verticalAlign:"middle",lineHeight:0,...r.container}),[r.container]),g=C.exports.useMemo(()=>({display:"inline-flex",flexShrink:0,justifyContent:"flex-start",boxSizing:"content-box",cursor:"pointer",...r.track}),[r.track]),b=C.exports.useMemo(()=>({userSelect:"none",marginStart:o,...r.label}),[o,r.label]);return Q.createElement(oe.label,{...p(),className:_te("chakra-switch",t.className),__css:m},y("input",{className:"chakra-switch__input",...c({},n)}),Q.createElement(oe.span,{...f(),className:"chakra-switch__track",__css:g},Q.createElement(oe.span,{__css:r.thumb,className:"chakra-switch__thumb","data-checked":p8(u.isChecked),"data-hover":p8(u.isHovered)})),i&&Q.createElement(oe.span,{className:"chakra-switch__label",...h(),__css:b},i))});vm.displayName="Switch";var Mu=(...e)=>e.filter(Boolean).join(" ");function y5(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var[kte,hA,Ete,Lte]=Bk();function Pte(e){const{defaultIndex:t,onChange:n,index:r,isManual:o,isLazy:i,lazyBehavior:s="unmount",orientation:u="horizontal",direction:c="ltr",...f}=e,[p,h]=C.exports.useState(t??0),[m,g]=$k({defaultValue:t??0,value:r,onChange:n});C.exports.useEffect(()=>{r!=null&&h(r)},[r]);const b=Ete(),S=C.exports.useId();return{id:`tabs-${e.id??S}`,selectedIndex:m,focusedIndex:p,setSelectedIndex:g,setFocusedIndex:h,isManual:o,isLazy:i,lazyBehavior:s,orientation:u,descendants:b,direction:c,htmlProps:f}}var[Ate,gd]=At({name:"TabsContext",errorMessage:"useTabsContext: `context` is undefined. Seems you forgot to wrap all tabs components within <Tabs />"});function Tte(e){const{focusedIndex:t,orientation:n,direction:r}=gd(),o=hA(),i=C.exports.useCallback(s=>{const u=()=>{var x;const _=o.nextEnabled(t);_&&((x=_.node)==null||x.focus())},c=()=>{var x;const _=o.prevEnabled(t);_&&((x=_.node)==null||x.focus())},f=()=>{var x;const _=o.firstEnabled();_&&((x=_.node)==null||x.focus())},p=()=>{var x;const _=o.lastEnabled();_&&((x=_.node)==null||x.focus())},h=n==="horizontal",m=n==="vertical",g=s.key,b=r==="ltr"?"ArrowLeft":"ArrowRight",S=r==="ltr"?"ArrowRight":"ArrowLeft",w={[b]:()=>h&&c(),[S]:()=>h&&u(),ArrowDown:()=>m&&u(),ArrowUp:()=>m&&c(),Home:f,End:p}[g];w&&(s.preventDefault(),w(s))},[o,t,n,r]);return{...e,role:"tablist","aria-orientation":n,onKeyDown:y5(e.onKeyDown,i)}}function Ite(e){const{isDisabled:t,isFocusable:n,...r}=e,{setSelectedIndex:o,isManual:i,id:s,setFocusedIndex:u,selectedIndex:c}=gd(),{index:f,register:p}=Lte({disabled:t&&!n}),h=f===c,m=()=>{o(f)},g=()=>{u(f),!i&&!(t&&n)&&o(f)},b=sX({...r,ref:qt(p,e.ref),isDisabled:t,isFocusable:n,onClick:y5(e.onClick,m)}),S="button";return{...b,id:mA(s,f),role:"tab",tabIndex:h?0:-1,type:S,"aria-selected":h,"aria-controls":gA(s,f),onFocus:t?void 0:y5(e.onFocus,g)}}var[Mte,Rte]=At({});function Ote(e){const t=gd(),{id:n,selectedIndex:r}=t,i=um(e.children).map((s,u)=>C.exports.createElement(Mte,{key:u,value:{isSelected:u===r,id:gA(n,u),tabId:mA(n,u),selectedIndex:r}},s));return{...e,children:i}}function Nte(e){const{children:t,...n}=e,{isLazy:r,lazyBehavior:o}=gd(),{isSelected:i,id:s,tabId:u}=Rte(),c=C.exports.useRef(!1);i&&(c.current=!0);const f=dP({wasSelected:c.current,isSelected:i,enabled:r,mode:o});return{tabIndex:0,...n,children:f?t:null,role:"tabpanel","aria-labelledby":u,hidden:!i,id:s}}function Dte(){const e=gd(),t=hA(),{selectedIndex:n,orientation:r}=e,o=r==="horizontal",i=r==="vertical",[s,u]=C.exports.useState(()=>{if(o)return{left:0,width:0};if(i)return{top:0,height:0}}),[c,f]=C.exports.useState(!1);return ei(()=>{if(n==null)return;const p=t.item(n);if(p==null)return;o&&u({left:p.node.offsetLeft,width:p.node.offsetWidth}),i&&u({top:p.node.offsetTop,height:p.node.offsetHeight});const h=requestAnimationFrame(()=>{f(!0)});return()=>{h&&cancelAnimationFrame(h)}},[n,o,i,t]),{position:"absolute",transitionProperty:"left, right, top, bottom, height, width",transitionDuration:c?"200ms":"0ms",transitionTimingFunction:"cubic-bezier(0, 0, 0.2, 1)",...s}}function mA(e,t){return`${e}--tab-${t}`}function gA(e,t){return`${e}--tabpanel-${t}`}var[zte,vd]=At({name:"TabsStylesContext",errorMessage:`useTabsStyles returned is 'undefined'. Seems you forgot to wrap the components in "<Tabs />" `}),vA=ue(function(t,n){const r=ar("Tabs",t),{children:o,className:i,...s}=yt(t),{htmlProps:u,descendants:c,...f}=Pte(s),p=C.exports.useMemo(()=>f,[f]),{isFitted:h,...m}=u;return Q.createElement(kte,{value:c},Q.createElement(Ate,{value:p},Q.createElement(zte,{value:r},Q.createElement(oe.div,{className:Mu("chakra-tabs",i),ref:n,...m,__css:r.root},o))))});vA.displayName="Tabs";var Fte=ue(function(t,n){const r=Dte(),o={...t.style,...r},i=vd();return Q.createElement(oe.div,{ref:n,...t,className:Mu("chakra-tabs__tab-indicator",t.className),style:o,__css:i.indicator})});Fte.displayName="TabIndicator";var Bte=ue(function(t,n){const r=Tte({...t,ref:n}),o=vd(),i={display:"flex",...o.tablist};return Q.createElement(oe.div,{...r,className:Mu("chakra-tabs__tablist",t.className),__css:i})});Bte.displayName="TabList";var yA=ue(function(t,n){const r=Nte({...t,ref:n}),o=vd();return Q.createElement(oe.div,{outline:"0",...r,className:Mu("chakra-tabs__tab-panel",t.className),__css:o.tabpanel})});yA.displayName="TabPanel";var bA=ue(function(t,n){const r=Ote(t),o=vd();return Q.createElement(oe.div,{...r,width:"100%",ref:n,className:Mu("chakra-tabs__tab-panels",t.className),__css:o.tabpanels})});bA.displayName="TabPanels";var xA=ue(function(t,n){const r=vd(),o=Ite({...t,ref:n}),i={outline:"0",display:"flex",alignItems:"center",justifyContent:"center",...r.tab};return Q.createElement(oe.button,{...o,className:Mu("chakra-tabs__tab",t.className),__css:i})});xA.displayName="Tab";var $te=(...e)=>e.filter(Boolean).join(" ");function Vte(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}var Wte=["h","minH","height","minHeight"],SA=ue((e,t)=>{const n=ir("Textarea",e),{className:r,rows:o,...i}=yt(e),s=I3(i),u=o?Vte(n,Wte):n;return Q.createElement(oe.textarea,{ref:t,rows:o,...s,className:$te("chakra-textarea",r),__css:u})});SA.displayName="Textarea";function vt(e,t={}){let n=!1;function r(){if(!n){n=!0;return}throw new Error("[anatomy] .part(...) should only be called once. Did you mean to use .extend(...) ?")}function o(...p){r();for(const h of p)t[h]=c(h);return vt(e,t)}function i(...p){for(const h of p)h in t||(t[h]=c(h));return vt(e,t)}function s(){return Object.fromEntries(Object.entries(t).map(([h,m])=>[h,m.selector]))}function u(){return Object.fromEntries(Object.entries(t).map(([h,m])=>[h,m.className]))}function c(p){const g=`chakra-${(["container","root"].includes(p??"")?[e]:[e,p]).filter(Boolean).join("__")}`;return{className:g,selector:`.${g}`,toString:()=>p}}return{parts:o,toPart:c,extend:i,selectors:s,classnames:u,get keys(){return Object.keys(t)},__type:{}}}var Hte=vt("accordion").parts("root","container","button","panel").extend("icon"),jte=vt("alert").parts("title","description","container").extend("icon","spinner"),Ute=vt("avatar").parts("label","badge","container").extend("excessLabel","group"),Gte=vt("breadcrumb").parts("link","item","container").extend("separator");vt("button").parts();var Zte=vt("checkbox").parts("control","icon","container").extend("label");vt("progress").parts("track","filledTrack").extend("label");var qte=vt("drawer").parts("overlay","dialogContainer","dialog").extend("header","closeButton","body","footer"),Kte=vt("editable").parts("preview","input","textarea"),Yte=vt("form").parts("container","requiredIndicator","helperText"),Xte=vt("formError").parts("text","icon"),Qte=vt("input").parts("addon","field","element"),Jte=vt("list").parts("container","item","icon"),ene=vt("menu").parts("button","list","item").extend("groupTitle","command","divider"),tne=vt("modal").parts("overlay","dialogContainer","dialog").extend("header","closeButton","body","footer"),nne=vt("numberinput").parts("root","field","stepperGroup","stepper");vt("pininput").parts("field");var rne=vt("popover").parts("content","header","body","footer").extend("popper","arrow","closeButton"),one=vt("progress").parts("label","filledTrack","track"),ine=vt("radio").parts("container","control","label"),ane=vt("select").parts("field","icon"),sne=vt("slider").parts("container","track","thumb","filledTrack","mark"),lne=vt("stat").parts("container","label","helpText","number","icon"),une=vt("switch").parts("container","track","thumb"),cne=vt("table").parts("table","thead","tbody","tr","th","td","tfoot","caption"),fne=vt("tabs").parts("root","tab","tablist","tabpanel","tabpanels","indicator"),dne=vt("tag").parts("container","label","closeButton");function Tn(e,t){pne(e)&&(e="100%");var n=hne(e);return e=t===360?e:Math.min(t,Math.max(0,parseFloat(e))),n&&(e=parseInt(String(e*t),10)/100),Math.abs(e-t)<1e-6?1:(t===360?e=(e<0?e%t+t:e%t)/parseFloat(String(t)):e=e%t/parseFloat(String(t)),e)}function uh(e){return Math.min(1,Math.max(0,e))}function pne(e){return typeof e=="string"&&e.indexOf(".")!==-1&&parseFloat(e)===1}function hne(e){return typeof e=="string"&&e.indexOf("%")!==-1}function wA(e){return e=parseFloat(e),(isNaN(e)||e<0||e>1)&&(e=1),e}function ch(e){return e<=1?"".concat(Number(e)*100,"%"):e}function Ss(e){return e.length===1?"0"+e:String(e)}function mne(e,t,n){return{r:Tn(e,255)*255,g:Tn(t,255)*255,b:Tn(n,255)*255}}function h8(e,t,n){e=Tn(e,255),t=Tn(t,255),n=Tn(n,255);var r=Math.max(e,t,n),o=Math.min(e,t,n),i=0,s=0,u=(r+o)/2;if(r===o)s=0,i=0;else{var c=r-o;switch(s=u>.5?c/(2-r-o):c/(r+o),r){case e:i=(t-n)/c+(t<n?6:0);break;case t:i=(n-e)/c+2;break;case n:i=(e-t)/c+4;break}i/=6}return{h:i,s,l:u}}function p2(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+(t-e)*(6*n):n<1/2?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function gne(e,t,n){var r,o,i;if(e=Tn(e,360),t=Tn(t,100),n=Tn(n,100),t===0)o=n,i=n,r=n;else{var s=n<.5?n*(1+t):n+t-n*t,u=2*n-s;r=p2(u,s,e+1/3),o=p2(u,s,e),i=p2(u,s,e-1/3)}return{r:r*255,g:o*255,b:i*255}}function m8(e,t,n){e=Tn(e,255),t=Tn(t,255),n=Tn(n,255);var r=Math.max(e,t,n),o=Math.min(e,t,n),i=0,s=r,u=r-o,c=r===0?0:u/r;if(r===o)i=0;else{switch(r){case e:i=(t-n)/u+(t<n?6:0);break;case t:i=(n-e)/u+2;break;case n:i=(e-t)/u+4;break}i/=6}return{h:i,s:c,v:s}}function vne(e,t,n){e=Tn(e,360)*6,t=Tn(t,100),n=Tn(n,100);var r=Math.floor(e),o=e-r,i=n*(1-t),s=n*(1-o*t),u=n*(1-(1-o)*t),c=r%6,f=[n,s,i,i,u,n][c],p=[u,n,n,s,i,i][c],h=[i,i,u,n,n,s][c];return{r:f*255,g:p*255,b:h*255}}function g8(e,t,n,r){var o=[Ss(Math.round(e).toString(16)),Ss(Math.round(t).toString(16)),Ss(Math.round(n).toString(16))];return r&&o[0].startsWith(o[0].charAt(1))&&o[1].startsWith(o[1].charAt(1))&&o[2].startsWith(o[2].charAt(1))?o[0].charAt(0)+o[1].charAt(0)+o[2].charAt(0):o.join("")}function yne(e,t,n,r,o){var i=[Ss(Math.round(e).toString(16)),Ss(Math.round(t).toString(16)),Ss(Math.round(n).toString(16)),Ss(bne(r))];return o&&i[0].startsWith(i[0].charAt(1))&&i[1].startsWith(i[1].charAt(1))&&i[2].startsWith(i[2].charAt(1))&&i[3].startsWith(i[3].charAt(1))?i[0].charAt(0)+i[1].charAt(0)+i[2].charAt(0)+i[3].charAt(0):i.join("")}function bne(e){return Math.round(parseFloat(e)*255).toString(16)}function v8(e){return Tr(e)/255}function Tr(e){return parseInt(e,16)}function xne(e){return{r:e>>16,g:(e&65280)>>8,b:e&255}}var b5={aliceblue:"#f0f8ff",antiquewhite:"#faebd7",aqua:"#00ffff",aquamarine:"#7fffd4",azure:"#f0ffff",beige:"#f5f5dc",bisque:"#ffe4c4",black:"#000000",blanchedalmond:"#ffebcd",blue:"#0000ff",blueviolet:"#8a2be2",brown:"#a52a2a",burlywood:"#deb887",cadetblue:"#5f9ea0",chartreuse:"#7fff00",chocolate:"#d2691e",coral:"#ff7f50",cornflowerblue:"#6495ed",cornsilk:"#fff8dc",crimson:"#dc143c",cyan:"#00ffff",darkblue:"#00008b",darkcyan:"#008b8b",darkgoldenrod:"#b8860b",darkgray:"#a9a9a9",darkgreen:"#006400",darkgrey:"#a9a9a9",darkkhaki:"#bdb76b",darkmagenta:"#8b008b",darkolivegreen:"#556b2f",darkorange:"#ff8c00",darkorchid:"#9932cc",darkred:"#8b0000",darksalmon:"#e9967a",darkseagreen:"#8fbc8f",darkslateblue:"#483d8b",darkslategray:"#2f4f4f",darkslategrey:"#2f4f4f",darkturquoise:"#00ced1",darkviolet:"#9400d3",deeppink:"#ff1493",deepskyblue:"#00bfff",dimgray:"#696969",dimgrey:"#696969",dodgerblue:"#1e90ff",firebrick:"#b22222",floralwhite:"#fffaf0",forestgreen:"#228b22",fuchsia:"#ff00ff",gainsboro:"#dcdcdc",ghostwhite:"#f8f8ff",goldenrod:"#daa520",gold:"#ffd700",gray:"#808080",green:"#008000",greenyellow:"#adff2f",grey:"#808080",honeydew:"#f0fff0",hotpink:"#ff69b4",indianred:"#cd5c5c",indigo:"#4b0082",ivory:"#fffff0",khaki:"#f0e68c",lavenderblush:"#fff0f5",lavender:"#e6e6fa",lawngreen:"#7cfc00",lemonchiffon:"#fffacd",lightblue:"#add8e6",lightcoral:"#f08080",lightcyan:"#e0ffff",lightgoldenrodyellow:"#fafad2",lightgray:"#d3d3d3",lightgreen:"#90ee90",lightgrey:"#d3d3d3",lightpink:"#ffb6c1",lightsalmon:"#ffa07a",lightseagreen:"#20b2aa",lightskyblue:"#87cefa",lightslategray:"#778899",lightslategrey:"#778899",lightsteelblue:"#b0c4de",lightyellow:"#ffffe0",lime:"#00ff00",limegreen:"#32cd32",linen:"#faf0e6",magenta:"#ff00ff",maroon:"#800000",mediumaquamarine:"#66cdaa",mediumblue:"#0000cd",mediumorchid:"#ba55d3",mediumpurple:"#9370db",mediumseagreen:"#3cb371",mediumslateblue:"#7b68ee",mediumspringgreen:"#00fa9a",mediumturquoise:"#48d1cc",mediumvioletred:"#c71585",midnightblue:"#191970",mintcream:"#f5fffa",mistyrose:"#ffe4e1",moccasin:"#ffe4b5",navajowhite:"#ffdead",navy:"#000080",oldlace:"#fdf5e6",olive:"#808000",olivedrab:"#6b8e23",orange:"#ffa500",orangered:"#ff4500",orchid:"#da70d6",palegoldenrod:"#eee8aa",palegreen:"#98fb98",paleturquoise:"#afeeee",palevioletred:"#db7093",papayawhip:"#ffefd5",peachpuff:"#ffdab9",peru:"#cd853f",pink:"#ffc0cb",plum:"#dda0dd",powderblue:"#b0e0e6",purple:"#800080",rebeccapurple:"#663399",red:"#ff0000",rosybrown:"#bc8f8f",royalblue:"#4169e1",saddlebrown:"#8b4513",salmon:"#fa8072",sandybrown:"#f4a460",seagreen:"#2e8b57",seashell:"#fff5ee",sienna:"#a0522d",silver:"#c0c0c0",skyblue:"#87ceeb",slateblue:"#6a5acd",slategray:"#708090",slategrey:"#708090",snow:"#fffafa",springgreen:"#00ff7f",steelblue:"#4682b4",tan:"#d2b48c",teal:"#008080",thistle:"#d8bfd8",tomato:"#ff6347",turquoise:"#40e0d0",violet:"#ee82ee",wheat:"#f5deb3",white:"#ffffff",whitesmoke:"#f5f5f5",yellow:"#ffff00",yellowgreen:"#9acd32"};function Sne(e){var t={r:0,g:0,b:0},n=1,r=null,o=null,i=null,s=!1,u=!1;return typeof e=="string"&&(e=_ne(e)),typeof e=="object"&&(Ti(e.r)&&Ti(e.g)&&Ti(e.b)?(t=mne(e.r,e.g,e.b),s=!0,u=String(e.r).substr(-1)==="%"?"prgb":"rgb"):Ti(e.h)&&Ti(e.s)&&Ti(e.v)?(r=ch(e.s),o=ch(e.v),t=vne(e.h,r,o),s=!0,u="hsv"):Ti(e.h)&&Ti(e.s)&&Ti(e.l)&&(r=ch(e.s),i=ch(e.l),t=gne(e.h,r,i),s=!0,u="hsl"),Object.prototype.hasOwnProperty.call(e,"a")&&(n=e.a)),n=wA(n),{ok:s,format:e.format||u,r:Math.min(255,Math.max(t.r,0)),g:Math.min(255,Math.max(t.g,0)),b:Math.min(255,Math.max(t.b,0)),a:n}}var wne="[-\\+]?\\d+%?",Cne="[-\\+]?\\d*\\.\\d+%?",Ea="(?:".concat(Cne,")|(?:").concat(wne,")"),h2="[\\s|\\(]+(".concat(Ea,")[,|\\s]+(").concat(Ea,")[,|\\s]+(").concat(Ea,")\\s*\\)?"),m2="[\\s|\\(]+(".concat(Ea,")[,|\\s]+(").concat(Ea,")[,|\\s]+(").concat(Ea,")[,|\\s]+(").concat(Ea,")\\s*\\)?"),Co={CSS_UNIT:new RegExp(Ea),rgb:new RegExp("rgb"+h2),rgba:new RegExp("rgba"+m2),hsl:new RegExp("hsl"+h2),hsla:new RegExp("hsla"+m2),hsv:new RegExp("hsv"+h2),hsva:new RegExp("hsva"+m2),hex3:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex4:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex8:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/};function _ne(e){if(e=e.trim().toLowerCase(),e.length===0)return!1;var t=!1;if(b5[e])e=b5[e],t=!0;else if(e==="transparent")return{r:0,g:0,b:0,a:0,format:"name"};var n=Co.rgb.exec(e);return n?{r:n[1],g:n[2],b:n[3]}:(n=Co.rgba.exec(e),n?{r:n[1],g:n[2],b:n[3],a:n[4]}:(n=Co.hsl.exec(e),n?{h:n[1],s:n[2],l:n[3]}:(n=Co.hsla.exec(e),n?{h:n[1],s:n[2],l:n[3],a:n[4]}:(n=Co.hsv.exec(e),n?{h:n[1],s:n[2],v:n[3]}:(n=Co.hsva.exec(e),n?{h:n[1],s:n[2],v:n[3],a:n[4]}:(n=Co.hex8.exec(e),n?{r:Tr(n[1]),g:Tr(n[2]),b:Tr(n[3]),a:v8(n[4]),format:t?"name":"hex8"}:(n=Co.hex6.exec(e),n?{r:Tr(n[1]),g:Tr(n[2]),b:Tr(n[3]),format:t?"name":"hex"}:(n=Co.hex4.exec(e),n?{r:Tr(n[1]+n[1]),g:Tr(n[2]+n[2]),b:Tr(n[3]+n[3]),a:v8(n[4]+n[4]),format:t?"name":"hex8"}:(n=Co.hex3.exec(e),n?{r:Tr(n[1]+n[1]),g:Tr(n[2]+n[2]),b:Tr(n[3]+n[3]),format:t?"name":"hex"}:!1)))))))))}function Ti(e){return Boolean(Co.CSS_UNIT.exec(String(e)))}var yd=function(){function e(t,n){t===void 0&&(t=""),n===void 0&&(n={});var r;if(t instanceof e)return t;typeof t=="number"&&(t=xne(t)),this.originalInput=t;var o=Sne(t);this.originalInput=t,this.r=o.r,this.g=o.g,this.b=o.b,this.a=o.a,this.roundA=Math.round(100*this.a)/100,this.format=(r=n.format)!==null&&r!==void 0?r:o.format,this.gradientType=n.gradientType,this.r<1&&(this.r=Math.round(this.r)),this.g<1&&(this.g=Math.round(this.g)),this.b<1&&(this.b=Math.round(this.b)),this.isValid=o.ok}return e.prototype.isDark=function(){return this.getBrightness()<128},e.prototype.isLight=function(){return!this.isDark()},e.prototype.getBrightness=function(){var t=this.toRgb();return(t.r*299+t.g*587+t.b*114)/1e3},e.prototype.getLuminance=function(){var t=this.toRgb(),n,r,o,i=t.r/255,s=t.g/255,u=t.b/255;return i<=.03928?n=i/12.92:n=Math.pow((i+.055)/1.055,2.4),s<=.03928?r=s/12.92:r=Math.pow((s+.055)/1.055,2.4),u<=.03928?o=u/12.92:o=Math.pow((u+.055)/1.055,2.4),.2126*n+.7152*r+.0722*o},e.prototype.getAlpha=function(){return this.a},e.prototype.setAlpha=function(t){return this.a=wA(t),this.roundA=Math.round(100*this.a)/100,this},e.prototype.toHsv=function(){var t=m8(this.r,this.g,this.b);return{h:t.h*360,s:t.s,v:t.v,a:this.a}},e.prototype.toHsvString=function(){var t=m8(this.r,this.g,this.b),n=Math.round(t.h*360),r=Math.round(t.s*100),o=Math.round(t.v*100);return this.a===1?"hsv(".concat(n,", ").concat(r,"%, ").concat(o,"%)"):"hsva(".concat(n,", ").concat(r,"%, ").concat(o,"%, ").concat(this.roundA,")")},e.prototype.toHsl=function(){var t=h8(this.r,this.g,this.b);return{h:t.h*360,s:t.s,l:t.l,a:this.a}},e.prototype.toHslString=function(){var t=h8(this.r,this.g,this.b),n=Math.round(t.h*360),r=Math.round(t.s*100),o=Math.round(t.l*100);return this.a===1?"hsl(".concat(n,", ").concat(r,"%, ").concat(o,"%)"):"hsla(".concat(n,", ").concat(r,"%, ").concat(o,"%, ").concat(this.roundA,")")},e.prototype.toHex=function(t){return t===void 0&&(t=!1),g8(this.r,this.g,this.b,t)},e.prototype.toHexString=function(t){return t===void 0&&(t=!1),"#"+this.toHex(t)},e.prototype.toHex8=function(t){return t===void 0&&(t=!1),yne(this.r,this.g,this.b,this.a,t)},e.prototype.toHex8String=function(t){return t===void 0&&(t=!1),"#"+this.toHex8(t)},e.prototype.toRgb=function(){return{r:Math.round(this.r),g:Math.round(this.g),b:Math.round(this.b),a:this.a}},e.prototype.toRgbString=function(){var t=Math.round(this.r),n=Math.round(this.g),r=Math.round(this.b);return this.a===1?"rgb(".concat(t,", ").concat(n,", ").concat(r,")"):"rgba(".concat(t,", ").concat(n,", ").concat(r,", ").concat(this.roundA,")")},e.prototype.toPercentageRgb=function(){var t=function(n){return"".concat(Math.round(Tn(n,255)*100),"%")};return{r:t(this.r),g:t(this.g),b:t(this.b),a:this.a}},e.prototype.toPercentageRgbString=function(){var t=function(n){return Math.round(Tn(n,255)*100)};return this.a===1?"rgb(".concat(t(this.r),"%, ").concat(t(this.g),"%, ").concat(t(this.b),"%)"):"rgba(".concat(t(this.r),"%, ").concat(t(this.g),"%, ").concat(t(this.b),"%, ").concat(this.roundA,")")},e.prototype.toName=function(){if(this.a===0)return"transparent";if(this.a<1)return!1;for(var t="#"+g8(this.r,this.g,this.b,!1),n=0,r=Object.entries(b5);n<r.length;n++){var o=r[n],i=o[0],s=o[1];if(t===s)return i}return!1},e.prototype.toString=function(t){var n=Boolean(t);t=t??this.format;var r=!1,o=this.a<1&&this.a>=0,i=!n&&o&&(t.startsWith("hex")||t==="name");return i?t==="name"&&this.a===0?this.toName():this.toRgbString():(t==="rgb"&&(r=this.toRgbString()),t==="prgb"&&(r=this.toPercentageRgbString()),(t==="hex"||t==="hex6")&&(r=this.toHexString()),t==="hex3"&&(r=this.toHexString(!0)),t==="hex4"&&(r=this.toHex8String(!0)),t==="hex8"&&(r=this.toHex8String()),t==="name"&&(r=this.toName()),t==="hsl"&&(r=this.toHslString()),t==="hsv"&&(r=this.toHsvString()),r||this.toHexString())},e.prototype.toNumber=function(){return(Math.round(this.r)<<16)+(Math.round(this.g)<<8)+Math.round(this.b)},e.prototype.clone=function(){return new e(this.toString())},e.prototype.lighten=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.l+=t/100,n.l=uh(n.l),new e(n)},e.prototype.brighten=function(t){t===void 0&&(t=10);var n=this.toRgb();return n.r=Math.max(0,Math.min(255,n.r-Math.round(255*-(t/100)))),n.g=Math.max(0,Math.min(255,n.g-Math.round(255*-(t/100)))),n.b=Math.max(0,Math.min(255,n.b-Math.round(255*-(t/100)))),new e(n)},e.prototype.darken=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.l-=t/100,n.l=uh(n.l),new e(n)},e.prototype.tint=function(t){return t===void 0&&(t=10),this.mix("white",t)},e.prototype.shade=function(t){return t===void 0&&(t=10),this.mix("black",t)},e.prototype.desaturate=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.s-=t/100,n.s=uh(n.s),new e(n)},e.prototype.saturate=function(t){t===void 0&&(t=10);var n=this.toHsl();return n.s+=t/100,n.s=uh(n.s),new e(n)},e.prototype.greyscale=function(){return this.desaturate(100)},e.prototype.spin=function(t){var n=this.toHsl(),r=(n.h+t)%360;return n.h=r<0?360+r:r,new e(n)},e.prototype.mix=function(t,n){n===void 0&&(n=50);var r=this.toRgb(),o=new e(t).toRgb(),i=n/100,s={r:(o.r-r.r)*i+r.r,g:(o.g-r.g)*i+r.g,b:(o.b-r.b)*i+r.b,a:(o.a-r.a)*i+r.a};return new e(s)},e.prototype.analogous=function(t,n){t===void 0&&(t=6),n===void 0&&(n=30);var r=this.toHsl(),o=360/n,i=[this];for(r.h=(r.h-(o*t>>1)+720)%360;--t;)r.h=(r.h+o)%360,i.push(new e(r));return i},e.prototype.complement=function(){var t=this.toHsl();return t.h=(t.h+180)%360,new e(t)},e.prototype.monochromatic=function(t){t===void 0&&(t=6);for(var n=this.toHsv(),r=n.h,o=n.s,i=n.v,s=[],u=1/t;t--;)s.push(new e({h:r,s:o,v:i})),i=(i+u)%1;return s},e.prototype.splitcomplement=function(){var t=this.toHsl(),n=t.h;return[this,new e({h:(n+72)%360,s:t.s,l:t.l}),new e({h:(n+216)%360,s:t.s,l:t.l})]},e.prototype.onBackground=function(t){var n=this.toRgb(),r=new e(t).toRgb();return new e({r:r.r+(n.r-r.r)*n.a,g:r.g+(n.g-r.g)*n.a,b:r.b+(n.b-r.b)*n.a})},e.prototype.triad=function(){return this.polyad(3)},e.prototype.tetrad=function(){return this.polyad(4)},e.prototype.polyad=function(t){for(var n=this.toHsl(),r=n.h,o=[this],i=360/t,s=1;s<t;s++)o.push(new e({h:(r+s*i)%360,s:n.s,l:n.l}));return o},e.prototype.equals=function(t){return this.toRgbString()===new e(t).toRgbString()},e}();function CA(e){if(e===void 0&&(e={}),e.count!==void 0&&e.count!==null){var t=e.count,n=[];for(e.count=void 0;t>n.length;)e.count=null,e.seed&&(e.seed+=1),n.push(CA(e));return e.count=t,n}var r=kne(e.hue,e.seed),o=Ene(r,e),i=Lne(r,o,e),s={h:r,s:o,v:i};return e.alpha!==void 0&&(s.a=e.alpha),new yd(s)}function kne(e,t){var n=Ane(e),r=J1(n,t);return r<0&&(r=360+r),r}function Ene(e,t){if(t.hue==="monochrome")return 0;if(t.luminosity==="random")return J1([0,100],t.seed);var n=_A(e).saturationRange,r=n[0],o=n[1];switch(t.luminosity){case"bright":r=55;break;case"dark":r=o-10;break;case"light":o=55;break}return J1([r,o],t.seed)}function Lne(e,t,n){var r=Pne(e,t),o=100;switch(n.luminosity){case"dark":o=r+20;break;case"light":r=(o+r)/2;break;case"random":r=0,o=100;break}return J1([r,o],n.seed)}function Pne(e,t){for(var n=_A(e).lowerBounds,r=0;r<n.length-1;r++){var o=n[r][0],i=n[r][1],s=n[r+1][0],u=n[r+1][1];if(t>=o&&t<=s){var c=(u-i)/(s-o),f=i-c*o;return c*t+f}}return 0}function Ane(e){var t=parseInt(e,10);if(!Number.isNaN(t)&&t<360&&t>0)return[t,t];if(typeof e=="string"){var n=EA.find(function(s){return s.name===e});if(n){var r=kA(n);if(r.hueRange)return r.hueRange}var o=new yd(e);if(o.isValid){var i=o.toHsv().h;return[i,i]}}return[0,360]}function _A(e){e>=334&&e<=360&&(e-=360);for(var t=0,n=EA;t<n.length;t++){var r=n[t],o=kA(r);if(o.hueRange&&e>=o.hueRange[0]&&e<=o.hueRange[1])return o}throw Error("Color not found")}function J1(e,t){if(t===void 0)return Math.floor(e[0]+Math.random()*(e[1]+1-e[0]));var n=e[1]||1,r=e[0]||0;t=(t*9301+49297)%233280;var o=t/233280;return Math.floor(r+o*(n-r))}function kA(e){var t=e.lowerBounds[0][0],n=e.lowerBounds[e.lowerBounds.length-1][0],r=e.lowerBounds[e.lowerBounds.length-1][1],o=e.lowerBounds[0][1];return{name:e.name,hueRange:e.hueRange,lowerBounds:e.lowerBounds,saturationRange:[t,n],brightnessRange:[r,o]}}var EA=[{name:"monochrome",hueRange:null,lowerBounds:[[0,0],[100,0]]},{name:"red",hueRange:[-26,18],lowerBounds:[[20,100],[30,92],[40,89],[50,85],[60,78],[70,70],[80,60],[90,55],[100,50]]},{name:"orange",hueRange:[19,46],lowerBounds:[[20,100],[30,93],[40,88],[50,86],[60,85],[70,70],[100,70]]},{name:"yellow",hueRange:[47,62],lowerBounds:[[25,100],[40,94],[50,89],[60,86],[70,84],[80,82],[90,80],[100,75]]},{name:"green",hueRange:[63,178],lowerBounds:[[30,100],[40,90],[50,85],[60,81],[70,74],[80,64],[90,50],[100,40]]},{name:"blue",hueRange:[179,257],lowerBounds:[[20,100],[30,86],[40,80],[50,74],[60,60],[70,52],[80,44],[90,39],[100,35]]},{name:"purple",hueRange:[258,282],lowerBounds:[[20,100],[30,87],[40,79],[50,70],[60,65],[70,59],[80,52],[90,45],[100,42]]},{name:"pink",hueRange:[283,334],lowerBounds:[[20,100],[30,90],[40,86],[60,84],[80,80],[90,75],[100,73]]}];function Tne(e,t,n,r,o){for(t=t.split?t.split("."):t,r=0;r<t.length;r++)e=e?e[t[r]]:o;return e===o?n:e}var Ine=e=>Object.keys(e).length===0,pn=(e,t,n)=>{const r=Tne(e,`colors.${t}`,t),{isValid:o}=new yd(r);return o?r:n},Mne=e=>t=>{const n=pn(t,e);return new yd(n).isDark()?"dark":"light"},Rne=e=>t=>Mne(e)(t)==="dark",yu=(e,t)=>n=>{const r=pn(n,e);return new yd(r).setAlpha(t).toRgbString()};function y8(e="1rem",t="rgba(255, 255, 255, 0.15)"){return{backgroundImage:`linear-gradient( - 45deg, - ${t} 25%, - transparent 25%, - transparent 50%, - ${t} 50%, - ${t} 75%, - transparent 75%, - transparent - )`,backgroundSize:`${e} ${e}`}}function One(e){const t=CA().toHexString();return!e||Ine(e)?t:e.string&&e.colors?Dne(e.string,e.colors):e.string&&!e.colors?Nne(e.string):e.colors&&!e.string?zne(e.colors):t}function Nne(e){let t=0;if(e.length===0)return t.toString();for(let r=0;r<e.length;r+=1)t=e.charCodeAt(r)+((t<<5)-t),t=t&t;let n="#";for(let r=0;r<3;r+=1)n+=`00${(t>>r*8&255).toString(16)}`.substr(-2);return n}function Dne(e,t){let n=0;if(e.length===0)return t[0];for(let r=0;r<e.length;r+=1)n=e.charCodeAt(r)+((n<<5)-n),n=n&n;return n=(n%t.length+t.length)%t.length,t[n]}function zne(e){return e[Math.floor(Math.random()*e.length)]}function re(e,t){return n=>n.colorMode==="dark"?t:e}function hb(e){const{orientation:t,vertical:n,horizontal:r}=e;return t?t==="vertical"?n:r:{}}function Fne(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}function LA(e){return Fne(e)&&e.reference?e.reference:String(e)}var ym=(e,...t)=>t.map(LA).join(` ${e} `).replace(/calc/g,""),b8=(...e)=>`calc(${ym("+",...e)})`,x8=(...e)=>`calc(${ym("-",...e)})`,x5=(...e)=>`calc(${ym("*",...e)})`,S8=(...e)=>`calc(${ym("/",...e)})`,w8=e=>{const t=LA(e);return t!=null&&!Number.isNaN(parseFloat(t))?String(t).startsWith("-")?String(t).slice(1):`-${t}`:x5(t,-1)},Ni=Object.assign(e=>({add:(...t)=>Ni(b8(e,...t)),subtract:(...t)=>Ni(x8(e,...t)),multiply:(...t)=>Ni(x5(e,...t)),divide:(...t)=>Ni(S8(e,...t)),negate:()=>Ni(w8(e)),toString:()=>e.toString()}),{add:b8,subtract:x8,multiply:x5,divide:S8,negate:w8});function Bne(e){return!Number.isInteger(parseFloat(e.toString()))}function $ne(e,t="-"){return e.replace(/\s+/g,t)}function PA(e){const t=$ne(e.toString());return t.includes("\\.")?e:Bne(e)?t.replace(".","\\."):e}function Vne(e,t=""){return[t,PA(e)].filter(Boolean).join("-")}function Wne(e,t){return`var(${PA(e)}${t?`, ${t}`:""})`}function Hne(e,t=""){return`--${Vne(e,t)}`}function Sr(e,t){const n=Hne(e,t?.prefix);return{variable:n,reference:Wne(n,jne(t?.fallback))}}function jne(e){return typeof e=="string"?e:e?.reference}var{definePartsStyle:Une,defineMultiStyleConfig:Gne}=zt(Hte.keys),Zne={borderTopWidth:"1px",borderColor:"inherit",_last:{borderBottomWidth:"1px"}},qne={transitionProperty:"common",transitionDuration:"normal",fontSize:"md",_focusVisible:{boxShadow:"outline"},_hover:{bg:"blackAlpha.50"},_disabled:{opacity:.4,cursor:"not-allowed"},px:"4",py:"2"},Kne={pt:"2",px:"4",pb:"5"},Yne={fontSize:"1.25em"},Xne=Une({container:Zne,button:qne,panel:Kne,icon:Yne}),Qne=Gne({baseStyle:Xne}),{definePartsStyle:bd,defineMultiStyleConfig:Jne}=zt(jte.keys),Gi=Za("alert-fg"),xd=Za("alert-bg"),ere=bd({container:{bg:xd.reference,px:"4",py:"3"},title:{fontWeight:"bold",lineHeight:"6",marginEnd:"2"},description:{lineHeight:"6"},icon:{color:Gi.reference,flexShrink:0,marginEnd:"3",w:"5",h:"6"},spinner:{color:Gi.reference,flexShrink:0,marginEnd:"3",w:"5",h:"5"}});function mb(e){const{theme:t,colorScheme:n}=e,r=pn(t,`${n}.100`,n),o=yu(`${n}.200`,.16)(t);return re(r,o)(e)}var tre=bd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e);return{container:{[xd.variable]:mb(e),[Gi.variable]:`colors.${n}`}}}),nre=bd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e);return{container:{[xd.variable]:mb(e),[Gi.variable]:`colors.${n}`,paddingStart:"3",borderStartWidth:"4px",borderStartColor:Gi.reference}}}),rre=bd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e);return{container:{[xd.variable]:mb(e),[Gi.variable]:`colors.${n}`,pt:"2",borderTopWidth:"4px",borderTopColor:Gi.reference}}}),ore=bd(e=>{const{colorScheme:t}=e,n=re(`${t}.500`,`${t}.200`)(e),r=re("white","gray.900")(e);return{container:{[xd.variable]:`colors.${n}`,[Gi.variable]:`colors.${r}`,color:Gi.reference}}}),ire={subtle:tre,"left-accent":nre,"top-accent":rre,solid:ore},are=Jne({baseStyle:ere,variants:ire,defaultProps:{variant:"subtle",colorScheme:"blue"}}),AA={px:"1px",.5:"0.125rem",1:"0.25rem",1.5:"0.375rem",2:"0.5rem",2.5:"0.625rem",3:"0.75rem",3.5:"0.875rem",4:"1rem",5:"1.25rem",6:"1.5rem",7:"1.75rem",8:"2rem",9:"2.25rem",10:"2.5rem",12:"3rem",14:"3.5rem",16:"4rem",20:"5rem",24:"6rem",28:"7rem",32:"8rem",36:"9rem",40:"10rem",44:"11rem",48:"12rem",52:"13rem",56:"14rem",60:"15rem",64:"16rem",72:"18rem",80:"20rem",96:"24rem"},sre={max:"max-content",min:"min-content",full:"100%","3xs":"14rem","2xs":"16rem",xs:"20rem",sm:"24rem",md:"28rem",lg:"32rem",xl:"36rem","2xl":"42rem","3xl":"48rem","4xl":"56rem","5xl":"64rem","6xl":"72rem","7xl":"80rem","8xl":"90rem",prose:"60ch"},lre={sm:"640px",md:"768px",lg:"1024px",xl:"1280px"},ure={...AA,...sre,container:lre},TA=ure,cre=e=>typeof e=="function";function nn(e,...t){return cre(e)?e(...t):e}var{definePartsStyle:IA,defineMultiStyleConfig:fre}=zt(Ute.keys),dre=e=>({borderRadius:"full",border:"0.2em solid",borderColor:re("white","gray.800")(e)}),pre=e=>({bg:re("gray.200","whiteAlpha.400")(e)}),hre=e=>{const{name:t,theme:n}=e,r=t?One({string:t}):"gray.400",o=Rne(r)(n);let i="white";o||(i="gray.800");const s=re("white","gray.800")(e);return{bg:r,color:i,borderColor:s,verticalAlign:"top"}},mre=IA(e=>({badge:nn(dre,e),excessLabel:nn(pre,e),container:nn(hre,e)}));function ca(e){const t=e!=="100%"?TA[e]:void 0;return IA({container:{width:e,height:e,fontSize:`calc(${t??e} / 2.5)`},excessLabel:{width:e,height:e},label:{fontSize:`calc(${t??e} / 2.5)`,lineHeight:e!=="100%"?t??e:void 0}})}var gre={"2xs":ca(4),xs:ca(6),sm:ca(8),md:ca(12),lg:ca(16),xl:ca(24),"2xl":ca(32),full:ca("100%")},vre=fre({baseStyle:mre,sizes:gre,defaultProps:{size:"md"}}),yre={px:1,textTransform:"uppercase",fontSize:"xs",borderRadius:"sm",fontWeight:"bold"},bre=e=>{const{colorScheme:t,theme:n}=e,r=yu(`${t}.500`,.6)(n);return{bg:re(`${t}.500`,r)(e),color:re("white","whiteAlpha.800")(e)}},xre=e=>{const{colorScheme:t,theme:n}=e,r=yu(`${t}.200`,.16)(n);return{bg:re(`${t}.100`,r)(e),color:re(`${t}.800`,`${t}.200`)(e)}},Sre=e=>{const{colorScheme:t,theme:n}=e,r=yu(`${t}.200`,.8)(n),o=pn(n,`${t}.500`),i=re(o,r)(e);return{color:i,boxShadow:`inset 0 0 0px 1px ${i}`}},wre={solid:bre,subtle:xre,outline:Sre},ef={baseStyle:yre,variants:wre,defaultProps:{variant:"subtle",colorScheme:"gray"}},{defineMultiStyleConfig:Cre,definePartsStyle:_re}=zt(Gte.keys),kre={transitionProperty:"common",transitionDuration:"fast",transitionTimingFunction:"ease-out",cursor:"pointer",textDecoration:"none",outline:"none",color:"inherit",_hover:{textDecoration:"underline"},_focusVisible:{boxShadow:"outline"}},Ere=_re({link:kre}),Lre=Cre({baseStyle:Ere}),Pre={lineHeight:"1.2",borderRadius:"md",fontWeight:"semibold",transitionProperty:"common",transitionDuration:"normal",_focusVisible:{boxShadow:"outline"},_disabled:{opacity:.4,cursor:"not-allowed",boxShadow:"none"},_hover:{_disabled:{bg:"initial"}}},MA=e=>{const{colorScheme:t,theme:n}=e;if(t==="gray")return{color:re("inherit","whiteAlpha.900")(e),_hover:{bg:re("gray.100","whiteAlpha.200")(e)},_active:{bg:re("gray.200","whiteAlpha.300")(e)}};const r=yu(`${t}.200`,.12)(n),o=yu(`${t}.200`,.24)(n);return{color:re(`${t}.600`,`${t}.200`)(e),bg:"transparent",_hover:{bg:re(`${t}.50`,r)(e)},_active:{bg:re(`${t}.100`,o)(e)}}},Are=e=>{const{colorScheme:t}=e,n=re("gray.200","whiteAlpha.300")(e);return{border:"1px solid",borderColor:t==="gray"?n:"currentColor",".chakra-button__group[data-attached] > &:not(:last-of-type)":{marginEnd:"-1px"},...nn(MA,e)}},Tre={yellow:{bg:"yellow.400",color:"black",hoverBg:"yellow.500",activeBg:"yellow.600"},cyan:{bg:"cyan.400",color:"black",hoverBg:"cyan.500",activeBg:"cyan.600"}},Ire=e=>{const{colorScheme:t}=e;if(t==="gray"){const u=re("gray.100","whiteAlpha.200")(e);return{bg:u,_hover:{bg:re("gray.200","whiteAlpha.300")(e),_disabled:{bg:u}},_active:{bg:re("gray.300","whiteAlpha.400")(e)}}}const{bg:n=`${t}.500`,color:r="white",hoverBg:o=`${t}.600`,activeBg:i=`${t}.700`}=Tre[t]??{},s=re(n,`${t}.200`)(e);return{bg:s,color:re(r,"gray.800")(e),_hover:{bg:re(o,`${t}.300`)(e),_disabled:{bg:s}},_active:{bg:re(i,`${t}.400`)(e)}}},Mre=e=>{const{colorScheme:t}=e;return{padding:0,height:"auto",lineHeight:"normal",verticalAlign:"baseline",color:re(`${t}.500`,`${t}.200`)(e),_hover:{textDecoration:"underline",_disabled:{textDecoration:"none"}},_active:{color:re(`${t}.700`,`${t}.500`)(e)}}},Rre={bg:"none",color:"inherit",display:"inline",lineHeight:"inherit",m:"0",p:"0"},Ore={ghost:MA,outline:Are,solid:Ire,link:Mre,unstyled:Rre},Nre={lg:{h:"12",minW:"12",fontSize:"lg",px:"6"},md:{h:"10",minW:"10",fontSize:"md",px:"4"},sm:{h:"8",minW:"8",fontSize:"sm",px:"3"},xs:{h:"6",minW:"6",fontSize:"xs",px:"2"}},Dre={baseStyle:Pre,variants:Ore,sizes:Nre,defaultProps:{variant:"solid",size:"md",colorScheme:"gray"}},{definePartsStyle:Gh,defineMultiStyleConfig:zre}=zt(Zte.keys),tf=Za("checkbox-size"),Fre=e=>{const{colorScheme:t}=e;return{w:tf.reference,h:tf.reference,transitionProperty:"box-shadow",transitionDuration:"normal",border:"2px solid",borderRadius:"sm",borderColor:"inherit",color:"white",_checked:{bg:re(`${t}.500`,`${t}.200`)(e),borderColor:re(`${t}.500`,`${t}.200`)(e),color:re("white","gray.900")(e),_hover:{bg:re(`${t}.600`,`${t}.300`)(e),borderColor:re(`${t}.600`,`${t}.300`)(e)},_disabled:{borderColor:re("gray.200","transparent")(e),bg:re("gray.200","whiteAlpha.300")(e),color:re("gray.500","whiteAlpha.500")(e)}},_indeterminate:{bg:re(`${t}.500`,`${t}.200`)(e),borderColor:re(`${t}.500`,`${t}.200`)(e),color:re("white","gray.900")(e)},_disabled:{bg:re("gray.100","whiteAlpha.100")(e),borderColor:re("gray.100","transparent")(e)},_focusVisible:{boxShadow:"outline"},_invalid:{borderColor:re("red.500","red.300")(e)}}},Bre={_disabled:{cursor:"not-allowed"}},$re={userSelect:"none",_disabled:{opacity:.4}},Vre={transitionProperty:"transform",transitionDuration:"normal"},Wre=Gh(e=>({icon:Vre,container:Bre,control:nn(Fre,e),label:$re})),Hre={sm:Gh({control:{[tf.variable]:"sizes.3"},label:{fontSize:"sm"},icon:{fontSize:"3xs"}}),md:Gh({control:{[tf.variable]:"sizes.4"},label:{fontSize:"md"},icon:{fontSize:"2xs"}}),lg:Gh({control:{[tf.variable]:"sizes.5"},label:{fontSize:"lg"},icon:{fontSize:"2xs"}})},e0=zre({baseStyle:Wre,sizes:Hre,defaultProps:{size:"md",colorScheme:"blue"}}),nf=Sr("close-button-size"),jre=e=>{const t=re("blackAlpha.100","whiteAlpha.100")(e),n=re("blackAlpha.200","whiteAlpha.200")(e);return{w:[nf.reference],h:[nf.reference],borderRadius:"md",transitionProperty:"common",transitionDuration:"normal",_disabled:{opacity:.4,cursor:"not-allowed",boxShadow:"none"},_hover:{bg:t},_active:{bg:n},_focusVisible:{boxShadow:"outline"}}},Ure={lg:{[nf.variable]:"sizes.10",fontSize:"md"},md:{[nf.variable]:"sizes.8",fontSize:"xs"},sm:{[nf.variable]:"sizes.6",fontSize:"2xs"}},Gre={baseStyle:jre,sizes:Ure,defaultProps:{size:"md"}},{variants:Zre,defaultProps:qre}=ef,Kre={fontFamily:"mono",fontSize:"sm",px:"0.2em",borderRadius:"sm"},Yre={baseStyle:Kre,variants:Zre,defaultProps:qre},Xre={w:"100%",mx:"auto",maxW:"prose",px:"4"},Qre={baseStyle:Xre},Jre={opacity:.6,borderColor:"inherit"},eoe={borderStyle:"solid"},toe={borderStyle:"dashed"},noe={solid:eoe,dashed:toe},roe={baseStyle:Jre,variants:noe,defaultProps:{variant:"solid"}},{definePartsStyle:S5,defineMultiStyleConfig:ooe}=zt(qte.keys);function wl(e){return S5(e==="full"?{dialog:{maxW:"100vw",h:"100vh"}}:{dialog:{maxW:e}})}var ioe={bg:"blackAlpha.600",zIndex:"overlay"},aoe={display:"flex",zIndex:"modal",justifyContent:"center"},soe=e=>{const{isFullHeight:t}=e;return{...t&&{height:"100vh"},zIndex:"modal",maxH:"100vh",bg:re("white","gray.700")(e),color:"inherit",boxShadow:re("lg","dark-lg")(e)}},loe={px:"6",py:"4",fontSize:"xl",fontWeight:"semibold"},uoe={position:"absolute",top:"2",insetEnd:"3"},coe={px:"6",py:"2",flex:"1",overflow:"auto"},foe={px:"6",py:"4"},doe=S5(e=>({overlay:ioe,dialogContainer:aoe,dialog:nn(soe,e),header:loe,closeButton:uoe,body:coe,footer:foe})),poe={xs:wl("xs"),sm:wl("md"),md:wl("lg"),lg:wl("2xl"),xl:wl("4xl"),full:wl("full")},hoe=ooe({baseStyle:doe,sizes:poe,defaultProps:{size:"xs"}}),{definePartsStyle:moe,defineMultiStyleConfig:goe}=zt(Kte.keys),voe={borderRadius:"md",py:"1",transitionProperty:"common",transitionDuration:"normal"},yoe={borderRadius:"md",py:"1",transitionProperty:"common",transitionDuration:"normal",width:"full",_focusVisible:{boxShadow:"outline"},_placeholder:{opacity:.6}},boe={borderRadius:"md",py:"1",transitionProperty:"common",transitionDuration:"normal",width:"full",_focusVisible:{boxShadow:"outline"},_placeholder:{opacity:.6}},xoe=moe({preview:voe,input:yoe,textarea:boe}),Soe=goe({baseStyle:xoe}),{definePartsStyle:woe,defineMultiStyleConfig:Coe}=zt(Yte.keys),_oe=e=>({marginStart:"1",color:re("red.500","red.300")(e)}),koe=e=>({mt:"2",color:re("gray.600","whiteAlpha.600")(e),lineHeight:"normal",fontSize:"sm"}),Eoe=woe(e=>({container:{width:"100%",position:"relative"},requiredIndicator:nn(_oe,e),helperText:nn(koe,e)})),Loe=Coe({baseStyle:Eoe}),{definePartsStyle:Poe,defineMultiStyleConfig:Aoe}=zt(Xte.keys),Toe=e=>({color:re("red.500","red.300")(e),mt:"2",fontSize:"sm",lineHeight:"normal"}),Ioe=e=>({marginEnd:"0.5em",color:re("red.500","red.300")(e)}),Moe=Poe(e=>({text:nn(Toe,e),icon:nn(Ioe,e)})),Roe=Aoe({baseStyle:Moe}),Ooe={fontSize:"md",marginEnd:"3",mb:"2",fontWeight:"medium",transitionProperty:"common",transitionDuration:"normal",opacity:1,_disabled:{opacity:.4}},Noe={baseStyle:Ooe},Doe={fontFamily:"heading",fontWeight:"bold"},zoe={"4xl":{fontSize:["6xl",null,"7xl"],lineHeight:1},"3xl":{fontSize:["5xl",null,"6xl"],lineHeight:1},"2xl":{fontSize:["4xl",null,"5xl"],lineHeight:[1.2,null,1]},xl:{fontSize:["3xl",null,"4xl"],lineHeight:[1.33,null,1.2]},lg:{fontSize:["2xl",null,"3xl"],lineHeight:[1.33,null,1.2]},md:{fontSize:"xl",lineHeight:1.2},sm:{fontSize:"md",lineHeight:1.2},xs:{fontSize:"sm",lineHeight:1.2}},Foe={baseStyle:Doe,sizes:zoe,defaultProps:{size:"xl"}},{definePartsStyle:Fi,defineMultiStyleConfig:Boe}=zt(Qte.keys),$oe=Fi({field:{width:"100%",minWidth:0,outline:0,position:"relative",appearance:"none",transitionProperty:"common",transitionDuration:"normal",_disabled:{opacity:.4,cursor:"not-allowed"}}}),fa={lg:{fontSize:"lg",px:"4",h:"12",borderRadius:"md"},md:{fontSize:"md",px:"4",h:"10",borderRadius:"md"},sm:{fontSize:"sm",px:"3",h:"8",borderRadius:"sm"},xs:{fontSize:"xs",px:"2",h:"6",borderRadius:"sm"}},Voe={lg:Fi({field:fa.lg,addon:fa.lg}),md:Fi({field:fa.md,addon:fa.md}),sm:Fi({field:fa.sm,addon:fa.sm}),xs:Fi({field:fa.xs,addon:fa.xs})};function gb(e){const{focusBorderColor:t,errorBorderColor:n}=e;return{focusBorderColor:t||re("blue.500","blue.300")(e),errorBorderColor:n||re("red.500","red.300")(e)}}var Woe=Fi(e=>{const{theme:t}=e,{focusBorderColor:n,errorBorderColor:r}=gb(e);return{field:{border:"1px solid",borderColor:"inherit",bg:"inherit",_hover:{borderColor:re("gray.300","whiteAlpha.400")(e)},_readOnly:{boxShadow:"none !important",userSelect:"all"},_invalid:{borderColor:pn(t,r),boxShadow:`0 0 0 1px ${pn(t,r)}`},_focusVisible:{zIndex:1,borderColor:pn(t,n),boxShadow:`0 0 0 1px ${pn(t,n)}`}},addon:{border:"1px solid",borderColor:re("inherit","whiteAlpha.50")(e),bg:re("gray.100","whiteAlpha.300")(e)}}}),Hoe=Fi(e=>{const{theme:t}=e,{focusBorderColor:n,errorBorderColor:r}=gb(e);return{field:{border:"2px solid",borderColor:"transparent",bg:re("gray.100","whiteAlpha.50")(e),_hover:{bg:re("gray.200","whiteAlpha.100")(e)},_readOnly:{boxShadow:"none !important",userSelect:"all"},_invalid:{borderColor:pn(t,r)},_focusVisible:{bg:"transparent",borderColor:pn(t,n)}},addon:{border:"2px solid",borderColor:"transparent",bg:re("gray.100","whiteAlpha.50")(e)}}}),joe=Fi(e=>{const{theme:t}=e,{focusBorderColor:n,errorBorderColor:r}=gb(e);return{field:{borderBottom:"1px solid",borderColor:"inherit",borderRadius:"0",px:"0",bg:"transparent",_readOnly:{boxShadow:"none !important",userSelect:"all"},_invalid:{borderColor:pn(t,r),boxShadow:`0px 1px 0px 0px ${pn(t,r)}`},_focusVisible:{borderColor:pn(t,n),boxShadow:`0px 1px 0px 0px ${pn(t,n)}`}},addon:{borderBottom:"2px solid",borderColor:"inherit",borderRadius:"0",px:"0",bg:"transparent"}}}),Uoe=Fi({field:{bg:"transparent",px:"0",height:"auto"},addon:{bg:"transparent",px:"0",height:"auto"}}),Goe={outline:Woe,filled:Hoe,flushed:joe,unstyled:Uoe},at=Boe({baseStyle:$oe,sizes:Voe,variants:Goe,defaultProps:{size:"md",variant:"outline"}}),Zoe=e=>({bg:re("gray.100","whiteAlpha")(e),borderRadius:"md",borderWidth:"1px",borderBottomWidth:"3px",fontSize:"0.8em",fontWeight:"bold",lineHeight:"normal",px:"0.4em",whiteSpace:"nowrap"}),qoe={baseStyle:Zoe},Koe={transitionProperty:"common",transitionDuration:"fast",transitionTimingFunction:"ease-out",cursor:"pointer",textDecoration:"none",outline:"none",color:"inherit",_hover:{textDecoration:"underline"},_focusVisible:{boxShadow:"outline"}},Yoe={baseStyle:Koe},{defineMultiStyleConfig:Xoe,definePartsStyle:Qoe}=zt(Jte.keys),Joe={marginEnd:"2",display:"inline",verticalAlign:"text-bottom"},eie=Qoe({icon:Joe}),tie=Xoe({baseStyle:eie}),{defineMultiStyleConfig:nie,definePartsStyle:rie}=zt(ene.keys),oie=e=>({bg:re("#fff","gray.700")(e),boxShadow:re("sm","dark-lg")(e),color:"inherit",minW:"3xs",py:"2",zIndex:1,borderRadius:"md",borderWidth:"1px"}),iie=e=>({py:"1.5",px:"3",transitionProperty:"background",transitionDuration:"ultra-fast",transitionTimingFunction:"ease-in",_focus:{bg:re("gray.100","whiteAlpha.100")(e)},_active:{bg:re("gray.200","whiteAlpha.200")(e)},_expanded:{bg:re("gray.100","whiteAlpha.100")(e)},_disabled:{opacity:.4,cursor:"not-allowed"}}),aie={mx:4,my:2,fontWeight:"semibold",fontSize:"sm"},sie={opacity:.6},lie={border:0,borderBottom:"1px solid",borderColor:"inherit",my:"2",opacity:.6},uie={transitionProperty:"common",transitionDuration:"normal"},cie=rie(e=>({button:uie,list:nn(oie,e),item:nn(iie,e),groupTitle:aie,command:sie,divider:lie})),fie=nie({baseStyle:cie}),{defineMultiStyleConfig:die,definePartsStyle:w5}=zt(tne.keys),pie={bg:"blackAlpha.600",zIndex:"modal"},hie=e=>{const{isCentered:t,scrollBehavior:n}=e;return{display:"flex",zIndex:"modal",justifyContent:"center",alignItems:t?"center":"flex-start",overflow:n==="inside"?"hidden":"auto"}},mie=e=>{const{scrollBehavior:t}=e;return{borderRadius:"md",bg:re("white","gray.700")(e),color:"inherit",my:"16",zIndex:"modal",maxH:t==="inside"?"calc(100% - 7.5rem)":void 0,boxShadow:re("lg","dark-lg")(e)}},gie={px:"6",py:"4",fontSize:"xl",fontWeight:"semibold"},vie={position:"absolute",top:"2",insetEnd:"3"},yie=e=>{const{scrollBehavior:t}=e;return{px:"6",py:"2",flex:"1",overflow:t==="inside"?"auto":void 0}},bie={px:"6",py:"4"},xie=w5(e=>({overlay:pie,dialogContainer:nn(hie,e),dialog:nn(mie,e),header:gie,closeButton:vie,body:nn(yie,e),footer:bie}));function wo(e){return w5(e==="full"?{dialog:{maxW:"100vw",minH:"$100vh",my:"0",borderRadius:"0"}}:{dialog:{maxW:e}})}var Sie={xs:wo("xs"),sm:wo("sm"),md:wo("md"),lg:wo("lg"),xl:wo("xl"),"2xl":wo("2xl"),"3xl":wo("3xl"),"4xl":wo("4xl"),"5xl":wo("5xl"),"6xl":wo("6xl"),full:wo("full")},wie=die({baseStyle:xie,sizes:Sie,defaultProps:{size:"md"}}),Cie={letterSpacings:{tighter:"-0.05em",tight:"-0.025em",normal:"0",wide:"0.025em",wider:"0.05em",widest:"0.1em"},lineHeights:{normal:"normal",none:1,shorter:1.25,short:1.375,base:1.5,tall:1.625,taller:"2",3:".75rem",4:"1rem",5:"1.25rem",6:"1.5rem",7:"1.75rem",8:"2rem",9:"2.25rem",10:"2.5rem"},fontWeights:{hairline:100,thin:200,light:300,normal:400,medium:500,semibold:600,bold:700,extrabold:800,black:900},fonts:{heading:'-apple-system, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol"',body:'-apple-system, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol"',mono:'SFMono-Regular,Menlo,Monaco,Consolas,"Liberation Mono","Courier New",monospace'},fontSizes:{"3xs":"0.45rem","2xs":"0.625rem",xs:"0.75rem",sm:"0.875rem",md:"1rem",lg:"1.125rem",xl:"1.25rem","2xl":"1.5rem","3xl":"1.875rem","4xl":"2.25rem","5xl":"3rem","6xl":"3.75rem","7xl":"4.5rem","8xl":"6rem","9xl":"8rem"}},RA=Cie,{defineMultiStyleConfig:_ie,definePartsStyle:OA}=zt(nne.keys),vb=Sr("number-input-stepper-width"),NA=Sr("number-input-input-padding"),kie=Ni(vb).add("0.5rem").toString(),Eie={[vb.variable]:"sizes.6",[NA.variable]:kie},Lie=e=>{var t;return((t=nn(at.baseStyle,e))==null?void 0:t.field)??{}},Pie={width:[vb.reference]},Aie=e=>({borderStart:"1px solid",borderStartColor:re("inherit","whiteAlpha.300")(e),color:re("inherit","whiteAlpha.800")(e),_active:{bg:re("gray.200","whiteAlpha.300")(e)},_disabled:{opacity:.4,cursor:"not-allowed"}}),Tie=OA(e=>({root:Eie,field:Lie,stepperGroup:Pie,stepper:nn(Aie,e)??{}}));function fh(e){var t,n;const r=(t=at.sizes)==null?void 0:t[e],o={lg:"md",md:"md",sm:"sm",xs:"sm"},i=((n=r.field)==null?void 0:n.fontSize)??"md",s=RA.fontSizes[i];return OA({field:{...r.field,paddingInlineEnd:NA.reference,verticalAlign:"top"},stepper:{fontSize:Ni(s).multiply(.75).toString(),_first:{borderTopEndRadius:o[e]},_last:{borderBottomEndRadius:o[e],mt:"-1px",borderTopWidth:1}}})}var Iie={xs:fh("xs"),sm:fh("sm"),md:fh("md"),lg:fh("lg")},Mie=_ie({baseStyle:Tie,sizes:Iie,variants:at.variants,defaultProps:at.defaultProps}),C8,Rie={...(C8=at.baseStyle)==null?void 0:C8.field,textAlign:"center"},Oie={lg:{fontSize:"lg",w:12,h:12,borderRadius:"md"},md:{fontSize:"md",w:10,h:10,borderRadius:"md"},sm:{fontSize:"sm",w:8,h:8,borderRadius:"sm"},xs:{fontSize:"xs",w:6,h:6,borderRadius:"sm"}},_8,Nie={outline:e=>{var t,n;return((n=nn((t=at.variants)==null?void 0:t.outline,e))==null?void 0:n.field)??{}},flushed:e=>{var t,n;return((n=nn((t=at.variants)==null?void 0:t.flushed,e))==null?void 0:n.field)??{}},filled:e=>{var t,n;return((n=nn((t=at.variants)==null?void 0:t.filled,e))==null?void 0:n.field)??{}},unstyled:((_8=at.variants)==null?void 0:_8.unstyled.field)??{}},Die={baseStyle:Rie,sizes:Oie,variants:Nie,defaultProps:at.defaultProps},{defineMultiStyleConfig:zie,definePartsStyle:Fie}=zt(rne.keys),g2=Sr("popper-bg"),Bie=Sr("popper-arrow-bg"),$ie=Sr("popper-arrow-shadow-color"),Vie={zIndex:10},Wie=e=>{const t=re("white","gray.700")(e),n=re("gray.200","whiteAlpha.300")(e);return{[g2.variable]:`colors.${t}`,bg:g2.reference,[Bie.variable]:g2.reference,[$ie.variable]:`colors.${n}`,width:"xs",border:"1px solid",borderColor:"inherit",borderRadius:"md",boxShadow:"sm",zIndex:"inherit",_focusVisible:{outline:0,boxShadow:"outline"}}},Hie={px:3,py:2,borderBottomWidth:"1px"},jie={px:3,py:2},Uie={px:3,py:2,borderTopWidth:"1px"},Gie={position:"absolute",borderRadius:"md",top:1,insetEnd:2,padding:2},Zie=Fie(e=>({popper:Vie,content:Wie(e),header:Hie,body:jie,footer:Uie,closeButton:Gie})),qie=zie({baseStyle:Zie}),{defineMultiStyleConfig:Kie,definePartsStyle:Mc}=zt(one.keys),Yie=e=>{const{colorScheme:t,theme:n,isIndeterminate:r,hasStripe:o}=e,i=re(y8(),y8("1rem","rgba(0,0,0,0.1)"))(e),s=re(`${t}.500`,`${t}.200`)(e),u=`linear-gradient( - to right, - transparent 0%, - ${pn(n,s)} 50%, - transparent 100% - )`;return{...!r&&o&&i,...r?{bgImage:u}:{bgColor:s}}},Xie={lineHeight:"1",fontSize:"0.25em",fontWeight:"bold",color:"white"},Qie=e=>({bg:re("gray.100","whiteAlpha.300")(e)}),Jie=e=>({transitionProperty:"common",transitionDuration:"slow",...Yie(e)}),eae=Mc(e=>({label:Xie,filledTrack:Jie(e),track:Qie(e)})),tae={xs:Mc({track:{h:"1"}}),sm:Mc({track:{h:"2"}}),md:Mc({track:{h:"3"}}),lg:Mc({track:{h:"4"}})},nae=Kie({sizes:tae,baseStyle:eae,defaultProps:{size:"md",colorScheme:"blue"}}),{defineMultiStyleConfig:rae,definePartsStyle:Zh}=zt(ine.keys),oae=e=>{var t;const n=(t=nn(e0.baseStyle,e))==null?void 0:t.control;return{...n,borderRadius:"full",_checked:{...n?._checked,_before:{content:'""',display:"inline-block",pos:"relative",w:"50%",h:"50%",borderRadius:"50%",bg:"currentColor"}}}},iae=Zh(e=>{var t,n,r,o;return{label:(n=(t=e0).baseStyle)==null?void 0:n.call(t,e).label,container:(o=(r=e0).baseStyle)==null?void 0:o.call(r,e).container,control:oae(e)}}),aae={md:Zh({control:{w:"4",h:"4"},label:{fontSize:"md"}}),lg:Zh({control:{w:"5",h:"5"},label:{fontSize:"lg"}}),sm:Zh({control:{width:"3",height:"3"},label:{fontSize:"sm"}})},sae=rae({baseStyle:iae,sizes:aae,defaultProps:{size:"md",colorScheme:"blue"}}),{defineMultiStyleConfig:lae,definePartsStyle:uae}=zt(ane.keys),cae=e=>{var t;return{...(t=at.baseStyle)==null?void 0:t.field,bg:re("white","gray.700")(e),appearance:"none",paddingBottom:"1px",lineHeight:"normal","> option, > optgroup":{bg:re("white","gray.700")(e)}}},fae={width:"6",height:"100%",insetEnd:"2",position:"relative",color:"currentColor",fontSize:"xl",_disabled:{opacity:.5}},dae=uae(e=>({field:cae(e),icon:fae})),dh={paddingInlineEnd:"8"},k8,E8,L8,P8,A8,T8,I8,M8,pae={lg:{...(k8=at.sizes)==null?void 0:k8.lg,field:{...(E8=at.sizes)==null?void 0:E8.lg.field,...dh}},md:{...(L8=at.sizes)==null?void 0:L8.md,field:{...(P8=at.sizes)==null?void 0:P8.md.field,...dh}},sm:{...(A8=at.sizes)==null?void 0:A8.sm,field:{...(T8=at.sizes)==null?void 0:T8.sm.field,...dh}},xs:{...(I8=at.sizes)==null?void 0:I8.xs,field:{...(M8=at.sizes)==null?void 0:M8.sm.field,...dh},icon:{insetEnd:"1"}}},hae=lae({baseStyle:dae,sizes:pae,variants:at.variants,defaultProps:at.defaultProps}),mae=Za("skeleton-start-color"),gae=Za("skeleton-end-color"),vae=e=>{const t=re("gray.100","gray.800")(e),n=re("gray.400","gray.600")(e),{startColor:r=t,endColor:o=n,theme:i}=e,s=pn(i,r),u=pn(i,o);return{[mae.variable]:s,[gae.variable]:u,opacity:.7,borderRadius:"2px",borderColor:s,background:u}},yae={baseStyle:vae},bae=e=>({borderRadius:"md",fontWeight:"semibold",_focusVisible:{boxShadow:"outline",padding:"4",position:"fixed",top:"6",insetStart:"6",bg:re("white","gray.700")(e)}}),xae={baseStyle:bae},{defineMultiStyleConfig:Sae,definePartsStyle:bm}=zt(sne.keys),Hf=Za("slider-thumb-size"),jf=Za("slider-track-size"),wae=e=>{const{orientation:t}=e;return{display:"inline-block",position:"relative",cursor:"pointer",_disabled:{opacity:.6,cursor:"default",pointerEvents:"none"},...hb({orientation:t,vertical:{h:"100%"},horizontal:{w:"100%"}})}},Cae=e=>({...hb({orientation:e.orientation,horizontal:{h:jf.reference},vertical:{w:jf.reference}}),overflow:"hidden",borderRadius:"sm",bg:re("gray.200","whiteAlpha.200")(e),_disabled:{bg:re("gray.300","whiteAlpha.300")(e)}}),_ae=e=>{const{orientation:t}=e;return{...hb({orientation:t,vertical:{left:"50%",transform:"translateX(-50%)",_active:{transform:"translateX(-50%) scale(1.15)"}},horizontal:{top:"50%",transform:"translateY(-50%)",_active:{transform:"translateY(-50%) scale(1.15)"}}}),w:Hf.reference,h:Hf.reference,display:"flex",alignItems:"center",justifyContent:"center",position:"absolute",outline:0,zIndex:1,borderRadius:"full",bg:"white",boxShadow:"base",border:"1px solid",borderColor:"transparent",transitionProperty:"transform",transitionDuration:"normal",_focusVisible:{boxShadow:"outline"},_disabled:{bg:"gray.300"}}},kae=e=>{const{colorScheme:t}=e;return{width:"inherit",height:"inherit",bg:re(`${t}.500`,`${t}.200`)(e)}},Eae=bm(e=>({container:wae(e),track:Cae(e),thumb:_ae(e),filledTrack:kae(e)})),Lae=bm({container:{[Hf.variable]:"sizes.4",[jf.variable]:"sizes.1"}}),Pae=bm({container:{[Hf.variable]:"sizes.3.5",[jf.variable]:"sizes.1"}}),Aae=bm({container:{[Hf.variable]:"sizes.2.5",[jf.variable]:"sizes.0.5"}}),Tae={lg:Lae,md:Pae,sm:Aae},Iae=Sae({baseStyle:Eae,sizes:Tae,defaultProps:{size:"md",colorScheme:"blue"}}),ps=Sr("spinner-size"),Mae={width:[ps.reference],height:[ps.reference]},Rae={xs:{[ps.variable]:"sizes.3"},sm:{[ps.variable]:"sizes.4"},md:{[ps.variable]:"sizes.6"},lg:{[ps.variable]:"sizes.8"},xl:{[ps.variable]:"sizes.12"}},Oae={baseStyle:Mae,sizes:Rae,defaultProps:{size:"md"}},{defineMultiStyleConfig:Nae,definePartsStyle:DA}=zt(lne.keys),Dae={fontWeight:"medium"},zae={opacity:.8,marginBottom:"2"},Fae={verticalAlign:"baseline",fontWeight:"semibold"},Bae={marginEnd:1,w:"3.5",h:"3.5",verticalAlign:"middle"},$ae=DA({container:{},label:Dae,helpText:zae,number:Fae,icon:Bae}),Vae={md:DA({label:{fontSize:"sm"},helpText:{fontSize:"sm"},number:{fontSize:"2xl"}})},Wae=Nae({baseStyle:$ae,sizes:Vae,defaultProps:{size:"md"}}),{defineMultiStyleConfig:Hae,definePartsStyle:qh}=zt(une.keys),rf=Sr("switch-track-width"),Es=Sr("switch-track-height"),v2=Sr("switch-track-diff"),jae=Ni.subtract(rf,Es),C5=Sr("switch-thumb-x"),Uae=e=>{const{colorScheme:t}=e;return{borderRadius:"full",p:"0.5",width:[rf.reference],height:[Es.reference],transitionProperty:"common",transitionDuration:"fast",bg:re("gray.300","whiteAlpha.400")(e),_focusVisible:{boxShadow:"outline"},_disabled:{opacity:.4,cursor:"not-allowed"},_checked:{bg:re(`${t}.500`,`${t}.200`)(e)}}},Gae={bg:"white",transitionProperty:"transform",transitionDuration:"normal",borderRadius:"inherit",width:[Es.reference],height:[Es.reference],_checked:{transform:`translateX(${C5.reference})`}},Zae=qh(e=>({container:{[v2.variable]:jae,[C5.variable]:v2.reference,_rtl:{[C5.variable]:Ni(v2).negate().toString()}},track:Uae(e),thumb:Gae})),qae={sm:qh({container:{[rf.variable]:"1.375rem",[Es.variable]:"sizes.3"}}),md:qh({container:{[rf.variable]:"1.875rem",[Es.variable]:"sizes.4"}}),lg:qh({container:{[rf.variable]:"2.875rem",[Es.variable]:"sizes.6"}})},Kae=Hae({baseStyle:Zae,sizes:qae,defaultProps:{size:"md",colorScheme:"blue"}}),{defineMultiStyleConfig:Yae,definePartsStyle:tu}=zt(cne.keys),Xae=tu({table:{fontVariantNumeric:"lining-nums tabular-nums",borderCollapse:"collapse",width:"full"},th:{fontFamily:"heading",fontWeight:"bold",textTransform:"uppercase",letterSpacing:"wider",textAlign:"start"},td:{textAlign:"start"},caption:{mt:4,fontFamily:"heading",textAlign:"center",fontWeight:"medium"}}),t0={"&[data-is-numeric=true]":{textAlign:"end"}},Qae=tu(e=>{const{colorScheme:t}=e;return{th:{color:re("gray.600","gray.400")(e),borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...t0},td:{borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...t0},caption:{color:re("gray.600","gray.100")(e)},tfoot:{tr:{"&:last-of-type":{th:{borderBottomWidth:0}}}}}}),Jae=tu(e=>{const{colorScheme:t}=e;return{th:{color:re("gray.600","gray.400")(e),borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...t0},td:{borderBottom:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e),...t0},caption:{color:re("gray.600","gray.100")(e)},tbody:{tr:{"&:nth-of-type(odd)":{"th, td":{borderBottomWidth:"1px",borderColor:re(`${t}.100`,`${t}.700`)(e)},td:{background:re(`${t}.100`,`${t}.700`)(e)}}}},tfoot:{tr:{"&:last-of-type":{th:{borderBottomWidth:0}}}}}}),ese={simple:Qae,striped:Jae,unstyled:{}},tse={sm:tu({th:{px:"4",py:"1",lineHeight:"4",fontSize:"xs"},td:{px:"4",py:"2",fontSize:"sm",lineHeight:"4"},caption:{px:"4",py:"2",fontSize:"xs"}}),md:tu({th:{px:"6",py:"3",lineHeight:"4",fontSize:"xs"},td:{px:"6",py:"4",lineHeight:"5"},caption:{px:"6",py:"2",fontSize:"sm"}}),lg:tu({th:{px:"8",py:"4",lineHeight:"5",fontSize:"sm"},td:{px:"8",py:"5",lineHeight:"6"},caption:{px:"6",py:"2",fontSize:"md"}})},nse=Yae({baseStyle:Xae,variants:ese,sizes:tse,defaultProps:{variant:"simple",size:"md",colorScheme:"gray"}}),{defineMultiStyleConfig:rse,definePartsStyle:ii}=zt(fne.keys),ose=e=>{const{orientation:t}=e;return{display:t==="vertical"?"flex":"block"}},ise=e=>{const{isFitted:t}=e;return{flex:t?1:void 0,transitionProperty:"common",transitionDuration:"normal",_focusVisible:{zIndex:1,boxShadow:"outline"},_disabled:{cursor:"not-allowed",opacity:.4}}},ase=e=>{const{align:t="start",orientation:n}=e;return{justifyContent:{end:"flex-end",center:"center",start:"flex-start"}[t],flexDirection:n==="vertical"?"column":"row"}},sse={p:4},lse=ii(e=>({root:ose(e),tab:ise(e),tablist:ase(e),tabpanel:sse})),use={sm:ii({tab:{py:1,px:4,fontSize:"sm"}}),md:ii({tab:{fontSize:"md",py:2,px:4}}),lg:ii({tab:{fontSize:"lg",py:3,px:4}})},cse=ii(e=>{const{colorScheme:t,orientation:n}=e,r=n==="vertical",o=n==="vertical"?"borderStart":"borderBottom",i=r?"marginStart":"marginBottom";return{tablist:{[o]:"2px solid",borderColor:"inherit"},tab:{[o]:"2px solid",borderColor:"transparent",[i]:"-2px",_selected:{color:re(`${t}.600`,`${t}.300`)(e),borderColor:"currentColor"},_active:{bg:re("gray.200","whiteAlpha.300")(e)},_disabled:{_active:{bg:"none"}}}}}),fse=ii(e=>{const{colorScheme:t}=e;return{tab:{borderTopRadius:"md",border:"1px solid",borderColor:"transparent",mb:"-1px",_selected:{color:re(`${t}.600`,`${t}.300`)(e),borderColor:"inherit",borderBottomColor:re("white","gray.800")(e)}},tablist:{mb:"-1px",borderBottom:"1px solid",borderColor:"inherit"}}}),dse=ii(e=>{const{colorScheme:t}=e;return{tab:{border:"1px solid",borderColor:"inherit",bg:re("gray.50","whiteAlpha.50")(e),mb:"-1px",_notLast:{marginEnd:"-1px"},_selected:{bg:re("#fff","gray.800")(e),color:re(`${t}.600`,`${t}.300`)(e),borderColor:"inherit",borderTopColor:"currentColor",borderBottomColor:"transparent"}},tablist:{mb:"-1px",borderBottom:"1px solid",borderColor:"inherit"}}}),pse=ii(e=>{const{colorScheme:t,theme:n}=e;return{tab:{borderRadius:"full",fontWeight:"semibold",color:"gray.600",_selected:{color:pn(n,`${t}.700`),bg:pn(n,`${t}.100`)}}}}),hse=ii(e=>{const{colorScheme:t}=e;return{tab:{borderRadius:"full",fontWeight:"semibold",color:re("gray.600","inherit")(e),_selected:{color:re("#fff","gray.800")(e),bg:re(`${t}.600`,`${t}.300`)(e)}}}}),mse=ii({}),gse={line:cse,enclosed:fse,"enclosed-colored":dse,"soft-rounded":pse,"solid-rounded":hse,unstyled:mse},vse=rse({baseStyle:lse,sizes:use,variants:gse,defaultProps:{size:"md",variant:"line",colorScheme:"blue"}}),{defineMultiStyleConfig:yse,definePartsStyle:Ls}=zt(dne.keys),bse={fontWeight:"medium",lineHeight:1.2,outline:0,borderRadius:"md",_focusVisible:{boxShadow:"outline"}},xse={lineHeight:1.2,overflow:"visible"},Sse={fontSize:"lg",w:"5",h:"5",transitionProperty:"common",transitionDuration:"normal",borderRadius:"full",marginStart:"1.5",marginEnd:"-1",opacity:.5,_disabled:{opacity:.4},_focusVisible:{boxShadow:"outline",bg:"rgba(0, 0, 0, 0.14)"},_hover:{opacity:.8},_active:{opacity:1}},wse=Ls({container:bse,label:xse,closeButton:Sse}),Cse={sm:Ls({container:{minH:"5",minW:"5",fontSize:"xs",px:"2"},closeButton:{marginEnd:"-2px",marginStart:"0.35rem"}}),md:Ls({container:{minH:"6",minW:"6",fontSize:"sm",px:"2"}}),lg:Ls({container:{minH:"8",minW:"8",fontSize:"md",px:"3"}})},_se={subtle:Ls(e=>{var t;return{container:(t=ef.variants)==null?void 0:t.subtle(e)}}),solid:Ls(e=>{var t;return{container:(t=ef.variants)==null?void 0:t.solid(e)}}),outline:Ls(e=>{var t;return{container:(t=ef.variants)==null?void 0:t.outline(e)}})},kse=yse({variants:_se,baseStyle:wse,sizes:Cse,defaultProps:{size:"md",variant:"subtle",colorScheme:"gray"}}),R8,Ese={...(R8=at.baseStyle)==null?void 0:R8.field,paddingY:"2",minHeight:"20",lineHeight:"short",verticalAlign:"top"},O8,Lse={outline:e=>{var t;return((t=at.variants)==null?void 0:t.outline(e).field)??{}},flushed:e=>{var t;return((t=at.variants)==null?void 0:t.flushed(e).field)??{}},filled:e=>{var t;return((t=at.variants)==null?void 0:t.filled(e).field)??{}},unstyled:((O8=at.variants)==null?void 0:O8.unstyled.field)??{}},N8,D8,z8,F8,Pse={xs:((N8=at.sizes)==null?void 0:N8.xs.field)??{},sm:((D8=at.sizes)==null?void 0:D8.sm.field)??{},md:((z8=at.sizes)==null?void 0:z8.md.field)??{},lg:((F8=at.sizes)==null?void 0:F8.lg.field)??{}},Ase={baseStyle:Ese,sizes:Pse,variants:Lse,defaultProps:{size:"md",variant:"outline"}},y2=Sr("tooltip-bg"),B8=Sr("tooltip-fg"),Tse=Sr("popper-arrow-bg"),Ise=e=>{const t=re("gray.700","gray.300")(e),n=re("whiteAlpha.900","gray.900")(e);return{bg:y2.reference,color:B8.reference,[y2.variable]:`colors.${t}`,[B8.variable]:`colors.${n}`,[Tse.variable]:y2.reference,px:"2",py:"0.5",borderRadius:"sm",fontWeight:"medium",fontSize:"sm",boxShadow:"md",maxW:"xs",zIndex:"tooltip"}},Mse={baseStyle:Ise},Rse={Accordion:Qne,Alert:are,Avatar:vre,Badge:ef,Breadcrumb:Lre,Button:Dre,Checkbox:e0,CloseButton:Gre,Code:Yre,Container:Qre,Divider:roe,Drawer:hoe,Editable:Soe,Form:Loe,FormError:Roe,FormLabel:Noe,Heading:Foe,Input:at,Kbd:qoe,Link:Yoe,List:tie,Menu:fie,Modal:wie,NumberInput:Mie,PinInput:Die,Popover:qie,Progress:nae,Radio:sae,Select:hae,Skeleton:yae,SkipLink:xae,Slider:Iae,Spinner:Oae,Stat:Wae,Switch:Kae,Table:nse,Tabs:vse,Tag:kse,Textarea:Ase,Tooltip:Mse},Ose={none:0,"1px":"1px solid","2px":"2px solid","4px":"4px solid","8px":"8px solid"},Nse=Ose,Dse={base:"0em",sm:"30em",md:"48em",lg:"62em",xl:"80em","2xl":"96em"},zse=Dse,Fse={transparent:"transparent",current:"currentColor",black:"#000000",white:"#FFFFFF",whiteAlpha:{50:"rgba(255, 255, 255, 0.04)",100:"rgba(255, 255, 255, 0.06)",200:"rgba(255, 255, 255, 0.08)",300:"rgba(255, 255, 255, 0.16)",400:"rgba(255, 255, 255, 0.24)",500:"rgba(255, 255, 255, 0.36)",600:"rgba(255, 255, 255, 0.48)",700:"rgba(255, 255, 255, 0.64)",800:"rgba(255, 255, 255, 0.80)",900:"rgba(255, 255, 255, 0.92)"},blackAlpha:{50:"rgba(0, 0, 0, 0.04)",100:"rgba(0, 0, 0, 0.06)",200:"rgba(0, 0, 0, 0.08)",300:"rgba(0, 0, 0, 0.16)",400:"rgba(0, 0, 0, 0.24)",500:"rgba(0, 0, 0, 0.36)",600:"rgba(0, 0, 0, 0.48)",700:"rgba(0, 0, 0, 0.64)",800:"rgba(0, 0, 0, 0.80)",900:"rgba(0, 0, 0, 0.92)"},gray:{50:"#F7FAFC",100:"#EDF2F7",200:"#E2E8F0",300:"#CBD5E0",400:"#A0AEC0",500:"#718096",600:"#4A5568",700:"#2D3748",800:"#1A202C",900:"#171923"},red:{50:"#FFF5F5",100:"#FED7D7",200:"#FEB2B2",300:"#FC8181",400:"#F56565",500:"#E53E3E",600:"#C53030",700:"#9B2C2C",800:"#822727",900:"#63171B"},orange:{50:"#FFFAF0",100:"#FEEBC8",200:"#FBD38D",300:"#F6AD55",400:"#ED8936",500:"#DD6B20",600:"#C05621",700:"#9C4221",800:"#7B341E",900:"#652B19"},yellow:{50:"#FFFFF0",100:"#FEFCBF",200:"#FAF089",300:"#F6E05E",400:"#ECC94B",500:"#D69E2E",600:"#B7791F",700:"#975A16",800:"#744210",900:"#5F370E"},green:{50:"#F0FFF4",100:"#C6F6D5",200:"#9AE6B4",300:"#68D391",400:"#48BB78",500:"#38A169",600:"#2F855A",700:"#276749",800:"#22543D",900:"#1C4532"},teal:{50:"#E6FFFA",100:"#B2F5EA",200:"#81E6D9",300:"#4FD1C5",400:"#38B2AC",500:"#319795",600:"#2C7A7B",700:"#285E61",800:"#234E52",900:"#1D4044"},blue:{50:"#ebf8ff",100:"#bee3f8",200:"#90cdf4",300:"#63b3ed",400:"#4299e1",500:"#3182ce",600:"#2b6cb0",700:"#2c5282",800:"#2a4365",900:"#1A365D"},cyan:{50:"#EDFDFD",100:"#C4F1F9",200:"#9DECF9",300:"#76E4F7",400:"#0BC5EA",500:"#00B5D8",600:"#00A3C4",700:"#0987A0",800:"#086F83",900:"#065666"},purple:{50:"#FAF5FF",100:"#E9D8FD",200:"#D6BCFA",300:"#B794F4",400:"#9F7AEA",500:"#805AD5",600:"#6B46C1",700:"#553C9A",800:"#44337A",900:"#322659"},pink:{50:"#FFF5F7",100:"#FED7E2",200:"#FBB6CE",300:"#F687B3",400:"#ED64A6",500:"#D53F8C",600:"#B83280",700:"#97266D",800:"#702459",900:"#521B41"},linkedin:{50:"#E8F4F9",100:"#CFEDFB",200:"#9BDAF3",300:"#68C7EC",400:"#34B3E4",500:"#00A0DC",600:"#008CC9",700:"#0077B5",800:"#005E93",900:"#004471"},facebook:{50:"#E8F4F9",100:"#D9DEE9",200:"#B7C2DA",300:"#6482C0",400:"#4267B2",500:"#385898",600:"#314E89",700:"#29487D",800:"#223B67",900:"#1E355B"},messenger:{50:"#D0E6FF",100:"#B9DAFF",200:"#A2CDFF",300:"#7AB8FF",400:"#2E90FF",500:"#0078FF",600:"#0063D1",700:"#0052AC",800:"#003C7E",900:"#002C5C"},whatsapp:{50:"#dffeec",100:"#b9f5d0",200:"#90edb3",300:"#65e495",400:"#3cdd78",500:"#22c35e",600:"#179848",700:"#0c6c33",800:"#01421c",900:"#001803"},twitter:{50:"#E5F4FD",100:"#C8E9FB",200:"#A8DCFA",300:"#83CDF7",400:"#57BBF5",500:"#1DA1F2",600:"#1A94DA",700:"#1681BF",800:"#136B9E",900:"#0D4D71"},telegram:{50:"#E3F2F9",100:"#C5E4F3",200:"#A2D4EC",300:"#7AC1E4",400:"#47A9DA",500:"#0088CC",600:"#007AB8",700:"#006BA1",800:"#005885",900:"#003F5E"}},Bse=Fse,$se={none:"0",sm:"0.125rem",base:"0.25rem",md:"0.375rem",lg:"0.5rem",xl:"0.75rem","2xl":"1rem","3xl":"1.5rem",full:"9999px"},Vse=$se,Wse={xs:"0 0 0 1px rgba(0, 0, 0, 0.05)",sm:"0 1px 2px 0 rgba(0, 0, 0, 0.05)",base:"0 1px 3px 0 rgba(0, 0, 0, 0.1), 0 1px 2px 0 rgba(0, 0, 0, 0.06)",md:"0 4px 6px -1px rgba(0, 0, 0, 0.1), 0 2px 4px -1px rgba(0, 0, 0, 0.06)",lg:"0 10px 15px -3px rgba(0, 0, 0, 0.1), 0 4px 6px -2px rgba(0, 0, 0, 0.05)",xl:"0 20px 25px -5px rgba(0, 0, 0, 0.1), 0 10px 10px -5px rgba(0, 0, 0, 0.04)","2xl":"0 25px 50px -12px rgba(0, 0, 0, 0.25)",outline:"0 0 0 3px rgba(66, 153, 225, 0.6)",inner:"inset 0 2px 4px 0 rgba(0,0,0,0.06)",none:"none","dark-lg":"rgba(0, 0, 0, 0.1) 0px 0px 0px 1px, rgba(0, 0, 0, 0.2) 0px 5px 10px, rgba(0, 0, 0, 0.4) 0px 15px 40px"},Hse=Wse,jse={common:"background-color, border-color, color, fill, stroke, opacity, box-shadow, transform",colors:"background-color, border-color, color, fill, stroke",dimensions:"width, height",position:"left, right, top, bottom",background:"background-color, background-image, background-position"},Use={"ease-in":"cubic-bezier(0.4, 0, 1, 1)","ease-out":"cubic-bezier(0, 0, 0.2, 1)","ease-in-out":"cubic-bezier(0.4, 0, 0.2, 1)"},Gse={"ultra-fast":"50ms",faster:"100ms",fast:"150ms",normal:"200ms",slow:"300ms",slower:"400ms","ultra-slow":"500ms"},Zse={property:jse,easing:Use,duration:Gse},qse=Zse,Kse={hide:-1,auto:"auto",base:0,docked:10,dropdown:1e3,sticky:1100,banner:1200,overlay:1300,modal:1400,popover:1500,skipLink:1600,toast:1700,tooltip:1800},Yse=Kse,Xse={none:0,sm:"4px",base:"8px",md:"12px",lg:"16px",xl:"24px","2xl":"40px","3xl":"64px"},Qse=Xse,Jse={breakpoints:zse,zIndices:Yse,radii:Vse,blur:Qse,colors:Bse,...RA,sizes:TA,shadows:Hse,space:AA,borders:Nse,transition:qse},ele={colors:{"chakra-body-text":{_light:"gray.800",_dark:"whiteAlpha.900"},"chakra-body-bg":{_light:"white",_dark:"gray.800"},"chakra-border-color":{_light:"gray.200",_dark:"whiteAlpha.300"},"chakra-placeholder-color":{_light:"gray.500",_dark:"whiteAlpha.400"}}},tle={global:{body:{fontFamily:"body",color:"chakra-body-text",bg:"chakra-body-bg",transitionProperty:"background-color",transitionDuration:"normal",lineHeight:"base"},"*::placeholder":{color:"chakra-placeholder-color"},"*, *::before, &::after":{borderColor:"chakra-border-color",wordWrap:"break-word"}}};function nle(e){const t=typeof e;return e!=null&&(t==="object"||t==="function")&&!Array.isArray(e)}var rle=["borders","breakpoints","colors","components","config","direction","fonts","fontSizes","fontWeights","letterSpacings","lineHeights","radii","shadows","sizes","space","styles","transition","zIndices"];function ole(e){return nle(e)?rle.every(t=>Object.prototype.hasOwnProperty.call(e,t)):!1}var ile="ltr",ale={useSystemColorMode:!1,initialColorMode:"light",cssVarPrefix:"chakra"},zA={semanticTokens:ele,direction:ile,...Jse,components:Rse,styles:tle,config:ale};function sle(e,t){const n=Wn(e);C.exports.useEffect(()=>{if(t==null)return;let r=null;return r=window.setTimeout(()=>{n()},t),()=>{r&&window.clearTimeout(r)}},[t,n])}function _5(e,...t){return lle(e)?e(...t):e}var lle=e=>typeof e=="function";function ule(e,t){const n=e??"bottom",o={"top-start":{ltr:"top-left",rtl:"top-right"},"top-end":{ltr:"top-right",rtl:"top-left"},"bottom-start":{ltr:"bottom-left",rtl:"bottom-right"},"bottom-end":{ltr:"bottom-right",rtl:"bottom-left"}}[n];return o?.[t]??n}var cle=(e,t)=>e.find(n=>n.id===t);function $8(e,t){const n=FA(e,t),r=n?e[n].findIndex(o=>o.id===t):-1;return{position:n,index:r}}function FA(e,t){for(const[n,r]of Object.entries(e))if(cle(r,t))return n}function fle(e){const t=e.includes("right"),n=e.includes("left");let r="center";return t&&(r="flex-end"),n&&(r="flex-start"),{display:"flex",flexDirection:"column",alignItems:r}}function dle(e){const n=e==="top"||e==="bottom"?"0 auto":void 0,r=e.includes("top")?"env(safe-area-inset-top, 0px)":void 0,o=e.includes("bottom")?"env(safe-area-inset-bottom, 0px)":void 0,i=e.includes("left")?void 0:"env(safe-area-inset-right, 0px)",s=e.includes("right")?void 0:"env(safe-area-inset-left, 0px)";return{position:"fixed",zIndex:5500,pointerEvents:"none",display:"flex",flexDirection:"column",margin:n,top:r,bottom:o,right:i,left:s}}var ple={top:[],"top-left":[],"top-right":[],"bottom-left":[],bottom:[],"bottom-right":[]},Yo=hle(ple);function hle(e){let t=e;const n=new Set,r=o=>{t=o(t),n.forEach(i=>i())};return{getState:()=>t,subscribe:o=>(n.add(o),()=>{r(()=>e),n.delete(o)}),removeToast:(o,i)=>{r(s=>({...s,[i]:s[i].filter(u=>u.id!=o)}))},notify:(o,i)=>{const s=mle(o,i),{position:u,id:c}=s;return r(f=>{const h=u.includes("top")?[s,...f[u]??[]]:[...f[u]??[],s];return{...f,[u]:h}}),c},update:(o,i)=>{!o||r(s=>{const u={...s},{position:c,index:f}=$8(u,o);return c&&f!==-1&&(u[c][f]={...u[c][f],...i,message:BA(i)}),u})},closeAll:({positions:o}={})=>{r(i=>(o??["bottom","bottom-right","bottom-left","top","top-left","top-right"]).reduce((c,f)=>(c[f]=i[f].map(p=>({...p,requestClose:!0})),c),{...i}))},close:o=>{r(i=>{const s=FA(i,o);return s?{...i,[s]:i[s].map(u=>u.id==o?{...u,requestClose:!0}:u)}:i})},isActive:o=>Boolean($8(Yo.getState(),o).position)}}var V8=0;function mle(e,t={}){V8+=1;const n=t.id??V8,r=t.position??"bottom";return{id:n,message:e,position:r,duration:t.duration,onCloseComplete:t.onCloseComplete,onRequestRemove:()=>Yo.removeToast(String(n),r),status:t.status,requestClose:!1,containerStyle:t.containerStyle}}var gle=e=>{const{status:t,variant:n="solid",id:r,title:o,isClosable:i,onClose:s,description:u,icon:c}=e,f=r?{root:`toast-${r}`,title:`toast-${r}-title`,description:`toast-${r}-description`}:void 0;return Q.createElement(_L,{addRole:!1,status:t,variant:n,id:f?.root,alignItems:"start",borderRadius:"md",boxShadow:"lg",paddingEnd:8,textAlign:"start",width:"auto"},y(EL,{children:c}),Q.createElement(oe.div,{flex:"1",maxWidth:"100%"},o&&y(LL,{id:f?.title,children:o}),u&&y(kL,{id:f?.description,display:"block",children:u})),i&&y(dm,{size:"sm",onClick:s,position:"absolute",insetEnd:1,top:1}))};function BA(e={}){const{render:t,toastComponent:n=gle}=e;return o=>typeof t=="function"?t(o):y(n,{...o,...e})}function vle(e,t){const n=o=>({...t,...o,position:ule(o?.position??t?.position,e)}),r=o=>{const i=n(o),s=BA(i);return Yo.notify(s,i)};return r.update=(o,i)=>{Yo.update(o,n(i))},r.promise=(o,i)=>{const s=r({...i.loading,status:"loading",duration:null});o.then(u=>r.update(s,{status:"success",duration:5e3,..._5(i.success,u)})).catch(u=>r.update(s,{status:"error",duration:5e3,..._5(i.error,u)}))},r.closeAll=Yo.closeAll,r.close=Yo.close,r.isActive=Yo.isActive,r}function yle(e){const{theme:t}=Dk();return C.exports.useMemo(()=>vle(t.direction,e),[e,t.direction])}var ble={initial:e=>{const{position:t}=e,n=["top","bottom"].includes(t)?"y":"x";let r=["top-right","bottom-right"].includes(t)?1:-1;return t==="bottom"&&(r=1),{opacity:0,[n]:r*24}},animate:{opacity:1,y:0,x:0,scale:1,transition:{duration:.4,ease:[.4,0,.2,1]}},exit:{opacity:0,scale:.85,transition:{duration:.2,ease:[.4,0,1,1]}}},$A=C.exports.memo(e=>{const{id:t,message:n,onCloseComplete:r,onRequestRemove:o,requestClose:i=!1,position:s="bottom",duration:u=5e3,containerStyle:c,motionVariants:f=ble,toastSpacing:p="0.5rem"}=e,[h,m]=C.exports.useState(u),g=_G();G1(()=>{g||r?.()},[g]),G1(()=>{m(u)},[u]);const b=()=>m(null),S=()=>m(u),E=()=>{g&&o()};C.exports.useEffect(()=>{g&&i&&o()},[g,i,o]),sle(E,h);const w=C.exports.useMemo(()=>({pointerEvents:"auto",maxWidth:560,minWidth:300,margin:p,...c}),[c,p]),x=C.exports.useMemo(()=>fle(s),[s]);return Q.createElement(uo.li,{layout:!0,className:"chakra-toast",variants:f,initial:"initial",animate:"animate",exit:"exit",onHoverStart:b,onHoverEnd:S,custom:{position:s},style:x},Q.createElement(oe.div,{role:"status","aria-atomic":"true",className:"chakra-toast__inner",__css:w},_5(n,{id:t,onClose:E})))});$A.displayName="ToastComponent";var xle=e=>{const t=C.exports.useSyncExternalStore(Yo.subscribe,Yo.getState,Yo.getState),{children:n,motionVariants:r,component:o=$A,portalProps:i}=e,u=Object.keys(t).map(c=>{const f=t[c];return y("ul",{role:"region","aria-live":"polite",id:`chakra-toast-manager-${c}`,style:dle(c),children:y(Ki,{initial:!1,children:f.map(p=>y(o,{motionVariants:r,...p},p.id))})},c)});return X(Mn,{children:[n,y($s,{...i,children:u})]})};function Sle(e,t=[]){const n=Object.assign({},e);for(const r of t)r in n&&delete n[r];return n}function wle(e,t){const n={};for(const r of t)r in e&&(n[r]=e[r]);return n}var Cle={exit:{scale:.85,opacity:0,transition:{opacity:{duration:.15,easings:"easeInOut"},scale:{duration:.2,easings:"easeInOut"}}},enter:{scale:1,opacity:1,transition:{opacity:{easings:"easeOut",duration:.2},scale:{duration:.2,ease:[.175,.885,.4,1.1]}}}};function Cc(...e){return function(n){e.some(r=>(r?.(n),n?.defaultPrevented))}}var k5=e=>{var t;return((t=e.current)==null?void 0:t.ownerDocument)||document},E5=e=>{var t,n;return((n=(t=e.current)==null?void 0:t.ownerDocument)==null?void 0:n.defaultView)||window};function _le(e={}){const{openDelay:t=0,closeDelay:n=0,closeOnClick:r=!0,closeOnMouseDown:o,closeOnEsc:i=!0,onOpen:s,onClose:u,placement:c,id:f,isOpen:p,defaultIsOpen:h,arrowSize:m=10,arrowShadowColor:g,arrowPadding:b,modifiers:S,isDisabled:E,gutter:w,offset:x,direction:_,...L}=e,{isOpen:T,onOpen:O,onClose:N}=fP({isOpen:p,defaultIsOpen:h,onOpen:s,onClose:u}),{referenceRef:F,getPopperProps:q,getArrowInnerProps:W,getArrowProps:J}=cP({enabled:T,placement:c,arrowPadding:b,modifiers:S,gutter:w,offset:x,direction:_}),ve=C.exports.useId(),he=`tooltip-${f??ve}`,fe=C.exports.useRef(null),me=C.exports.useRef(),ne=C.exports.useRef(),H=C.exports.useCallback(()=>{ne.current&&(clearTimeout(ne.current),ne.current=void 0),N()},[N]),K=kle(fe,H),Z=C.exports.useCallback(()=>{if(!E&&!me.current){K();const de=E5(fe);me.current=de.setTimeout(O,t)}},[K,E,O,t]),M=C.exports.useCallback(()=>{me.current&&(clearTimeout(me.current),me.current=void 0);const de=E5(fe);ne.current=de.setTimeout(H,n)},[n,H]),j=C.exports.useCallback(()=>{T&&r&&M()},[r,M,T]),se=C.exports.useCallback(()=>{T&&o&&M()},[o,M,T]),ce=C.exports.useCallback(de=>{T&&de.key==="Escape"&&M()},[T,M]);i5(()=>k5(fe),"keydown",i?ce:void 0),C.exports.useEffect(()=>()=>{clearTimeout(me.current),clearTimeout(ne.current)},[]),i5(()=>fe.current,"mouseleave",M);const ye=C.exports.useCallback((de={},_e=null)=>({...de,ref:qt(fe,_e,F),onMouseEnter:Cc(de.onMouseEnter,Z),onClick:Cc(de.onClick,j),onMouseDown:Cc(de.onMouseDown,se),onFocus:Cc(de.onFocus,Z),onBlur:Cc(de.onBlur,M),"aria-describedby":T?he:void 0}),[Z,M,se,T,he,j,F]),be=C.exports.useCallback((de={},_e=null)=>q({...de,style:{...de.style,[an.arrowSize.var]:m?`${m}px`:void 0,[an.arrowShadowColor.var]:g}},_e),[q,m,g]),Le=C.exports.useCallback((de={},_e=null)=>{const De={...de.style,position:"relative",transformOrigin:an.transformOrigin.varRef};return{ref:_e,...L,...de,id:he,role:"tooltip",style:De}},[L,he]);return{isOpen:T,show:Z,hide:M,getTriggerProps:ye,getTooltipProps:Le,getTooltipPositionerProps:be,getArrowProps:J,getArrowInnerProps:W}}var b2="chakra-ui:close-tooltip";function kle(e,t){return C.exports.useEffect(()=>{const n=k5(e);return n.addEventListener(b2,t),()=>n.removeEventListener(b2,t)},[t,e]),()=>{const n=k5(e),r=E5(e);n.dispatchEvent(new r.CustomEvent(b2))}}var Ele=oe(uo.div),oo=ue((e,t)=>{const n=ir("Tooltip",e),r=yt(e),o=Z0(),{children:i,label:s,shouldWrapChildren:u,"aria-label":c,hasArrow:f,bg:p,portalProps:h,background:m,backgroundColor:g,bgColor:b,...S}=r,E=m??g??p??b;if(E){n.bg=E;const F=VV(o,"colors",E);n[an.arrowBg.var]=F}const w=_le({...S,direction:o.direction}),x=typeof i=="string"||u;let _;if(x)_=Q.createElement(oe.span,{tabIndex:0,...w.getTriggerProps()},i);else{const F=C.exports.Children.only(i);_=C.exports.cloneElement(F,w.getTriggerProps(F.props,F.ref))}const L=!!c,T=w.getTooltipProps({},t),O=L?Sle(T,["role","id"]):T,N=wle(T,["role","id"]);return s?X(Mn,{children:[_,y(Ki,{children:w.isOpen&&Q.createElement($s,{...h},Q.createElement(oe.div,{...w.getTooltipPositionerProps(),__css:{zIndex:n.zIndex,pointerEvents:"none"}},X(Ele,{variants:Cle,...O,initial:"exit",animate:"enter",exit:"exit",__css:n,children:[s,L&&Q.createElement(oe.span,{srOnly:!0,...N},c),f&&Q.createElement(oe.div,{"data-popper-arrow":!0,className:"chakra-tooltip__arrow-wrapper"},Q.createElement(oe.div,{"data-popper-arrow-inner":!0,className:"chakra-tooltip__arrow",__css:{bg:n.bg}}))]})))})]}):y(Mn,{children:i})});oo.displayName="Tooltip";var Lle=e=>{const{children:t,colorModeManager:n,portalZIndex:r,resetCSS:o=!0,theme:i={},environment:s,cssVarsRoot:u}=e,c=y(JL,{environment:s,children:t});return y(zH,{theme:i,cssVarsRoot:u,children:X(ek,{colorModeManager:n,options:i.config,children:[o?y(hY,{}):y(pY,{}),y(BH,{}),r?y(pP,{zIndex:r,children:c}):c]})})};function Ple({children:e,theme:t=zA,toastOptions:n,...r}){return X(Lle,{theme:t,...r,children:[e,y(xle,{...n})]})}function Ale(...e){let t=[...e],n=e[e.length-1];return ole(n)&&t.length>1?t=t.slice(0,t.length-1):n=zA,nH(...t.map(r=>o=>Bl(r)?r(o):Tle(o,r)))(n)}function Tle(...e){return Ba({},...e,VA)}function VA(e,t,n,r){if((Bl(e)||Bl(t))&&Object.prototype.hasOwnProperty.call(r,n))return(...o)=>{const i=Bl(e)?e(...o):e,s=Bl(t)?t(...o):t;return Ba({},i,s,VA)}}function Po(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];throw Error("[Immer] minified error nr: "+e+(n.length?" "+n.map(function(o){return"'"+o+"'"}).join(","):"")+". Find the full error at: https://bit.ly/3cXEKWf")}function Wa(e){return!!e&&!!e[Nt]}function Zi(e){return!!e&&(function(t){if(!t||typeof t!="object")return!1;var n=Object.getPrototypeOf(t);if(n===null)return!0;var r=Object.hasOwnProperty.call(n,"constructor")&&n.constructor;return r===Object||typeof r=="function"&&Function.toString.call(r)===Ble}(e)||Array.isArray(e)||!!e[q8]||!!e.constructor[q8]||yb(e)||bb(e))}function Os(e,t,n){n===void 0&&(n=!1),Ru(e)===0?(n?Object.keys:ru)(e).forEach(function(r){n&&typeof r=="symbol"||t(r,e[r],e)}):e.forEach(function(r,o){return t(o,r,e)})}function Ru(e){var t=e[Nt];return t?t.i>3?t.i-4:t.i:Array.isArray(e)?1:yb(e)?2:bb(e)?3:0}function nu(e,t){return Ru(e)===2?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function Ile(e,t){return Ru(e)===2?e.get(t):e[t]}function WA(e,t,n){var r=Ru(e);r===2?e.set(t,n):r===3?(e.delete(t),e.add(n)):e[t]=n}function HA(e,t){return e===t?e!==0||1/e==1/t:e!=e&&t!=t}function yb(e){return zle&&e instanceof Map}function bb(e){return Fle&&e instanceof Set}function cs(e){return e.o||e.t}function xb(e){if(Array.isArray(e))return Array.prototype.slice.call(e);var t=UA(e);delete t[Nt];for(var n=ru(t),r=0;r<n.length;r++){var o=n[r],i=t[o];i.writable===!1&&(i.writable=!0,i.configurable=!0),(i.get||i.set)&&(t[o]={configurable:!0,writable:!0,enumerable:i.enumerable,value:e[o]})}return Object.create(Object.getPrototypeOf(e),t)}function Sb(e,t){return t===void 0&&(t=!1),wb(e)||Wa(e)||!Zi(e)||(Ru(e)>1&&(e.set=e.add=e.clear=e.delete=Mle),Object.freeze(e),t&&Os(e,function(n,r){return Sb(r,!0)},!0)),e}function Mle(){Po(2)}function wb(e){return e==null||typeof e!="object"||Object.isFrozen(e)}function ai(e){var t=T5[e];return t||Po(18,e),t}function Rle(e,t){T5[e]||(T5[e]=t)}function L5(){return Uf}function x2(e,t){t&&(ai("Patches"),e.u=[],e.s=[],e.v=t)}function n0(e){P5(e),e.p.forEach(Ole),e.p=null}function P5(e){e===Uf&&(Uf=e.l)}function W8(e){return Uf={p:[],l:Uf,h:e,m:!0,_:0}}function Ole(e){var t=e[Nt];t.i===0||t.i===1?t.j():t.O=!0}function S2(e,t){t._=t.p.length;var n=t.p[0],r=e!==void 0&&e!==n;return t.h.g||ai("ES5").S(t,e,r),r?(n[Nt].P&&(n0(t),Po(4)),Zi(e)&&(e=r0(t,e),t.l||o0(t,e)),t.u&&ai("Patches").M(n[Nt].t,e,t.u,t.s)):e=r0(t,n,[]),n0(t),t.u&&t.v(t.u,t.s),e!==jA?e:void 0}function r0(e,t,n){if(wb(t))return t;var r=t[Nt];if(!r)return Os(t,function(i,s){return H8(e,r,t,i,s,n)},!0),t;if(r.A!==e)return t;if(!r.P)return o0(e,r.t,!0),r.t;if(!r.I){r.I=!0,r.A._--;var o=r.i===4||r.i===5?r.o=xb(r.k):r.o;Os(r.i===3?new Set(o):o,function(i,s){return H8(e,r,o,i,s,n)}),o0(e,o,!1),n&&e.u&&ai("Patches").R(r,n,e.u,e.s)}return r.o}function H8(e,t,n,r,o,i){if(Wa(o)){var s=r0(e,o,i&&t&&t.i!==3&&!nu(t.D,r)?i.concat(r):void 0);if(WA(n,r,s),!Wa(s))return;e.m=!1}if(Zi(o)&&!wb(o)){if(!e.h.F&&e._<1)return;r0(e,o),t&&t.A.l||o0(e,o)}}function o0(e,t,n){n===void 0&&(n=!1),e.h.F&&e.m&&Sb(t,n)}function w2(e,t){var n=e[Nt];return(n?cs(n):e)[t]}function j8(e,t){if(t in e)for(var n=Object.getPrototypeOf(e);n;){var r=Object.getOwnPropertyDescriptor(n,t);if(r)return r;n=Object.getPrototypeOf(n)}}function xa(e){e.P||(e.P=!0,e.l&&xa(e.l))}function C2(e){e.o||(e.o=xb(e.t))}function A5(e,t,n){var r=yb(t)?ai("MapSet").N(t,n):bb(t)?ai("MapSet").T(t,n):e.g?function(o,i){var s=Array.isArray(o),u={i:s?1:0,A:i?i.A:L5(),P:!1,I:!1,D:{},l:i,t:o,k:null,o:null,j:null,C:!1},c=u,f=Gf;s&&(c=[u],f=Rc);var p=Proxy.revocable(c,f),h=p.revoke,m=p.proxy;return u.k=m,u.j=h,m}(t,n):ai("ES5").J(t,n);return(n?n.A:L5()).p.push(r),r}function Nle(e){return Wa(e)||Po(22,e),function t(n){if(!Zi(n))return n;var r,o=n[Nt],i=Ru(n);if(o){if(!o.P&&(o.i<4||!ai("ES5").K(o)))return o.t;o.I=!0,r=U8(n,i),o.I=!1}else r=U8(n,i);return Os(r,function(s,u){o&&Ile(o.t,s)===u||WA(r,s,t(u))}),i===3?new Set(r):r}(e)}function U8(e,t){switch(t){case 2:return new Map(e);case 3:return Array.from(e)}return xb(e)}function Dle(){function e(i,s){var u=o[i];return u?u.enumerable=s:o[i]=u={configurable:!0,enumerable:s,get:function(){var c=this[Nt];return Gf.get(c,i)},set:function(c){var f=this[Nt];Gf.set(f,i,c)}},u}function t(i){for(var s=i.length-1;s>=0;s--){var u=i[s][Nt];if(!u.P)switch(u.i){case 5:r(u)&&xa(u);break;case 4:n(u)&&xa(u)}}}function n(i){for(var s=i.t,u=i.k,c=ru(u),f=c.length-1;f>=0;f--){var p=c[f];if(p!==Nt){var h=s[p];if(h===void 0&&!nu(s,p))return!0;var m=u[p],g=m&&m[Nt];if(g?g.t!==h:!HA(m,h))return!0}}var b=!!s[Nt];return c.length!==ru(s).length+(b?0:1)}function r(i){var s=i.k;if(s.length!==i.t.length)return!0;var u=Object.getOwnPropertyDescriptor(s,s.length-1);if(u&&!u.get)return!0;for(var c=0;c<s.length;c++)if(!s.hasOwnProperty(c))return!0;return!1}var o={};Rle("ES5",{J:function(i,s){var u=Array.isArray(i),c=function(p,h){if(p){for(var m=Array(h.length),g=0;g<h.length;g++)Object.defineProperty(m,""+g,e(g,!0));return m}var b=UA(h);delete b[Nt];for(var S=ru(b),E=0;E<S.length;E++){var w=S[E];b[w]=e(w,p||!!b[w].enumerable)}return Object.create(Object.getPrototypeOf(h),b)}(u,i),f={i:u?5:4,A:s?s.A:L5(),P:!1,I:!1,D:{},l:s,t:i,k:c,o:null,O:!1,C:!1};return Object.defineProperty(c,Nt,{value:f,writable:!0}),c},S:function(i,s,u){u?Wa(s)&&s[Nt].A===i&&t(i.p):(i.u&&function c(f){if(f&&typeof f=="object"){var p=f[Nt];if(p){var h=p.t,m=p.k,g=p.D,b=p.i;if(b===4)Os(m,function(_){_!==Nt&&(h[_]!==void 0||nu(h,_)?g[_]||c(m[_]):(g[_]=!0,xa(p)))}),Os(h,function(_){m[_]!==void 0||nu(m,_)||(g[_]=!1,xa(p))});else if(b===5){if(r(p)&&(xa(p),g.length=!0),m.length<h.length)for(var S=m.length;S<h.length;S++)g[S]=!1;else for(var E=h.length;E<m.length;E++)g[E]=!0;for(var w=Math.min(m.length,h.length),x=0;x<w;x++)m.hasOwnProperty(x)||(g[x]=!0),g[x]===void 0&&c(m[x])}}}}(i.p[0]),t(i.p))},K:function(i){return i.i===4?n(i):r(i)}})}var G8,Uf,Cb=typeof Symbol<"u"&&typeof Symbol("x")=="symbol",zle=typeof Map<"u",Fle=typeof Set<"u",Z8=typeof Proxy<"u"&&Proxy.revocable!==void 0&&typeof Reflect<"u",jA=Cb?Symbol.for("immer-nothing"):((G8={})["immer-nothing"]=!0,G8),q8=Cb?Symbol.for("immer-draftable"):"__$immer_draftable",Nt=Cb?Symbol.for("immer-state"):"__$immer_state",Ble=""+Object.prototype.constructor,ru=typeof Reflect<"u"&&Reflect.ownKeys?Reflect.ownKeys:Object.getOwnPropertySymbols!==void 0?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:Object.getOwnPropertyNames,UA=Object.getOwnPropertyDescriptors||function(e){var t={};return ru(e).forEach(function(n){t[n]=Object.getOwnPropertyDescriptor(e,n)}),t},T5={},Gf={get:function(e,t){if(t===Nt)return e;var n=cs(e);if(!nu(n,t))return function(o,i,s){var u,c=j8(i,s);return c?"value"in c?c.value:(u=c.get)===null||u===void 0?void 0:u.call(o.k):void 0}(e,n,t);var r=n[t];return e.I||!Zi(r)?r:r===w2(e.t,t)?(C2(e),e.o[t]=A5(e.A.h,r,e)):r},has:function(e,t){return t in cs(e)},ownKeys:function(e){return Reflect.ownKeys(cs(e))},set:function(e,t,n){var r=j8(cs(e),t);if(r?.set)return r.set.call(e.k,n),!0;if(!e.P){var o=w2(cs(e),t),i=o?.[Nt];if(i&&i.t===n)return e.o[t]=n,e.D[t]=!1,!0;if(HA(n,o)&&(n!==void 0||nu(e.t,t)))return!0;C2(e),xa(e)}return e.o[t]===n&&typeof n!="number"&&(n!==void 0||t in e.o)||(e.o[t]=n,e.D[t]=!0,!0)},deleteProperty:function(e,t){return w2(e.t,t)!==void 0||t in e.t?(e.D[t]=!1,C2(e),xa(e)):delete e.D[t],e.o&&delete e.o[t],!0},getOwnPropertyDescriptor:function(e,t){var n=cs(e),r=Reflect.getOwnPropertyDescriptor(n,t);return r&&{writable:!0,configurable:e.i!==1||t!=="length",enumerable:r.enumerable,value:n[t]}},defineProperty:function(){Po(11)},getPrototypeOf:function(e){return Object.getPrototypeOf(e.t)},setPrototypeOf:function(){Po(12)}},Rc={};Os(Gf,function(e,t){Rc[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}}),Rc.deleteProperty=function(e,t){return Rc.set.call(this,e,t,void 0)},Rc.set=function(e,t,n){return Gf.set.call(this,e[0],t,n,e[0])};var $le=function(){function e(n){var r=this;this.g=Z8,this.F=!0,this.produce=function(o,i,s){if(typeof o=="function"&&typeof i!="function"){var u=i;i=o;var c=r;return function(S){var E=this;S===void 0&&(S=u);for(var w=arguments.length,x=Array(w>1?w-1:0),_=1;_<w;_++)x[_-1]=arguments[_];return c.produce(S,function(L){var T;return(T=i).call.apply(T,[E,L].concat(x))})}}var f;if(typeof i!="function"&&Po(6),s!==void 0&&typeof s!="function"&&Po(7),Zi(o)){var p=W8(r),h=A5(r,o,void 0),m=!0;try{f=i(h),m=!1}finally{m?n0(p):P5(p)}return typeof Promise<"u"&&f instanceof Promise?f.then(function(S){return x2(p,s),S2(S,p)},function(S){throw n0(p),S}):(x2(p,s),S2(f,p))}if(!o||typeof o!="object"){if((f=i(o))===void 0&&(f=o),f===jA&&(f=void 0),r.F&&Sb(f,!0),s){var g=[],b=[];ai("Patches").M(o,f,g,b),s(g,b)}return f}Po(21,o)},this.produceWithPatches=function(o,i){if(typeof o=="function")return function(f){for(var p=arguments.length,h=Array(p>1?p-1:0),m=1;m<p;m++)h[m-1]=arguments[m];return r.produceWithPatches(f,function(g){return o.apply(void 0,[g].concat(h))})};var s,u,c=r.produce(o,i,function(f,p){s=f,u=p});return typeof Promise<"u"&&c instanceof Promise?c.then(function(f){return[f,s,u]}):[c,s,u]},typeof n?.useProxies=="boolean"&&this.setUseProxies(n.useProxies),typeof n?.autoFreeze=="boolean"&&this.setAutoFreeze(n.autoFreeze)}var t=e.prototype;return t.createDraft=function(n){Zi(n)||Po(8),Wa(n)&&(n=Nle(n));var r=W8(this),o=A5(this,n,void 0);return o[Nt].C=!0,P5(r),o},t.finishDraft=function(n,r){var o=n&&n[Nt],i=o.A;return x2(i,r),S2(void 0,i)},t.setAutoFreeze=function(n){this.F=n},t.setUseProxies=function(n){n&&!Z8&&Po(20),this.g=n},t.applyPatches=function(n,r){var o;for(o=r.length-1;o>=0;o--){var i=r[o];if(i.path.length===0&&i.op==="replace"){n=i.value;break}}o>-1&&(r=r.slice(o+1));var s=ai("Patches").$;return Wa(n)?s(n,r):this.produce(n,function(u){return s(u,r)})},e}(),Fr=new $le,GA=Fr.produce;Fr.produceWithPatches.bind(Fr);Fr.setAutoFreeze.bind(Fr);Fr.setUseProxies.bind(Fr);Fr.applyPatches.bind(Fr);Fr.createDraft.bind(Fr);Fr.finishDraft.bind(Fr);function K8(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function Y8(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?K8(Object(n),!0).forEach(function(r){EP(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):K8(Object(n)).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function $n(e){return"Minified Redux error #"+e+"; visit https://redux.js.org/Errors?code="+e+" for the full message or use the non-minified dev environment for full errors. "}var X8=function(){return typeof Symbol=="function"&&Symbol.observable||"@@observable"}(),_2=function(){return Math.random().toString(36).substring(7).split("").join(".")},i0={INIT:"@@redux/INIT"+_2(),REPLACE:"@@redux/REPLACE"+_2(),PROBE_UNKNOWN_ACTION:function(){return"@@redux/PROBE_UNKNOWN_ACTION"+_2()}};function Vle(e){if(typeof e!="object"||e===null)return!1;for(var t=e;Object.getPrototypeOf(t)!==null;)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t}function _b(e,t,n){var r;if(typeof t=="function"&&typeof n=="function"||typeof n=="function"&&typeof arguments[3]=="function")throw new Error($n(0));if(typeof t=="function"&&typeof n>"u"&&(n=t,t=void 0),typeof n<"u"){if(typeof n!="function")throw new Error($n(1));return n(_b)(e,t)}if(typeof e!="function")throw new Error($n(2));var o=e,i=t,s=[],u=s,c=!1;function f(){u===s&&(u=s.slice())}function p(){if(c)throw new Error($n(3));return i}function h(S){if(typeof S!="function")throw new Error($n(4));if(c)throw new Error($n(5));var E=!0;return f(),u.push(S),function(){if(!!E){if(c)throw new Error($n(6));E=!1,f();var x=u.indexOf(S);u.splice(x,1),s=null}}}function m(S){if(!Vle(S))throw new Error($n(7));if(typeof S.type>"u")throw new Error($n(8));if(c)throw new Error($n(9));try{c=!0,i=o(i,S)}finally{c=!1}for(var E=s=u,w=0;w<E.length;w++){var x=E[w];x()}return S}function g(S){if(typeof S!="function")throw new Error($n(10));o=S,m({type:i0.REPLACE})}function b(){var S,E=h;return S={subscribe:function(x){if(typeof x!="object"||x===null)throw new Error($n(11));function _(){x.next&&x.next(p())}_();var L=E(_);return{unsubscribe:L}}},S[X8]=function(){return this},S}return m({type:i0.INIT}),r={dispatch:m,subscribe:h,getState:p,replaceReducer:g},r[X8]=b,r}function Wle(e){Object.keys(e).forEach(function(t){var n=e[t],r=n(void 0,{type:i0.INIT});if(typeof r>"u")throw new Error($n(12));if(typeof n(void 0,{type:i0.PROBE_UNKNOWN_ACTION()})>"u")throw new Error($n(13))})}function ZA(e){for(var t=Object.keys(e),n={},r=0;r<t.length;r++){var o=t[r];typeof e[o]=="function"&&(n[o]=e[o])}var i=Object.keys(n),s;try{Wle(n)}catch(u){s=u}return function(c,f){if(c===void 0&&(c={}),s)throw s;for(var p=!1,h={},m=0;m<i.length;m++){var g=i[m],b=n[g],S=c[g],E=b(S,f);if(typeof E>"u")throw f&&f.type,new Error($n(14));h[g]=E,p=p||E!==S}return p=p||i.length!==Object.keys(c).length,p?h:c}}function a0(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return t.length===0?function(r){return r}:t.length===1?t[0]:t.reduce(function(r,o){return function(){return r(o.apply(void 0,arguments))}})}function Hle(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(r){return function(){var o=r.apply(void 0,arguments),i=function(){throw new Error($n(15))},s={getState:o.getState,dispatch:function(){return i.apply(void 0,arguments)}},u=t.map(function(c){return c(s)});return i=a0.apply(void 0,u)(o.dispatch),Y8(Y8({},o),{},{dispatch:i})}}}var s0="NOT_FOUND";function jle(e){var t;return{get:function(r){return t&&e(t.key,r)?t.value:s0},put:function(r,o){t={key:r,value:o}},getEntries:function(){return t?[t]:[]},clear:function(){t=void 0}}}function Ule(e,t){var n=[];function r(u){var c=n.findIndex(function(p){return t(u,p.key)});if(c>-1){var f=n[c];return c>0&&(n.splice(c,1),n.unshift(f)),f.value}return s0}function o(u,c){r(u)===s0&&(n.unshift({key:u,value:c}),n.length>e&&n.pop())}function i(){return n}function s(){n=[]}return{get:r,put:o,getEntries:i,clear:s}}var Gle=function(t,n){return t===n};function Zle(e){return function(n,r){if(n===null||r===null||n.length!==r.length)return!1;for(var o=n.length,i=0;i<o;i++)if(!e(n[i],r[i]))return!1;return!0}}function qle(e,t){var n=typeof t=="object"?t:{equalityCheck:t},r=n.equalityCheck,o=r===void 0?Gle:r,i=n.maxSize,s=i===void 0?1:i,u=n.resultEqualityCheck,c=Zle(o),f=s===1?jle(c):Ule(s,c);function p(){var h=f.get(arguments);if(h===s0){if(h=e.apply(null,arguments),u){var m=f.getEntries(),g=m.find(function(b){return u(b.value,h)});g&&(h=g.value)}f.put(arguments,h)}return h}return p.clearCache=function(){return f.clear()},p}function Kle(e){var t=Array.isArray(e[0])?e[0]:e;if(!t.every(function(r){return typeof r=="function"})){var n=t.map(function(r){return typeof r=="function"?"function "+(r.name||"unnamed")+"()":typeof r}).join(", ");throw new Error("createSelector expects all input-selectors to be functions, but received the following types: ["+n+"]")}return t}function Yle(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];var o=function(){for(var s=arguments.length,u=new Array(s),c=0;c<s;c++)u[c]=arguments[c];var f=0,p,h={memoizeOptions:void 0},m=u.pop();if(typeof m=="object"&&(h=m,m=u.pop()),typeof m!="function")throw new Error("createSelector expects an output function after the inputs, but received: ["+typeof m+"]");var g=h,b=g.memoizeOptions,S=b===void 0?n:b,E=Array.isArray(S)?S:[S],w=Kle(u),x=e.apply(void 0,[function(){return f++,m.apply(null,arguments)}].concat(E)),_=e(function(){for(var T=[],O=w.length,N=0;N<O;N++)T.push(w[N].apply(null,arguments));return p=x.apply(null,T),p});return Object.assign(_,{resultFunc:m,memoizedResultFunc:x,dependencies:w,lastResult:function(){return p},recomputations:function(){return f},resetRecomputations:function(){return f=0}}),_};return o}var Rn=Yle(qle);function qA(e){var t=function(r){var o=r.dispatch,i=r.getState;return function(s){return function(u){return typeof u=="function"?u(o,i,e):s(u)}}};return t}var KA=qA();KA.withExtraArgument=qA;const Q8=KA;var Xle=globalThis&&globalThis.__extends||function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,o){r.__proto__=o}||function(r,o){for(var i in o)Object.prototype.hasOwnProperty.call(o,i)&&(r[i]=o[i])},e(t,n)};return function(t,n){if(typeof n!="function"&&n!==null)throw new TypeError("Class extends value "+String(n)+" is not a constructor or null");e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}();globalThis&&globalThis.__generator;var l0=globalThis&&globalThis.__spreadArray||function(e,t){for(var n=0,r=t.length,o=e.length;n<r;n++,o++)e[o]=t[n];return e},Qle=Object.defineProperty,J8=Object.getOwnPropertySymbols,Jle=Object.prototype.hasOwnProperty,eue=Object.prototype.propertyIsEnumerable,e7=function(e,t,n){return t in e?Qle(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n},Zf=function(e,t){for(var n in t||(t={}))Jle.call(t,n)&&e7(e,n,t[n]);if(J8)for(var r=0,o=J8(t);r<o.length;r++){var n=o[r];eue.call(t,n)&&e7(e,n,t[n])}return e},tue=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(arguments.length!==0)return typeof arguments[0]=="object"?a0:a0.apply(null,arguments)};function nue(e){if(typeof e!="object"||e===null)return!1;var t=Object.getPrototypeOf(e);if(t===null)return!0;for(var n=t;Object.getPrototypeOf(n)!==null;)n=Object.getPrototypeOf(n);return t===n}var rue=function(e){Xle(t,e);function t(){for(var n=[],r=0;r<arguments.length;r++)n[r]=arguments[r];var o=e.apply(this,n)||this;return Object.setPrototypeOf(o,t.prototype),o}return Object.defineProperty(t,Symbol.species,{get:function(){return t},enumerable:!1,configurable:!0}),t.prototype.concat=function(){for(var n=[],r=0;r<arguments.length;r++)n[r]=arguments[r];return e.prototype.concat.apply(this,n)},t.prototype.prepend=function(){for(var n=[],r=0;r<arguments.length;r++)n[r]=arguments[r];return n.length===1&&Array.isArray(n[0])?new(t.bind.apply(t,l0([void 0],n[0].concat(this)))):new(t.bind.apply(t,l0([void 0],n.concat(this))))},t}(Array);function I5(e){return Zi(e)?GA(e,function(){}):e}function oue(e){return typeof e=="boolean"}function iue(){return function(t){return aue(t)}}function aue(e){e===void 0&&(e={});var t=e.thunk,n=t===void 0?!0:t;e.immutableCheck,e.serializableCheck;var r=new rue;return n&&(oue(n)?r.push(Q8):r.push(Q8.withExtraArgument(n.extraArgument))),r}var sue=!0;function lue(e){var t=iue(),n=e||{},r=n.reducer,o=r===void 0?void 0:r,i=n.middleware,s=i===void 0?t():i,u=n.devTools,c=u===void 0?!0:u,f=n.preloadedState,p=f===void 0?void 0:f,h=n.enhancers,m=h===void 0?void 0:h,g;if(typeof o=="function")g=o;else if(nue(o))g=ZA(o);else throw new Error('"reducer" is a required argument, and must be a function or an object of functions that can be passed to combineReducers');var b=s;typeof b=="function"&&(b=b(t));var S=Hle.apply(void 0,b),E=a0;c&&(E=tue(Zf({trace:!sue},typeof c=="object"&&c)));var w=[S];Array.isArray(m)?w=l0([S],m):typeof m=="function"&&(w=m(w));var x=E.apply(void 0,w);return _b(g,p,x)}function nr(e,t){function n(){for(var r=[],o=0;o<arguments.length;o++)r[o]=arguments[o];if(t){var i=t.apply(void 0,r);if(!i)throw new Error("prepareAction did not return an object");return Zf(Zf({type:e,payload:i.payload},"meta"in i&&{meta:i.meta}),"error"in i&&{error:i.error})}return{type:e,payload:r[0]}}return n.toString=function(){return""+e},n.type=e,n.match=function(r){return r.type===e},n}function YA(e){var t={},n=[],r,o={addCase:function(i,s){var u=typeof i=="string"?i:i.type;if(u in t)throw new Error("addCase cannot be called with two reducers for the same action type");return t[u]=s,o},addMatcher:function(i,s){return n.push({matcher:i,reducer:s}),o},addDefaultCase:function(i){return r=i,o}};return e(o),[t,n,r]}function uue(e){return typeof e=="function"}function cue(e,t,n,r){n===void 0&&(n=[]);var o=typeof t=="function"?YA(t):[t,n,r],i=o[0],s=o[1],u=o[2],c;if(uue(e))c=function(){return I5(e())};else{var f=I5(e);c=function(){return f}}function p(h,m){h===void 0&&(h=c());var g=l0([i[m.type]],s.filter(function(b){var S=b.matcher;return S(m)}).map(function(b){var S=b.reducer;return S}));return g.filter(function(b){return!!b}).length===0&&(g=[u]),g.reduce(function(b,S){if(S)if(Wa(b)){var E=b,w=S(E,m);return w===void 0?b:w}else{if(Zi(b))return GA(b,function(x){return S(x,m)});var w=S(b,m);if(w===void 0){if(b===null)return b;throw Error("A case reducer on a non-draftable value must not return undefined")}return w}return b},h)}return p.getInitialState=c,p}function fue(e,t){return e+"/"+t}function kb(e){var t=e.name;if(!t)throw new Error("`name` is a required option for createSlice");typeof process<"u";var n=typeof e.initialState=="function"?e.initialState:I5(e.initialState),r=e.reducers||{},o=Object.keys(r),i={},s={},u={};o.forEach(function(p){var h=r[p],m=fue(t,p),g,b;"reducer"in h?(g=h.reducer,b=h.prepare):g=h,i[p]=g,s[m]=g,u[p]=b?nr(m,b):nr(m)});function c(){var p=typeof e.extraReducers=="function"?YA(e.extraReducers):[e.extraReducers],h=p[0],m=h===void 0?{}:h,g=p[1],b=g===void 0?[]:g,S=p[2],E=S===void 0?void 0:S,w=Zf(Zf({},m),s);return cue(n,w,b,E)}var f;return{name:t,reducer:function(p,h){return f||(f=c()),f(p,h)},actions:u,caseReducers:i,getInitialState:function(){return f||(f=c()),f.getInitialState()}}}var Eb="listenerMiddleware";nr(Eb+"/add");nr(Eb+"/removeAll");nr(Eb+"/remove");Dle();var XA={exports:{}},QA={};/** - * @license React - * use-sync-external-store-shim.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var bu=C.exports;function due(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var pue=typeof Object.is=="function"?Object.is:due,hue=bu.useState,mue=bu.useEffect,gue=bu.useLayoutEffect,vue=bu.useDebugValue;function yue(e,t){var n=t(),r=hue({inst:{value:n,getSnapshot:t}}),o=r[0].inst,i=r[1];return gue(function(){o.value=n,o.getSnapshot=t,k2(o)&&i({inst:o})},[e,n,t]),mue(function(){return k2(o)&&i({inst:o}),e(function(){k2(o)&&i({inst:o})})},[e]),vue(n),n}function k2(e){var t=e.getSnapshot;e=e.value;try{var n=t();return!pue(e,n)}catch{return!0}}function bue(e,t){return t()}var xue=typeof window>"u"||typeof window.document>"u"||typeof window.document.createElement>"u"?bue:yue;QA.useSyncExternalStore=bu.useSyncExternalStore!==void 0?bu.useSyncExternalStore:xue;(function(e){e.exports=QA})(XA);var JA={exports:{}},eT={};/** - * @license React - * use-sync-external-store-shim/with-selector.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var xm=C.exports,Sue=XA.exports;function wue(e,t){return e===t&&(e!==0||1/e===1/t)||e!==e&&t!==t}var Cue=typeof Object.is=="function"?Object.is:wue,_ue=Sue.useSyncExternalStore,kue=xm.useRef,Eue=xm.useEffect,Lue=xm.useMemo,Pue=xm.useDebugValue;eT.useSyncExternalStoreWithSelector=function(e,t,n,r,o){var i=kue(null);if(i.current===null){var s={hasValue:!1,value:null};i.current=s}else s=i.current;i=Lue(function(){function c(g){if(!f){if(f=!0,p=g,g=r(g),o!==void 0&&s.hasValue){var b=s.value;if(o(b,g))return h=b}return h=g}if(b=h,Cue(p,g))return b;var S=r(g);return o!==void 0&&o(b,S)?b:(p=g,h=S)}var f=!1,p,h,m=n===void 0?null:n;return[function(){return c(t())},m===null?void 0:function(){return c(m())}]},[t,n,r,o]);var u=_ue(e,i[0],i[1]);return Eue(function(){s.hasValue=!0,s.value=u},[u]),Pue(u),u};(function(e){e.exports=eT})(JA);function Aue(e){e()}let tT=Aue;const Tue=e=>tT=e,Iue=()=>tT,Ha=Q.createContext(null);function nT(){return C.exports.useContext(Ha)}const Mue=()=>{throw new Error("uSES not initialized!")};let rT=Mue;const Rue=e=>{rT=e},Oue=(e,t)=>e===t;function Nue(e=Ha){const t=e===Ha?nT:()=>C.exports.useContext(e);return function(r,o=Oue){const{store:i,subscription:s,getServerState:u}=t(),c=rT(s.addNestedSub,i.getState,u||i.getState,r,o);return C.exports.useDebugValue(c),c}}const Due=Nue();var zue={exports:{}},xt={};/** - * @license React - * react-is.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var Lb=Symbol.for("react.element"),Pb=Symbol.for("react.portal"),Sm=Symbol.for("react.fragment"),wm=Symbol.for("react.strict_mode"),Cm=Symbol.for("react.profiler"),_m=Symbol.for("react.provider"),km=Symbol.for("react.context"),Fue=Symbol.for("react.server_context"),Em=Symbol.for("react.forward_ref"),Lm=Symbol.for("react.suspense"),Pm=Symbol.for("react.suspense_list"),Am=Symbol.for("react.memo"),Tm=Symbol.for("react.lazy"),Bue=Symbol.for("react.offscreen"),oT;oT=Symbol.for("react.module.reference");function fo(e){if(typeof e=="object"&&e!==null){var t=e.$$typeof;switch(t){case Lb:switch(e=e.type,e){case Sm:case Cm:case wm:case Lm:case Pm:return e;default:switch(e=e&&e.$$typeof,e){case Fue:case km:case Em:case Tm:case Am:case _m:return e;default:return t}}case Pb:return t}}}xt.ContextConsumer=km;xt.ContextProvider=_m;xt.Element=Lb;xt.ForwardRef=Em;xt.Fragment=Sm;xt.Lazy=Tm;xt.Memo=Am;xt.Portal=Pb;xt.Profiler=Cm;xt.StrictMode=wm;xt.Suspense=Lm;xt.SuspenseList=Pm;xt.isAsyncMode=function(){return!1};xt.isConcurrentMode=function(){return!1};xt.isContextConsumer=function(e){return fo(e)===km};xt.isContextProvider=function(e){return fo(e)===_m};xt.isElement=function(e){return typeof e=="object"&&e!==null&&e.$$typeof===Lb};xt.isForwardRef=function(e){return fo(e)===Em};xt.isFragment=function(e){return fo(e)===Sm};xt.isLazy=function(e){return fo(e)===Tm};xt.isMemo=function(e){return fo(e)===Am};xt.isPortal=function(e){return fo(e)===Pb};xt.isProfiler=function(e){return fo(e)===Cm};xt.isStrictMode=function(e){return fo(e)===wm};xt.isSuspense=function(e){return fo(e)===Lm};xt.isSuspenseList=function(e){return fo(e)===Pm};xt.isValidElementType=function(e){return typeof e=="string"||typeof e=="function"||e===Sm||e===Cm||e===wm||e===Lm||e===Pm||e===Bue||typeof e=="object"&&e!==null&&(e.$$typeof===Tm||e.$$typeof===Am||e.$$typeof===_m||e.$$typeof===km||e.$$typeof===Em||e.$$typeof===oT||e.getModuleId!==void 0)};xt.typeOf=fo;(function(e){e.exports=xt})(zue);function $ue(){const e=Iue();let t=null,n=null;return{clear(){t=null,n=null},notify(){e(()=>{let r=t;for(;r;)r.callback(),r=r.next})},get(){let r=[],o=t;for(;o;)r.push(o),o=o.next;return r},subscribe(r){let o=!0,i=n={callback:r,next:null,prev:n};return i.prev?i.prev.next=i:t=i,function(){!o||t===null||(o=!1,i.next?i.next.prev=i.prev:n=i.prev,i.prev?i.prev.next=i.next:t=i.next)}}}}const t7={notify(){},get:()=>[]};function Vue(e,t){let n,r=t7;function o(h){return c(),r.subscribe(h)}function i(){r.notify()}function s(){p.onStateChange&&p.onStateChange()}function u(){return Boolean(n)}function c(){n||(n=t?t.addNestedSub(s):e.subscribe(s),r=$ue())}function f(){n&&(n(),n=void 0,r.clear(),r=t7)}const p={addNestedSub:o,notifyNestedSubs:i,handleChangeWrapper:s,isSubscribed:u,trySubscribe:c,tryUnsubscribe:f,getListeners:()=>r};return p}const Wue=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",Hue=Wue?C.exports.useLayoutEffect:C.exports.useEffect;function jue({store:e,context:t,children:n,serverState:r}){const o=C.exports.useMemo(()=>{const u=Vue(e);return{store:e,subscription:u,getServerState:r?()=>r:void 0}},[e,r]),i=C.exports.useMemo(()=>e.getState(),[e]);return Hue(()=>{const{subscription:u}=o;return u.onStateChange=u.notifyNestedSubs,u.trySubscribe(),i!==e.getState()&&u.notifyNestedSubs(),()=>{u.tryUnsubscribe(),u.onStateChange=void 0}},[o,i]),y((t||Ha).Provider,{value:o,children:n})}function iT(e=Ha){const t=e===Ha?nT:()=>C.exports.useContext(e);return function(){const{store:r}=t();return r}}const Uue=iT();function Gue(e=Ha){const t=e===Ha?Uue:iT(e);return function(){return t().dispatch}}const Zue=Gue();Rue(JA.exports.useSyncExternalStoreWithSelector);Tue(wu.exports.unstable_batchedUpdates);var Ab="persist:",aT="persist/FLUSH",Tb="persist/REHYDRATE",sT="persist/PAUSE",lT="persist/PERSIST",uT="persist/PURGE",cT="persist/REGISTER",que=-1;function Kh(e){return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?Kh=function(n){return typeof n}:Kh=function(n){return n&&typeof Symbol=="function"&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n},Kh(e)}function n7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function Kue(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?n7(n,!0).forEach(function(r){Yue(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):n7(n).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function Yue(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Xue(e,t,n,r){r.debug;var o=Kue({},n);return e&&Kh(e)==="object"&&Object.keys(e).forEach(function(i){i!=="_persist"&&t[i]===n[i]&&(o[i]=e[i])}),o}function Que(e){var t=e.blacklist||null,n=e.whitelist||null,r=e.transforms||[],o=e.throttle||0,i="".concat(e.keyPrefix!==void 0?e.keyPrefix:Ab).concat(e.key),s=e.storage,u;e.serialize===!1?u=function(T){return T}:typeof e.serialize=="function"?u=e.serialize:u=Jue;var c=e.writeFailHandler||null,f={},p={},h=[],m=null,g=null,b=function(T){Object.keys(T).forEach(function(O){!w(O)||f[O]!==T[O]&&h.indexOf(O)===-1&&h.push(O)}),Object.keys(f).forEach(function(O){T[O]===void 0&&w(O)&&h.indexOf(O)===-1&&f[O]!==void 0&&h.push(O)}),m===null&&(m=setInterval(S,o)),f=T};function S(){if(h.length===0){m&&clearInterval(m),m=null;return}var L=h.shift(),T=r.reduce(function(O,N){return N.in(O,L,f)},f[L]);if(T!==void 0)try{p[L]=u(T)}catch(O){console.error("redux-persist/createPersistoid: error serializing state",O)}else delete p[L];h.length===0&&E()}function E(){Object.keys(p).forEach(function(L){f[L]===void 0&&delete p[L]}),g=s.setItem(i,u(p)).catch(x)}function w(L){return!(n&&n.indexOf(L)===-1&&L!=="_persist"||t&&t.indexOf(L)!==-1)}function x(L){c&&c(L)}var _=function(){for(;h.length!==0;)S();return g||Promise.resolve()};return{update:b,flush:_}}function Jue(e){return JSON.stringify(e)}function ece(e){var t=e.transforms||[],n="".concat(e.keyPrefix!==void 0?e.keyPrefix:Ab).concat(e.key),r=e.storage;e.debug;var o;return e.deserialize===!1?o=function(s){return s}:typeof e.deserialize=="function"?o=e.deserialize:o=tce,r.getItem(n).then(function(i){if(i)try{var s={},u=o(i);return Object.keys(u).forEach(function(c){s[c]=t.reduceRight(function(f,p){return p.out(f,c,u)},o(u[c]))}),s}catch(c){throw c}else return})}function tce(e){return JSON.parse(e)}function nce(e){var t=e.storage,n="".concat(e.keyPrefix!==void 0?e.keyPrefix:Ab).concat(e.key);return t.removeItem(n,rce)}function rce(e){}function r7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function Ii(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?r7(n,!0).forEach(function(r){oce(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):r7(n).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function oce(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function ice(e,t){if(e==null)return{};var n=ace(e,t),r,o;if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(e);for(o=0;o<i.length;o++)r=i[o],!(t.indexOf(r)>=0)&&(!Object.prototype.propertyIsEnumerable.call(e,r)||(n[r]=e[r]))}return n}function ace(e,t){if(e==null)return{};var n={},r=Object.keys(e),o,i;for(i=0;i<r.length;i++)o=r[i],!(t.indexOf(o)>=0)&&(n[o]=e[o]);return n}var sce=5e3;function fT(e,t){var n=e.version!==void 0?e.version:que;e.debug;var r=e.stateReconciler===void 0?Xue:e.stateReconciler,o=e.getStoredState||ece,i=e.timeout!==void 0?e.timeout:sce,s=null,u=!1,c=!0,f=function(h){return h._persist.rehydrated&&s&&!c&&s.update(h),h};return function(p,h){var m=p||{},g=m._persist,b=ice(m,["_persist"]),S=b;if(h.type===lT){var E=!1,w=function(F,q){E||(h.rehydrate(e.key,F,q),E=!0)};if(i&&setTimeout(function(){!E&&w(void 0,new Error('redux-persist: persist timed out for persist key "'.concat(e.key,'"')))},i),c=!1,s||(s=Que(e)),g)return Ii({},t(S,h),{_persist:g});if(typeof h.rehydrate!="function"||typeof h.register!="function")throw new Error("redux-persist: either rehydrate or register is not a function on the PERSIST action. This can happen if the action is being replayed. This is an unexplored use case, please open an issue and we will figure out a resolution.");return h.register(e.key),o(e).then(function(N){var F=e.migrate||function(q,W){return Promise.resolve(q)};F(N,n).then(function(q){w(q)},function(q){w(void 0,q)})},function(N){w(void 0,N)}),Ii({},t(S,h),{_persist:{version:n,rehydrated:!1}})}else{if(h.type===uT)return u=!0,h.result(nce(e)),Ii({},t(S,h),{_persist:g});if(h.type===aT)return h.result(s&&s.flush()),Ii({},t(S,h),{_persist:g});if(h.type===sT)c=!0;else if(h.type===Tb){if(u)return Ii({},S,{_persist:Ii({},g,{rehydrated:!0})});if(h.key===e.key){var x=t(S,h),_=h.payload,L=r!==!1&&_!==void 0?r(_,p,x,e):x,T=Ii({},L,{_persist:Ii({},g,{rehydrated:!0})});return f(T)}}}if(!g)return t(p,h);var O=t(S,h);return O===S?p:f(Ii({},O,{_persist:g}))}}function o7(e){return cce(e)||uce(e)||lce()}function lce(){throw new TypeError("Invalid attempt to spread non-iterable instance")}function uce(e){if(Symbol.iterator in Object(e)||Object.prototype.toString.call(e)==="[object Arguments]")return Array.from(e)}function cce(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t<e.length;t++)n[t]=e[t];return n}}function i7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function M5(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?i7(n,!0).forEach(function(r){fce(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):i7(n).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function fce(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var dT={registry:[],bootstrapped:!1},dce=function(){var t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:dT,n=arguments.length>1?arguments[1]:void 0;switch(n.type){case cT:return M5({},t,{registry:[].concat(o7(t.registry),[n.key])});case Tb:var r=t.registry.indexOf(n.key),o=o7(t.registry);return o.splice(r,1),M5({},t,{registry:o,bootstrapped:o.length===0});default:return t}};function pce(e,t,n){var r=n||!1,o=_b(dce,dT,t&&t.enhancer?t.enhancer:void 0),i=function(f){o.dispatch({type:cT,key:f})},s=function(f,p,h){var m={type:Tb,payload:p,err:h,key:f};e.dispatch(m),o.dispatch(m),r&&u.getState().bootstrapped&&(r(),r=!1)},u=M5({},o,{purge:function(){var f=[];return e.dispatch({type:uT,result:function(h){f.push(h)}}),Promise.all(f)},flush:function(){var f=[];return e.dispatch({type:aT,result:function(h){f.push(h)}}),Promise.all(f)},pause:function(){e.dispatch({type:sT})},persist:function(){e.dispatch({type:lT,register:i,rehydrate:s})}});return t&&t.manualPersist||u.persist(),u}var Ib={},Mb={};Mb.__esModule=!0;Mb.default=gce;function Yh(e){return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?Yh=function(n){return typeof n}:Yh=function(n){return n&&typeof Symbol=="function"&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n},Yh(e)}function E2(){}var hce={getItem:E2,setItem:E2,removeItem:E2};function mce(e){if((typeof self>"u"?"undefined":Yh(self))!=="object"||!(e in self))return!1;try{var t=self[e],n="redux-persist ".concat(e," test");t.setItem(n,"test"),t.getItem(n),t.removeItem(n)}catch{return!1}return!0}function gce(e){var t="".concat(e,"Storage");return mce(t)?self[t]:hce}Ib.__esModule=!0;Ib.default=bce;var vce=yce(Mb);function yce(e){return e&&e.__esModule?e:{default:e}}function bce(e){var t=(0,vce.default)(e);return{getItem:function(r){return new Promise(function(o,i){o(t.getItem(r))})},setItem:function(r,o){return new Promise(function(i,s){i(t.setItem(r,o))})},removeItem:function(r){return new Promise(function(o,i){o(t.removeItem(r))})}}}var Rb=void 0,xce=Sce(Ib);function Sce(e){return e&&e.__esModule?e:{default:e}}var wce=(0,xce.default)("local");Rb=wce;const R5=e=>e.length===1?e[0].prompt:e.map(t=>`${t.prompt}:${t.weight}`).join(" "),Cce=e=>{const r=e.split(",").map(o=>o.split(":")).map(o=>({seed:Number(o[0]),weight:Number(o[1])}));return Ob(r)?r:!1},Ob=e=>Boolean(typeof e=="string"?Cce(e):e.length&&!e.some(t=>{const{seed:n,weight:r}=t,o=!isNaN(parseInt(n.toString(),10)),i=!isNaN(parseInt(r.toString(),10))&&r>=0&&r<=1;return!(o&&i)})),O5=e=>e.reduce((t,n,r,o)=>{const{seed:i,weight:s}=n;return t+=`${i}:${s}`,r!==o.length-1&&(t+=","),t},""),_ce=e=>e.split(",").map(r=>r.split(":")).map(r=>[parseInt(r[0]),parseFloat(r[1])]),pT={prompt:"",iterations:1,steps:50,cfgScale:7.5,height:512,width:512,sampler:"k_lms",threshold:0,perlin:0,seed:0,seamless:!1,shouldUseInitImage:!1,img2imgStrength:.75,initialImagePath:"",maskPath:"",shouldFitToWidthHeight:!0,shouldGenerateVariations:!1,variationAmount:.1,seedWeights:"",shouldRunESRGAN:!1,upscalingLevel:4,upscalingStrength:.75,shouldRunGFPGAN:!1,gfpganStrength:.8,shouldRandomizeSeed:!0,showAdvancedOptions:!0},kce=pT,hT=kb({name:"options",initialState:kce,reducers:{setPrompt:(e,t)=>{const n=t.payload;typeof n=="string"?e.prompt=n:e.prompt=R5(n)},setIterations:(e,t)=>{e.iterations=t.payload},setSteps:(e,t)=>{e.steps=t.payload},setCfgScale:(e,t)=>{e.cfgScale=t.payload},setThreshold:(e,t)=>{e.threshold=t.payload},setPerlin:(e,t)=>{e.perlin=t.payload},setHeight:(e,t)=>{e.height=t.payload},setWidth:(e,t)=>{e.width=t.payload},setSampler:(e,t)=>{e.sampler=t.payload},setSeed:(e,t)=>{e.seed=t.payload,e.shouldRandomizeSeed=!1},setImg2imgStrength:(e,t)=>{e.img2imgStrength=t.payload},setGfpganStrength:(e,t)=>{e.gfpganStrength=t.payload},setUpscalingLevel:(e,t)=>{e.upscalingLevel=t.payload},setUpscalingStrength:(e,t)=>{e.upscalingStrength=t.payload},setShouldUseInitImage:(e,t)=>{e.shouldUseInitImage=t.payload},setInitialImagePath:(e,t)=>{const n=t.payload;e.shouldUseInitImage=!!n,e.initialImagePath=n},setMaskPath:(e,t)=>{e.maskPath=t.payload},setSeamless:(e,t)=>{e.seamless=t.payload},setShouldFitToWidthHeight:(e,t)=>{e.shouldFitToWidthHeight=t.payload},resetSeed:e=>{e.seed=-1},setParameter:(e,t)=>{const{key:n,value:r}=t.payload,o={...e,[n]:r};return n==="seed"&&(o.shouldRandomizeSeed=!1),n==="initialImagePath"&&r===""&&(o.shouldUseInitImage=!1),o},setShouldGenerateVariations:(e,t)=>{e.shouldGenerateVariations=t.payload},setVariationAmount:(e,t)=>{e.variationAmount=t.payload},setSeedWeights:(e,t)=>{e.seedWeights=t.payload},setAllParameters:(e,t)=>{const{type:n,sampler:r,prompt:o,seed:i,variations:s,steps:u,cfg_scale:c,threshold:f,perlin:p,seamless:h,width:m,height:g,strength:b,fit:S,init_image_path:E,mask_image_path:w}=t.payload.image;n==="img2img"?(E&&(e.initialImagePath=E),w&&(e.maskPath=w),b&&(e.img2imgStrength=b),typeof S=="boolean"&&(e.shouldFitToWidthHeight=S),e.shouldUseInitImage=!0):e.shouldUseInitImage=!1,s&&s.length>0?(e.seedWeights=O5(s),e.shouldGenerateVariations=!0):e.shouldGenerateVariations=!1,i&&(e.seed=i,e.shouldRandomizeSeed=!1),o&&(e.prompt=R5(o)),r&&(e.sampler=r),u&&(e.steps=u),c&&(e.cfgScale=c),f&&(e.threshold=f),p&&(e.perlin=p),typeof h=="boolean"&&(e.seamless=h),m&&(e.width=m),g&&(e.height=g)},resetOptionsState:e=>({...e,...pT}),setShouldRunGFPGAN:(e,t)=>{e.shouldRunGFPGAN=t.payload},setShouldRunESRGAN:(e,t)=>{e.shouldRunESRGAN=t.payload},setShouldRandomizeSeed:(e,t)=>{e.shouldRandomizeSeed=t.payload},setShowAdvancedOptions:(e,t)=>{e.showAdvancedOptions=t.payload}}}),{setPrompt:mT,setIterations:Ece,setSteps:gT,setCfgScale:vT,setThreshold:Lce,setPerlin:Pce,setHeight:yT,setWidth:N5,setSampler:bT,setSeed:Sd,setSeamless:Ace,setImg2imgStrength:xT,setGfpganStrength:D5,setUpscalingLevel:z5,setUpscalingStrength:F5,setShouldUseInitImage:Tce,setInitialImagePath:xu,setMaskPath:qf,resetSeed:E1e,resetOptionsState:L1e,setShouldFitToWidthHeight:ST,setParameter:P1e,setShouldGenerateVariations:Ice,setSeedWeights:wT,setVariationAmount:Mce,setAllParameters:CT,setShouldRunGFPGAN:Rce,setShouldRunESRGAN:Oce,setShouldRandomizeSeed:Nce,setShowAdvancedOptions:Dce}=hT.actions,zce=hT.reducer;var xn={exports:{}};/** - * @license - * Lodash <https://lodash.com/> - * Copyright OpenJS Foundation and other contributors <https://openjsf.org/> - * Released under MIT license <https://lodash.com/license> - * Based on Underscore.js 1.8.3 <http://underscorejs.org/LICENSE> - * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors - */(function(e,t){(function(){var n,r="4.17.21",o=200,i="Unsupported core-js use. Try https://npms.io/search?q=ponyfill.",s="Expected a function",u="Invalid `variable` option passed into `_.template`",c="__lodash_hash_undefined__",f=500,p="__lodash_placeholder__",h=1,m=2,g=4,b=1,S=2,E=1,w=2,x=4,_=8,L=16,T=32,O=64,N=128,F=256,q=512,W=30,J="...",ve=800,xe=16,he=1,fe=2,me=3,ne=1/0,H=9007199254740991,K=17976931348623157e292,Z=0/0,M=4294967295,j=M-1,se=M>>>1,ce=[["ary",N],["bind",E],["bindKey",w],["curry",_],["curryRight",L],["flip",q],["partial",T],["partialRight",O],["rearg",F]],ye="[object Arguments]",be="[object Array]",Le="[object AsyncFunction]",de="[object Boolean]",_e="[object Date]",De="[object DOMException]",st="[object Error]",Tt="[object Function]",hn="[object GeneratorFunction]",Se="[object Map]",Ie="[object Number]",tt="[object Null]",ze="[object Object]",Bt="[object Promise]",mn="[object Proxy]",lt="[object RegExp]",Ct="[object Set]",Xt="[object String]",Ut="[object Symbol]",pe="[object Undefined]",Ee="[object WeakMap]",pt="[object WeakSet]",ut="[object ArrayBuffer]",ie="[object DataView]",Ge="[object Float32Array]",Et="[object Float64Array]",wn="[object Int8Array]",On="[object Int16Array]",wr="[object Int32Array]",Oo="[object Uint8Array]",hi="[object Uint8ClampedArray]",jn="[object Uint16Array]",Hr="[object Uint32Array]",Ya=/\b__p \+= '';/g,Us=/\b(__p \+=) '' \+/g,Rm=/(__e\(.*?\)|\b__t\)) \+\n'';/g,Du=/&(?:amp|lt|gt|quot|#39);/g,Yi=/[&<>"']/g,Om=RegExp(Du.source),mi=RegExp(Yi.source),Nm=/<%-([\s\S]+?)%>/g,Dm=/<%([\s\S]+?)%>/g,Cd=/<%=([\s\S]+?)%>/g,zm=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,Fm=/^\w*$/,po=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,zu=/[\\^$.*+?()[\]{}|]/g,Bm=RegExp(zu.source),Fu=/^\s+/,$m=/\s/,Vm=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,Xi=/\{\n\/\* \[wrapped with (.+)\] \*/,Wm=/,? & /,Hm=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,jm=/[()=,{}\[\]\/\s]/,Um=/\\(\\)?/g,Gm=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,gi=/\w*$/,Zm=/^[-+]0x[0-9a-f]+$/i,qm=/^0b[01]+$/i,Km=/^\[object .+?Constructor\]$/,Ym=/^0o[0-7]+$/i,Xm=/^(?:0|[1-9]\d*)$/,Qm=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,Qi=/($^)/,Jm=/['\n\r\u2028\u2029\\]/g,vi="\\ud800-\\udfff",Bu="\\u0300-\\u036f",eg="\\ufe20-\\ufe2f",Gs="\\u20d0-\\u20ff",$u=Bu+eg+Gs,_d="\\u2700-\\u27bf",kd="a-z\\xdf-\\xf6\\xf8-\\xff",tg="\\xac\\xb1\\xd7\\xf7",Ed="\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf",ng="\\u2000-\\u206f",rg=" \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000",Ld="A-Z\\xc0-\\xd6\\xd8-\\xde",Pd="\\ufe0e\\ufe0f",Ad=tg+Ed+ng+rg,Vu="['\u2019]",og="["+vi+"]",Td="["+Ad+"]",Zs="["+$u+"]",Id="\\d+",qs="["+_d+"]",Ks="["+kd+"]",Md="[^"+vi+Ad+Id+_d+kd+Ld+"]",Wu="\\ud83c[\\udffb-\\udfff]",Rd="(?:"+Zs+"|"+Wu+")",Od="[^"+vi+"]",Hu="(?:\\ud83c[\\udde6-\\uddff]){2}",ju="[\\ud800-\\udbff][\\udc00-\\udfff]",yi="["+Ld+"]",Nd="\\u200d",Dd="(?:"+Ks+"|"+Md+")",ig="(?:"+yi+"|"+Md+")",Ys="(?:"+Vu+"(?:d|ll|m|re|s|t|ve))?",zd="(?:"+Vu+"(?:D|LL|M|RE|S|T|VE))?",Fd=Rd+"?",Bd="["+Pd+"]?",Xs="(?:"+Nd+"(?:"+[Od,Hu,ju].join("|")+")"+Bd+Fd+")*",Uu="\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",Gu="\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])",Qs=Bd+Fd+Xs,ag="(?:"+[qs,Hu,ju].join("|")+")"+Qs,$d="(?:"+[Od+Zs+"?",Zs,Hu,ju,og].join("|")+")",Zu=RegExp(Vu,"g"),Vd=RegExp(Zs,"g"),ho=RegExp(Wu+"(?="+Wu+")|"+$d+Qs,"g"),Xa=RegExp([yi+"?"+Ks+"+"+Ys+"(?="+[Td,yi,"$"].join("|")+")",ig+"+"+zd+"(?="+[Td,yi+Dd,"$"].join("|")+")",yi+"?"+Dd+"+"+Ys,yi+"+"+zd,Gu,Uu,Id,ag].join("|"),"g"),sg=RegExp("["+Nd+vi+$u+Pd+"]"),Wd=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,lg=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],Hd=-1,_t={};_t[Ge]=_t[Et]=_t[wn]=_t[On]=_t[wr]=_t[Oo]=_t[hi]=_t[jn]=_t[Hr]=!0,_t[ye]=_t[be]=_t[ut]=_t[de]=_t[ie]=_t[_e]=_t[st]=_t[Tt]=_t[Se]=_t[Ie]=_t[ze]=_t[lt]=_t[Ct]=_t[Xt]=_t[Ee]=!1;var St={};St[ye]=St[be]=St[ut]=St[ie]=St[de]=St[_e]=St[Ge]=St[Et]=St[wn]=St[On]=St[wr]=St[Se]=St[Ie]=St[ze]=St[lt]=St[Ct]=St[Xt]=St[Ut]=St[Oo]=St[hi]=St[jn]=St[Hr]=!0,St[st]=St[Tt]=St[Ee]=!1;var jd={\u00C0:"A",\u00C1:"A",\u00C2:"A",\u00C3:"A",\u00C4:"A",\u00C5:"A",\u00E0:"a",\u00E1:"a",\u00E2:"a",\u00E3:"a",\u00E4:"a",\u00E5:"a",\u00C7:"C",\u00E7:"c",\u00D0:"D",\u00F0:"d",\u00C8:"E",\u00C9:"E",\u00CA:"E",\u00CB:"E",\u00E8:"e",\u00E9:"e",\u00EA:"e",\u00EB:"e",\u00CC:"I",\u00CD:"I",\u00CE:"I",\u00CF:"I",\u00EC:"i",\u00ED:"i",\u00EE:"i",\u00EF:"i",\u00D1:"N",\u00F1:"n",\u00D2:"O",\u00D3:"O",\u00D4:"O",\u00D5:"O",\u00D6:"O",\u00D8:"O",\u00F2:"o",\u00F3:"o",\u00F4:"o",\u00F5:"o",\u00F6:"o",\u00F8:"o",\u00D9:"U",\u00DA:"U",\u00DB:"U",\u00DC:"U",\u00F9:"u",\u00FA:"u",\u00FB:"u",\u00FC:"u",\u00DD:"Y",\u00FD:"y",\u00FF:"y",\u00C6:"Ae",\u00E6:"ae",\u00DE:"Th",\u00FE:"th",\u00DF:"ss",\u0100:"A",\u0102:"A",\u0104:"A",\u0101:"a",\u0103:"a",\u0105:"a",\u0106:"C",\u0108:"C",\u010A:"C",\u010C:"C",\u0107:"c",\u0109:"c",\u010B:"c",\u010D:"c",\u010E:"D",\u0110:"D",\u010F:"d",\u0111:"d",\u0112:"E",\u0114:"E",\u0116:"E",\u0118:"E",\u011A:"E",\u0113:"e",\u0115:"e",\u0117:"e",\u0119:"e",\u011B:"e",\u011C:"G",\u011E:"G",\u0120:"G",\u0122:"G",\u011D:"g",\u011F:"g",\u0121:"g",\u0123:"g",\u0124:"H",\u0126:"H",\u0125:"h",\u0127:"h",\u0128:"I",\u012A:"I",\u012C:"I",\u012E:"I",\u0130:"I",\u0129:"i",\u012B:"i",\u012D:"i",\u012F:"i",\u0131:"i",\u0134:"J",\u0135:"j",\u0136:"K",\u0137:"k",\u0138:"k",\u0139:"L",\u013B:"L",\u013D:"L",\u013F:"L",\u0141:"L",\u013A:"l",\u013C:"l",\u013E:"l",\u0140:"l",\u0142:"l",\u0143:"N",\u0145:"N",\u0147:"N",\u014A:"N",\u0144:"n",\u0146:"n",\u0148:"n",\u014B:"n",\u014C:"O",\u014E:"O",\u0150:"O",\u014D:"o",\u014F:"o",\u0151:"o",\u0154:"R",\u0156:"R",\u0158:"R",\u0155:"r",\u0157:"r",\u0159:"r",\u015A:"S",\u015C:"S",\u015E:"S",\u0160:"S",\u015B:"s",\u015D:"s",\u015F:"s",\u0161:"s",\u0162:"T",\u0164:"T",\u0166:"T",\u0163:"t",\u0165:"t",\u0167:"t",\u0168:"U",\u016A:"U",\u016C:"U",\u016E:"U",\u0170:"U",\u0172:"U",\u0169:"u",\u016B:"u",\u016D:"u",\u016F:"u",\u0171:"u",\u0173:"u",\u0174:"W",\u0175:"w",\u0176:"Y",\u0177:"y",\u0178:"Y",\u0179:"Z",\u017B:"Z",\u017D:"Z",\u017A:"z",\u017C:"z",\u017E:"z",\u0132:"IJ",\u0133:"ij",\u0152:"Oe",\u0153:"oe",\u0149:"'n",\u017F:"s"},ug={"&":"&","<":"<",">":">",'"':""","'":"'"},I={"&":"&","<":"<",">":">",""":'"',"'":"'"},z={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},U=parseFloat,we=parseInt,Ze=typeof Oi=="object"&&Oi&&Oi.Object===Object&&Oi,ht=typeof self=="object"&&self&&self.Object===Object&&self,$e=Ze||ht||Function("return this")(),He=t&&!t.nodeType&&t,nt=He&&!0&&e&&!e.nodeType&&e,Un=nt&&nt.exports===He,Cn=Un&&Ze.process,gn=function(){try{var $=nt&&nt.require&&nt.require("util").types;return $||Cn&&Cn.binding&&Cn.binding("util")}catch{}}(),Js=gn&&gn.isArrayBuffer,el=gn&&gn.isDate,qu=gn&&gn.isMap,Wb=gn&&gn.isRegExp,Hb=gn&&gn.isSet,jb=gn&&gn.isTypedArray;function Cr($,Y,G){switch(G.length){case 0:return $.call(Y);case 1:return $.call(Y,G[0]);case 2:return $.call(Y,G[0],G[1]);case 3:return $.call(Y,G[0],G[1],G[2])}return $.apply(Y,G)}function gI($,Y,G,Ce){for(var Fe=-1,rt=$==null?0:$.length;++Fe<rt;){var un=$[Fe];Y(Ce,un,G(un),$)}return Ce}function jr($,Y){for(var G=-1,Ce=$==null?0:$.length;++G<Ce&&Y($[G],G,$)!==!1;);return $}function vI($,Y){for(var G=$==null?0:$.length;G--&&Y($[G],G,$)!==!1;);return $}function Ub($,Y){for(var G=-1,Ce=$==null?0:$.length;++G<Ce;)if(!Y($[G],G,$))return!1;return!0}function Ji($,Y){for(var G=-1,Ce=$==null?0:$.length,Fe=0,rt=[];++G<Ce;){var un=$[G];Y(un,G,$)&&(rt[Fe++]=un)}return rt}function Ud($,Y){var G=$==null?0:$.length;return!!G&&tl($,Y,0)>-1}function cg($,Y,G){for(var Ce=-1,Fe=$==null?0:$.length;++Ce<Fe;)if(G(Y,$[Ce]))return!0;return!1}function Ot($,Y){for(var G=-1,Ce=$==null?0:$.length,Fe=Array(Ce);++G<Ce;)Fe[G]=Y($[G],G,$);return Fe}function ea($,Y){for(var G=-1,Ce=Y.length,Fe=$.length;++G<Ce;)$[Fe+G]=Y[G];return $}function fg($,Y,G,Ce){var Fe=-1,rt=$==null?0:$.length;for(Ce&&rt&&(G=$[++Fe]);++Fe<rt;)G=Y(G,$[Fe],Fe,$);return G}function yI($,Y,G,Ce){var Fe=$==null?0:$.length;for(Ce&&Fe&&(G=$[--Fe]);Fe--;)G=Y(G,$[Fe],Fe,$);return G}function dg($,Y){for(var G=-1,Ce=$==null?0:$.length;++G<Ce;)if(Y($[G],G,$))return!0;return!1}var bI=pg("length");function xI($){return $.split("")}function SI($){return $.match(Hm)||[]}function Gb($,Y,G){var Ce;return G($,function(Fe,rt,un){if(Y(Fe,rt,un))return Ce=rt,!1}),Ce}function Gd($,Y,G,Ce){for(var Fe=$.length,rt=G+(Ce?1:-1);Ce?rt--:++rt<Fe;)if(Y($[rt],rt,$))return rt;return-1}function tl($,Y,G){return Y===Y?RI($,Y,G):Gd($,Zb,G)}function wI($,Y,G,Ce){for(var Fe=G-1,rt=$.length;++Fe<rt;)if(Ce($[Fe],Y))return Fe;return-1}function Zb($){return $!==$}function qb($,Y){var G=$==null?0:$.length;return G?mg($,Y)/G:Z}function pg($){return function(Y){return Y==null?n:Y[$]}}function hg($){return function(Y){return $==null?n:$[Y]}}function Kb($,Y,G,Ce,Fe){return Fe($,function(rt,un,kt){G=Ce?(Ce=!1,rt):Y(G,rt,un,kt)}),G}function CI($,Y){var G=$.length;for($.sort(Y);G--;)$[G]=$[G].value;return $}function mg($,Y){for(var G,Ce=-1,Fe=$.length;++Ce<Fe;){var rt=Y($[Ce]);rt!==n&&(G=G===n?rt:G+rt)}return G}function gg($,Y){for(var G=-1,Ce=Array($);++G<$;)Ce[G]=Y(G);return Ce}function _I($,Y){return Ot(Y,function(G){return[G,$[G]]})}function Yb($){return $&&$.slice(0,e6($)+1).replace(Fu,"")}function _r($){return function(Y){return $(Y)}}function vg($,Y){return Ot(Y,function(G){return $[G]})}function Ku($,Y){return $.has(Y)}function Xb($,Y){for(var G=-1,Ce=$.length;++G<Ce&&tl(Y,$[G],0)>-1;);return G}function Qb($,Y){for(var G=$.length;G--&&tl(Y,$[G],0)>-1;);return G}function kI($,Y){for(var G=$.length,Ce=0;G--;)$[G]===Y&&++Ce;return Ce}var EI=hg(jd),LI=hg(ug);function PI($){return"\\"+z[$]}function AI($,Y){return $==null?n:$[Y]}function nl($){return sg.test($)}function TI($){return Wd.test($)}function II($){for(var Y,G=[];!(Y=$.next()).done;)G.push(Y.value);return G}function yg($){var Y=-1,G=Array($.size);return $.forEach(function(Ce,Fe){G[++Y]=[Fe,Ce]}),G}function Jb($,Y){return function(G){return $(Y(G))}}function ta($,Y){for(var G=-1,Ce=$.length,Fe=0,rt=[];++G<Ce;){var un=$[G];(un===Y||un===p)&&($[G]=p,rt[Fe++]=G)}return rt}function Zd($){var Y=-1,G=Array($.size);return $.forEach(function(Ce){G[++Y]=Ce}),G}function MI($){var Y=-1,G=Array($.size);return $.forEach(function(Ce){G[++Y]=[Ce,Ce]}),G}function RI($,Y,G){for(var Ce=G-1,Fe=$.length;++Ce<Fe;)if($[Ce]===Y)return Ce;return-1}function OI($,Y,G){for(var Ce=G+1;Ce--;)if($[Ce]===Y)return Ce;return Ce}function rl($){return nl($)?DI($):bI($)}function mo($){return nl($)?zI($):xI($)}function e6($){for(var Y=$.length;Y--&&$m.test($.charAt(Y)););return Y}var NI=hg(I);function DI($){for(var Y=ho.lastIndex=0;ho.test($);)++Y;return Y}function zI($){return $.match(ho)||[]}function FI($){return $.match(Xa)||[]}var BI=function $(Y){Y=Y==null?$e:ol.defaults($e.Object(),Y,ol.pick($e,lg));var G=Y.Array,Ce=Y.Date,Fe=Y.Error,rt=Y.Function,un=Y.Math,kt=Y.Object,bg=Y.RegExp,$I=Y.String,Ur=Y.TypeError,qd=G.prototype,VI=rt.prototype,il=kt.prototype,Kd=Y["__core-js_shared__"],Yd=VI.toString,mt=il.hasOwnProperty,WI=0,t6=function(){var a=/[^.]+$/.exec(Kd&&Kd.keys&&Kd.keys.IE_PROTO||"");return a?"Symbol(src)_1."+a:""}(),Xd=il.toString,HI=Yd.call(kt),jI=$e._,UI=bg("^"+Yd.call(mt).replace(zu,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),Qd=Un?Y.Buffer:n,na=Y.Symbol,Jd=Y.Uint8Array,n6=Qd?Qd.allocUnsafe:n,ep=Jb(kt.getPrototypeOf,kt),r6=kt.create,o6=il.propertyIsEnumerable,tp=qd.splice,i6=na?na.isConcatSpreadable:n,Yu=na?na.iterator:n,Qa=na?na.toStringTag:n,np=function(){try{var a=rs(kt,"defineProperty");return a({},"",{}),a}catch{}}(),GI=Y.clearTimeout!==$e.clearTimeout&&Y.clearTimeout,ZI=Ce&&Ce.now!==$e.Date.now&&Ce.now,qI=Y.setTimeout!==$e.setTimeout&&Y.setTimeout,rp=un.ceil,op=un.floor,xg=kt.getOwnPropertySymbols,KI=Qd?Qd.isBuffer:n,a6=Y.isFinite,YI=qd.join,XI=Jb(kt.keys,kt),cn=un.max,Nn=un.min,QI=Ce.now,JI=Y.parseInt,s6=un.random,eM=qd.reverse,Sg=rs(Y,"DataView"),Xu=rs(Y,"Map"),wg=rs(Y,"Promise"),al=rs(Y,"Set"),Qu=rs(Y,"WeakMap"),Ju=rs(kt,"create"),ip=Qu&&new Qu,sl={},tM=os(Sg),nM=os(Xu),rM=os(wg),oM=os(al),iM=os(Qu),ap=na?na.prototype:n,ec=ap?ap.valueOf:n,l6=ap?ap.toString:n;function P(a){if(Gt(a)&&!Be(a)&&!(a instanceof Ke)){if(a instanceof Gr)return a;if(mt.call(a,"__wrapped__"))return u9(a)}return new Gr(a)}var ll=function(){function a(){}return function(l){if(!$t(l))return{};if(r6)return r6(l);a.prototype=l;var d=new a;return a.prototype=n,d}}();function sp(){}function Gr(a,l){this.__wrapped__=a,this.__actions__=[],this.__chain__=!!l,this.__index__=0,this.__values__=n}P.templateSettings={escape:Nm,evaluate:Dm,interpolate:Cd,variable:"",imports:{_:P}},P.prototype=sp.prototype,P.prototype.constructor=P,Gr.prototype=ll(sp.prototype),Gr.prototype.constructor=Gr;function Ke(a){this.__wrapped__=a,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=M,this.__views__=[]}function aM(){var a=new Ke(this.__wrapped__);return a.__actions__=sr(this.__actions__),a.__dir__=this.__dir__,a.__filtered__=this.__filtered__,a.__iteratees__=sr(this.__iteratees__),a.__takeCount__=this.__takeCount__,a.__views__=sr(this.__views__),a}function sM(){if(this.__filtered__){var a=new Ke(this);a.__dir__=-1,a.__filtered__=!0}else a=this.clone(),a.__dir__*=-1;return a}function lM(){var a=this.__wrapped__.value(),l=this.__dir__,d=Be(a),v=l<0,k=d?a.length:0,A=xR(0,k,this.__views__),R=A.start,D=A.end,V=D-R,ee=v?D:R-1,te=this.__iteratees__,ae=te.length,ge=0,Pe=Nn(V,this.__takeCount__);if(!d||!v&&k==V&&Pe==V)return M6(a,this.__actions__);var Re=[];e:for(;V--&&ge<Pe;){ee+=l;for(var We=-1,Oe=a[ee];++We<ae;){var qe=te[We],Xe=qe.iteratee,Lr=qe.type,qn=Xe(Oe);if(Lr==fe)Oe=qn;else if(!qn){if(Lr==he)continue e;break e}}Re[ge++]=Oe}return Re}Ke.prototype=ll(sp.prototype),Ke.prototype.constructor=Ke;function Ja(a){var l=-1,d=a==null?0:a.length;for(this.clear();++l<d;){var v=a[l];this.set(v[0],v[1])}}function uM(){this.__data__=Ju?Ju(null):{},this.size=0}function cM(a){var l=this.has(a)&&delete this.__data__[a];return this.size-=l?1:0,l}function fM(a){var l=this.__data__;if(Ju){var d=l[a];return d===c?n:d}return mt.call(l,a)?l[a]:n}function dM(a){var l=this.__data__;return Ju?l[a]!==n:mt.call(l,a)}function pM(a,l){var d=this.__data__;return this.size+=this.has(a)?0:1,d[a]=Ju&&l===n?c:l,this}Ja.prototype.clear=uM,Ja.prototype.delete=cM,Ja.prototype.get=fM,Ja.prototype.has=dM,Ja.prototype.set=pM;function bi(a){var l=-1,d=a==null?0:a.length;for(this.clear();++l<d;){var v=a[l];this.set(v[0],v[1])}}function hM(){this.__data__=[],this.size=0}function mM(a){var l=this.__data__,d=lp(l,a);if(d<0)return!1;var v=l.length-1;return d==v?l.pop():tp.call(l,d,1),--this.size,!0}function gM(a){var l=this.__data__,d=lp(l,a);return d<0?n:l[d][1]}function vM(a){return lp(this.__data__,a)>-1}function yM(a,l){var d=this.__data__,v=lp(d,a);return v<0?(++this.size,d.push([a,l])):d[v][1]=l,this}bi.prototype.clear=hM,bi.prototype.delete=mM,bi.prototype.get=gM,bi.prototype.has=vM,bi.prototype.set=yM;function xi(a){var l=-1,d=a==null?0:a.length;for(this.clear();++l<d;){var v=a[l];this.set(v[0],v[1])}}function bM(){this.size=0,this.__data__={hash:new Ja,map:new(Xu||bi),string:new Ja}}function xM(a){var l=xp(this,a).delete(a);return this.size-=l?1:0,l}function SM(a){return xp(this,a).get(a)}function wM(a){return xp(this,a).has(a)}function CM(a,l){var d=xp(this,a),v=d.size;return d.set(a,l),this.size+=d.size==v?0:1,this}xi.prototype.clear=bM,xi.prototype.delete=xM,xi.prototype.get=SM,xi.prototype.has=wM,xi.prototype.set=CM;function es(a){var l=-1,d=a==null?0:a.length;for(this.__data__=new xi;++l<d;)this.add(a[l])}function _M(a){return this.__data__.set(a,c),this}function kM(a){return this.__data__.has(a)}es.prototype.add=es.prototype.push=_M,es.prototype.has=kM;function go(a){var l=this.__data__=new bi(a);this.size=l.size}function EM(){this.__data__=new bi,this.size=0}function LM(a){var l=this.__data__,d=l.delete(a);return this.size=l.size,d}function PM(a){return this.__data__.get(a)}function AM(a){return this.__data__.has(a)}function TM(a,l){var d=this.__data__;if(d instanceof bi){var v=d.__data__;if(!Xu||v.length<o-1)return v.push([a,l]),this.size=++d.size,this;d=this.__data__=new xi(v)}return d.set(a,l),this.size=d.size,this}go.prototype.clear=EM,go.prototype.delete=LM,go.prototype.get=PM,go.prototype.has=AM,go.prototype.set=TM;function u6(a,l){var d=Be(a),v=!d&&is(a),k=!d&&!v&&sa(a),A=!d&&!v&&!k&&dl(a),R=d||v||k||A,D=R?gg(a.length,$I):[],V=D.length;for(var ee in a)(l||mt.call(a,ee))&&!(R&&(ee=="length"||k&&(ee=="offset"||ee=="parent")||A&&(ee=="buffer"||ee=="byteLength"||ee=="byteOffset")||_i(ee,V)))&&D.push(ee);return D}function c6(a){var l=a.length;return l?a[Rg(0,l-1)]:n}function IM(a,l){return Sp(sr(a),ts(l,0,a.length))}function MM(a){return Sp(sr(a))}function Cg(a,l,d){(d!==n&&!vo(a[l],d)||d===n&&!(l in a))&&Si(a,l,d)}function tc(a,l,d){var v=a[l];(!(mt.call(a,l)&&vo(v,d))||d===n&&!(l in a))&&Si(a,l,d)}function lp(a,l){for(var d=a.length;d--;)if(vo(a[d][0],l))return d;return-1}function RM(a,l,d,v){return ra(a,function(k,A,R){l(v,k,d(k),R)}),v}function f6(a,l){return a&&Do(l,vn(l),a)}function OM(a,l){return a&&Do(l,ur(l),a)}function Si(a,l,d){l=="__proto__"&&np?np(a,l,{configurable:!0,enumerable:!0,value:d,writable:!0}):a[l]=d}function _g(a,l){for(var d=-1,v=l.length,k=G(v),A=a==null;++d<v;)k[d]=A?n:ov(a,l[d]);return k}function ts(a,l,d){return a===a&&(d!==n&&(a=a<=d?a:d),l!==n&&(a=a>=l?a:l)),a}function Zr(a,l,d,v,k,A){var R,D=l&h,V=l&m,ee=l&g;if(d&&(R=k?d(a,v,k,A):d(a)),R!==n)return R;if(!$t(a))return a;var te=Be(a);if(te){if(R=wR(a),!D)return sr(a,R)}else{var ae=Dn(a),ge=ae==Tt||ae==hn;if(sa(a))return N6(a,D);if(ae==ze||ae==ye||ge&&!k){if(R=V||ge?{}:e9(a),!D)return V?fR(a,OM(R,a)):cR(a,f6(R,a))}else{if(!St[ae])return k?a:{};R=CR(a,ae,D)}}A||(A=new go);var Pe=A.get(a);if(Pe)return Pe;A.set(a,R),A9(a)?a.forEach(function(Oe){R.add(Zr(Oe,l,d,Oe,a,A))}):L9(a)&&a.forEach(function(Oe,qe){R.set(qe,Zr(Oe,l,d,qe,a,A))});var Re=ee?V?jg:Hg:V?ur:vn,We=te?n:Re(a);return jr(We||a,function(Oe,qe){We&&(qe=Oe,Oe=a[qe]),tc(R,qe,Zr(Oe,l,d,qe,a,A))}),R}function NM(a){var l=vn(a);return function(d){return d6(d,a,l)}}function d6(a,l,d){var v=d.length;if(a==null)return!v;for(a=kt(a);v--;){var k=d[v],A=l[k],R=a[k];if(R===n&&!(k in a)||!A(R))return!1}return!0}function p6(a,l,d){if(typeof a!="function")throw new Ur(s);return lc(function(){a.apply(n,d)},l)}function nc(a,l,d,v){var k=-1,A=Ud,R=!0,D=a.length,V=[],ee=l.length;if(!D)return V;d&&(l=Ot(l,_r(d))),v?(A=cg,R=!1):l.length>=o&&(A=Ku,R=!1,l=new es(l));e:for(;++k<D;){var te=a[k],ae=d==null?te:d(te);if(te=v||te!==0?te:0,R&&ae===ae){for(var ge=ee;ge--;)if(l[ge]===ae)continue e;V.push(te)}else A(l,ae,v)||V.push(te)}return V}var ra=$6(No),h6=$6(Eg,!0);function DM(a,l){var d=!0;return ra(a,function(v,k,A){return d=!!l(v,k,A),d}),d}function up(a,l,d){for(var v=-1,k=a.length;++v<k;){var A=a[v],R=l(A);if(R!=null&&(D===n?R===R&&!Er(R):d(R,D)))var D=R,V=A}return V}function zM(a,l,d,v){var k=a.length;for(d=Ve(d),d<0&&(d=-d>k?0:k+d),v=v===n||v>k?k:Ve(v),v<0&&(v+=k),v=d>v?0:I9(v);d<v;)a[d++]=l;return a}function m6(a,l){var d=[];return ra(a,function(v,k,A){l(v,k,A)&&d.push(v)}),d}function _n(a,l,d,v,k){var A=-1,R=a.length;for(d||(d=kR),k||(k=[]);++A<R;){var D=a[A];l>0&&d(D)?l>1?_n(D,l-1,d,v,k):ea(k,D):v||(k[k.length]=D)}return k}var kg=V6(),g6=V6(!0);function No(a,l){return a&&kg(a,l,vn)}function Eg(a,l){return a&&g6(a,l,vn)}function cp(a,l){return Ji(l,function(d){return ki(a[d])})}function ns(a,l){l=ia(l,a);for(var d=0,v=l.length;a!=null&&d<v;)a=a[zo(l[d++])];return d&&d==v?a:n}function v6(a,l,d){var v=l(a);return Be(a)?v:ea(v,d(a))}function Gn(a){return a==null?a===n?pe:tt:Qa&&Qa in kt(a)?bR(a):MR(a)}function Lg(a,l){return a>l}function FM(a,l){return a!=null&&mt.call(a,l)}function BM(a,l){return a!=null&&l in kt(a)}function $M(a,l,d){return a>=Nn(l,d)&&a<cn(l,d)}function Pg(a,l,d){for(var v=d?cg:Ud,k=a[0].length,A=a.length,R=A,D=G(A),V=1/0,ee=[];R--;){var te=a[R];R&&l&&(te=Ot(te,_r(l))),V=Nn(te.length,V),D[R]=!d&&(l||k>=120&&te.length>=120)?new es(R&&te):n}te=a[0];var ae=-1,ge=D[0];e:for(;++ae<k&&ee.length<V;){var Pe=te[ae],Re=l?l(Pe):Pe;if(Pe=d||Pe!==0?Pe:0,!(ge?Ku(ge,Re):v(ee,Re,d))){for(R=A;--R;){var We=D[R];if(!(We?Ku(We,Re):v(a[R],Re,d)))continue e}ge&&ge.push(Re),ee.push(Pe)}}return ee}function VM(a,l,d,v){return No(a,function(k,A,R){l(v,d(k),A,R)}),v}function rc(a,l,d){l=ia(l,a),a=o9(a,l);var v=a==null?a:a[zo(Kr(l))];return v==null?n:Cr(v,a,d)}function y6(a){return Gt(a)&&Gn(a)==ye}function WM(a){return Gt(a)&&Gn(a)==ut}function HM(a){return Gt(a)&&Gn(a)==_e}function oc(a,l,d,v,k){return a===l?!0:a==null||l==null||!Gt(a)&&!Gt(l)?a!==a&&l!==l:jM(a,l,d,v,oc,k)}function jM(a,l,d,v,k,A){var R=Be(a),D=Be(l),V=R?be:Dn(a),ee=D?be:Dn(l);V=V==ye?ze:V,ee=ee==ye?ze:ee;var te=V==ze,ae=ee==ze,ge=V==ee;if(ge&&sa(a)){if(!sa(l))return!1;R=!0,te=!1}if(ge&&!te)return A||(A=new go),R||dl(a)?X6(a,l,d,v,k,A):vR(a,l,V,d,v,k,A);if(!(d&b)){var Pe=te&&mt.call(a,"__wrapped__"),Re=ae&&mt.call(l,"__wrapped__");if(Pe||Re){var We=Pe?a.value():a,Oe=Re?l.value():l;return A||(A=new go),k(We,Oe,d,v,A)}}return ge?(A||(A=new go),yR(a,l,d,v,k,A)):!1}function UM(a){return Gt(a)&&Dn(a)==Se}function Ag(a,l,d,v){var k=d.length,A=k,R=!v;if(a==null)return!A;for(a=kt(a);k--;){var D=d[k];if(R&&D[2]?D[1]!==a[D[0]]:!(D[0]in a))return!1}for(;++k<A;){D=d[k];var V=D[0],ee=a[V],te=D[1];if(R&&D[2]){if(ee===n&&!(V in a))return!1}else{var ae=new go;if(v)var ge=v(ee,te,V,a,l,ae);if(!(ge===n?oc(te,ee,b|S,v,ae):ge))return!1}}return!0}function b6(a){if(!$t(a)||LR(a))return!1;var l=ki(a)?UI:Km;return l.test(os(a))}function GM(a){return Gt(a)&&Gn(a)==lt}function ZM(a){return Gt(a)&&Dn(a)==Ct}function qM(a){return Gt(a)&&Lp(a.length)&&!!_t[Gn(a)]}function x6(a){return typeof a=="function"?a:a==null?cr:typeof a=="object"?Be(a)?C6(a[0],a[1]):w6(a):W9(a)}function Tg(a){if(!sc(a))return XI(a);var l=[];for(var d in kt(a))mt.call(a,d)&&d!="constructor"&&l.push(d);return l}function KM(a){if(!$t(a))return IR(a);var l=sc(a),d=[];for(var v in a)v=="constructor"&&(l||!mt.call(a,v))||d.push(v);return d}function Ig(a,l){return a<l}function S6(a,l){var d=-1,v=lr(a)?G(a.length):[];return ra(a,function(k,A,R){v[++d]=l(k,A,R)}),v}function w6(a){var l=Gg(a);return l.length==1&&l[0][2]?n9(l[0][0],l[0][1]):function(d){return d===a||Ag(d,a,l)}}function C6(a,l){return qg(a)&&t9(l)?n9(zo(a),l):function(d){var v=ov(d,a);return v===n&&v===l?iv(d,a):oc(l,v,b|S)}}function fp(a,l,d,v,k){a!==l&&kg(l,function(A,R){if(k||(k=new go),$t(A))YM(a,l,R,d,fp,v,k);else{var D=v?v(Yg(a,R),A,R+"",a,l,k):n;D===n&&(D=A),Cg(a,R,D)}},ur)}function YM(a,l,d,v,k,A,R){var D=Yg(a,d),V=Yg(l,d),ee=R.get(V);if(ee){Cg(a,d,ee);return}var te=A?A(D,V,d+"",a,l,R):n,ae=te===n;if(ae){var ge=Be(V),Pe=!ge&&sa(V),Re=!ge&&!Pe&&dl(V);te=V,ge||Pe||Re?Be(D)?te=D:Qt(D)?te=sr(D):Pe?(ae=!1,te=N6(V,!0)):Re?(ae=!1,te=D6(V,!0)):te=[]:uc(V)||is(V)?(te=D,is(D)?te=M9(D):(!$t(D)||ki(D))&&(te=e9(V))):ae=!1}ae&&(R.set(V,te),k(te,V,v,A,R),R.delete(V)),Cg(a,d,te)}function _6(a,l){var d=a.length;if(!!d)return l+=l<0?d:0,_i(l,d)?a[l]:n}function k6(a,l,d){l.length?l=Ot(l,function(A){return Be(A)?function(R){return ns(R,A.length===1?A[0]:A)}:A}):l=[cr];var v=-1;l=Ot(l,_r(Me()));var k=S6(a,function(A,R,D){var V=Ot(l,function(ee){return ee(A)});return{criteria:V,index:++v,value:A}});return CI(k,function(A,R){return uR(A,R,d)})}function XM(a,l){return E6(a,l,function(d,v){return iv(a,v)})}function E6(a,l,d){for(var v=-1,k=l.length,A={};++v<k;){var R=l[v],D=ns(a,R);d(D,R)&&ic(A,ia(R,a),D)}return A}function QM(a){return function(l){return ns(l,a)}}function Mg(a,l,d,v){var k=v?wI:tl,A=-1,R=l.length,D=a;for(a===l&&(l=sr(l)),d&&(D=Ot(a,_r(d)));++A<R;)for(var V=0,ee=l[A],te=d?d(ee):ee;(V=k(D,te,V,v))>-1;)D!==a&&tp.call(D,V,1),tp.call(a,V,1);return a}function L6(a,l){for(var d=a?l.length:0,v=d-1;d--;){var k=l[d];if(d==v||k!==A){var A=k;_i(k)?tp.call(a,k,1):Dg(a,k)}}return a}function Rg(a,l){return a+op(s6()*(l-a+1))}function JM(a,l,d,v){for(var k=-1,A=cn(rp((l-a)/(d||1)),0),R=G(A);A--;)R[v?A:++k]=a,a+=d;return R}function Og(a,l){var d="";if(!a||l<1||l>H)return d;do l%2&&(d+=a),l=op(l/2),l&&(a+=a);while(l);return d}function je(a,l){return Xg(r9(a,l,cr),a+"")}function eR(a){return c6(pl(a))}function tR(a,l){var d=pl(a);return Sp(d,ts(l,0,d.length))}function ic(a,l,d,v){if(!$t(a))return a;l=ia(l,a);for(var k=-1,A=l.length,R=A-1,D=a;D!=null&&++k<A;){var V=zo(l[k]),ee=d;if(V==="__proto__"||V==="constructor"||V==="prototype")return a;if(k!=R){var te=D[V];ee=v?v(te,V,D):n,ee===n&&(ee=$t(te)?te:_i(l[k+1])?[]:{})}tc(D,V,ee),D=D[V]}return a}var P6=ip?function(a,l){return ip.set(a,l),a}:cr,nR=np?function(a,l){return np(a,"toString",{configurable:!0,enumerable:!1,value:sv(l),writable:!0})}:cr;function rR(a){return Sp(pl(a))}function qr(a,l,d){var v=-1,k=a.length;l<0&&(l=-l>k?0:k+l),d=d>k?k:d,d<0&&(d+=k),k=l>d?0:d-l>>>0,l>>>=0;for(var A=G(k);++v<k;)A[v]=a[v+l];return A}function oR(a,l){var d;return ra(a,function(v,k,A){return d=l(v,k,A),!d}),!!d}function dp(a,l,d){var v=0,k=a==null?v:a.length;if(typeof l=="number"&&l===l&&k<=se){for(;v<k;){var A=v+k>>>1,R=a[A];R!==null&&!Er(R)&&(d?R<=l:R<l)?v=A+1:k=A}return k}return Ng(a,l,cr,d)}function Ng(a,l,d,v){var k=0,A=a==null?0:a.length;if(A===0)return 0;l=d(l);for(var R=l!==l,D=l===null,V=Er(l),ee=l===n;k<A;){var te=op((k+A)/2),ae=d(a[te]),ge=ae!==n,Pe=ae===null,Re=ae===ae,We=Er(ae);if(R)var Oe=v||Re;else ee?Oe=Re&&(v||ge):D?Oe=Re&&ge&&(v||!Pe):V?Oe=Re&&ge&&!Pe&&(v||!We):Pe||We?Oe=!1:Oe=v?ae<=l:ae<l;Oe?k=te+1:A=te}return Nn(A,j)}function A6(a,l){for(var d=-1,v=a.length,k=0,A=[];++d<v;){var R=a[d],D=l?l(R):R;if(!d||!vo(D,V)){var V=D;A[k++]=R===0?0:R}}return A}function T6(a){return typeof a=="number"?a:Er(a)?Z:+a}function kr(a){if(typeof a=="string")return a;if(Be(a))return Ot(a,kr)+"";if(Er(a))return l6?l6.call(a):"";var l=a+"";return l=="0"&&1/a==-ne?"-0":l}function oa(a,l,d){var v=-1,k=Ud,A=a.length,R=!0,D=[],V=D;if(d)R=!1,k=cg;else if(A>=o){var ee=l?null:mR(a);if(ee)return Zd(ee);R=!1,k=Ku,V=new es}else V=l?[]:D;e:for(;++v<A;){var te=a[v],ae=l?l(te):te;if(te=d||te!==0?te:0,R&&ae===ae){for(var ge=V.length;ge--;)if(V[ge]===ae)continue e;l&&V.push(ae),D.push(te)}else k(V,ae,d)||(V!==D&&V.push(ae),D.push(te))}return D}function Dg(a,l){return l=ia(l,a),a=o9(a,l),a==null||delete a[zo(Kr(l))]}function I6(a,l,d,v){return ic(a,l,d(ns(a,l)),v)}function pp(a,l,d,v){for(var k=a.length,A=v?k:-1;(v?A--:++A<k)&&l(a[A],A,a););return d?qr(a,v?0:A,v?A+1:k):qr(a,v?A+1:0,v?k:A)}function M6(a,l){var d=a;return d instanceof Ke&&(d=d.value()),fg(l,function(v,k){return k.func.apply(k.thisArg,ea([v],k.args))},d)}function zg(a,l,d){var v=a.length;if(v<2)return v?oa(a[0]):[];for(var k=-1,A=G(v);++k<v;)for(var R=a[k],D=-1;++D<v;)D!=k&&(A[k]=nc(A[k]||R,a[D],l,d));return oa(_n(A,1),l,d)}function R6(a,l,d){for(var v=-1,k=a.length,A=l.length,R={};++v<k;){var D=v<A?l[v]:n;d(R,a[v],D)}return R}function Fg(a){return Qt(a)?a:[]}function Bg(a){return typeof a=="function"?a:cr}function ia(a,l){return Be(a)?a:qg(a,l)?[a]:l9(ct(a))}var iR=je;function aa(a,l,d){var v=a.length;return d=d===n?v:d,!l&&d>=v?a:qr(a,l,d)}var O6=GI||function(a){return $e.clearTimeout(a)};function N6(a,l){if(l)return a.slice();var d=a.length,v=n6?n6(d):new a.constructor(d);return a.copy(v),v}function $g(a){var l=new a.constructor(a.byteLength);return new Jd(l).set(new Jd(a)),l}function aR(a,l){var d=l?$g(a.buffer):a.buffer;return new a.constructor(d,a.byteOffset,a.byteLength)}function sR(a){var l=new a.constructor(a.source,gi.exec(a));return l.lastIndex=a.lastIndex,l}function lR(a){return ec?kt(ec.call(a)):{}}function D6(a,l){var d=l?$g(a.buffer):a.buffer;return new a.constructor(d,a.byteOffset,a.length)}function z6(a,l){if(a!==l){var d=a!==n,v=a===null,k=a===a,A=Er(a),R=l!==n,D=l===null,V=l===l,ee=Er(l);if(!D&&!ee&&!A&&a>l||A&&R&&V&&!D&&!ee||v&&R&&V||!d&&V||!k)return 1;if(!v&&!A&&!ee&&a<l||ee&&d&&k&&!v&&!A||D&&d&&k||!R&&k||!V)return-1}return 0}function uR(a,l,d){for(var v=-1,k=a.criteria,A=l.criteria,R=k.length,D=d.length;++v<R;){var V=z6(k[v],A[v]);if(V){if(v>=D)return V;var ee=d[v];return V*(ee=="desc"?-1:1)}}return a.index-l.index}function F6(a,l,d,v){for(var k=-1,A=a.length,R=d.length,D=-1,V=l.length,ee=cn(A-R,0),te=G(V+ee),ae=!v;++D<V;)te[D]=l[D];for(;++k<R;)(ae||k<A)&&(te[d[k]]=a[k]);for(;ee--;)te[D++]=a[k++];return te}function B6(a,l,d,v){for(var k=-1,A=a.length,R=-1,D=d.length,V=-1,ee=l.length,te=cn(A-D,0),ae=G(te+ee),ge=!v;++k<te;)ae[k]=a[k];for(var Pe=k;++V<ee;)ae[Pe+V]=l[V];for(;++R<D;)(ge||k<A)&&(ae[Pe+d[R]]=a[k++]);return ae}function sr(a,l){var d=-1,v=a.length;for(l||(l=G(v));++d<v;)l[d]=a[d];return l}function Do(a,l,d,v){var k=!d;d||(d={});for(var A=-1,R=l.length;++A<R;){var D=l[A],V=v?v(d[D],a[D],D,d,a):n;V===n&&(V=a[D]),k?Si(d,D,V):tc(d,D,V)}return d}function cR(a,l){return Do(a,Zg(a),l)}function fR(a,l){return Do(a,Q6(a),l)}function hp(a,l){return function(d,v){var k=Be(d)?gI:RM,A=l?l():{};return k(d,a,Me(v,2),A)}}function ul(a){return je(function(l,d){var v=-1,k=d.length,A=k>1?d[k-1]:n,R=k>2?d[2]:n;for(A=a.length>3&&typeof A=="function"?(k--,A):n,R&&Zn(d[0],d[1],R)&&(A=k<3?n:A,k=1),l=kt(l);++v<k;){var D=d[v];D&&a(l,D,v,A)}return l})}function $6(a,l){return function(d,v){if(d==null)return d;if(!lr(d))return a(d,v);for(var k=d.length,A=l?k:-1,R=kt(d);(l?A--:++A<k)&&v(R[A],A,R)!==!1;);return d}}function V6(a){return function(l,d,v){for(var k=-1,A=kt(l),R=v(l),D=R.length;D--;){var V=R[a?D:++k];if(d(A[V],V,A)===!1)break}return l}}function dR(a,l,d){var v=l&E,k=ac(a);function A(){var R=this&&this!==$e&&this instanceof A?k:a;return R.apply(v?d:this,arguments)}return A}function W6(a){return function(l){l=ct(l);var d=nl(l)?mo(l):n,v=d?d[0]:l.charAt(0),k=d?aa(d,1).join(""):l.slice(1);return v[a]()+k}}function cl(a){return function(l){return fg($9(B9(l).replace(Zu,"")),a,"")}}function ac(a){return function(){var l=arguments;switch(l.length){case 0:return new a;case 1:return new a(l[0]);case 2:return new a(l[0],l[1]);case 3:return new a(l[0],l[1],l[2]);case 4:return new a(l[0],l[1],l[2],l[3]);case 5:return new a(l[0],l[1],l[2],l[3],l[4]);case 6:return new a(l[0],l[1],l[2],l[3],l[4],l[5]);case 7:return new a(l[0],l[1],l[2],l[3],l[4],l[5],l[6])}var d=ll(a.prototype),v=a.apply(d,l);return $t(v)?v:d}}function pR(a,l,d){var v=ac(a);function k(){for(var A=arguments.length,R=G(A),D=A,V=fl(k);D--;)R[D]=arguments[D];var ee=A<3&&R[0]!==V&&R[A-1]!==V?[]:ta(R,V);if(A-=ee.length,A<d)return Z6(a,l,mp,k.placeholder,n,R,ee,n,n,d-A);var te=this&&this!==$e&&this instanceof k?v:a;return Cr(te,this,R)}return k}function H6(a){return function(l,d,v){var k=kt(l);if(!lr(l)){var A=Me(d,3);l=vn(l),d=function(D){return A(k[D],D,k)}}var R=a(l,d,v);return R>-1?k[A?l[R]:R]:n}}function j6(a){return Ci(function(l){var d=l.length,v=d,k=Gr.prototype.thru;for(a&&l.reverse();v--;){var A=l[v];if(typeof A!="function")throw new Ur(s);if(k&&!R&&bp(A)=="wrapper")var R=new Gr([],!0)}for(v=R?v:d;++v<d;){A=l[v];var D=bp(A),V=D=="wrapper"?Ug(A):n;V&&Kg(V[0])&&V[1]==(N|_|T|F)&&!V[4].length&&V[9]==1?R=R[bp(V[0])].apply(R,V[3]):R=A.length==1&&Kg(A)?R[D]():R.thru(A)}return function(){var ee=arguments,te=ee[0];if(R&&ee.length==1&&Be(te))return R.plant(te).value();for(var ae=0,ge=d?l[ae].apply(this,ee):te;++ae<d;)ge=l[ae].call(this,ge);return ge}})}function mp(a,l,d,v,k,A,R,D,V,ee){var te=l&N,ae=l&E,ge=l&w,Pe=l&(_|L),Re=l&q,We=ge?n:ac(a);function Oe(){for(var qe=arguments.length,Xe=G(qe),Lr=qe;Lr--;)Xe[Lr]=arguments[Lr];if(Pe)var qn=fl(Oe),Pr=kI(Xe,qn);if(v&&(Xe=F6(Xe,v,k,Pe)),A&&(Xe=B6(Xe,A,R,Pe)),qe-=Pr,Pe&&qe<ee){var Jt=ta(Xe,qn);return Z6(a,l,mp,Oe.placeholder,d,Xe,Jt,D,V,ee-qe)}var yo=ae?d:this,Li=ge?yo[a]:a;return qe=Xe.length,D?Xe=RR(Xe,D):Re&&qe>1&&Xe.reverse(),te&&V<qe&&(Xe.length=V),this&&this!==$e&&this instanceof Oe&&(Li=We||ac(Li)),Li.apply(yo,Xe)}return Oe}function U6(a,l){return function(d,v){return VM(d,a,l(v),{})}}function gp(a,l){return function(d,v){var k;if(d===n&&v===n)return l;if(d!==n&&(k=d),v!==n){if(k===n)return v;typeof d=="string"||typeof v=="string"?(d=kr(d),v=kr(v)):(d=T6(d),v=T6(v)),k=a(d,v)}return k}}function Vg(a){return Ci(function(l){return l=Ot(l,_r(Me())),je(function(d){var v=this;return a(l,function(k){return Cr(k,v,d)})})})}function vp(a,l){l=l===n?" ":kr(l);var d=l.length;if(d<2)return d?Og(l,a):l;var v=Og(l,rp(a/rl(l)));return nl(l)?aa(mo(v),0,a).join(""):v.slice(0,a)}function hR(a,l,d,v){var k=l&E,A=ac(a);function R(){for(var D=-1,V=arguments.length,ee=-1,te=v.length,ae=G(te+V),ge=this&&this!==$e&&this instanceof R?A:a;++ee<te;)ae[ee]=v[ee];for(;V--;)ae[ee++]=arguments[++D];return Cr(ge,k?d:this,ae)}return R}function G6(a){return function(l,d,v){return v&&typeof v!="number"&&Zn(l,d,v)&&(d=v=n),l=Ei(l),d===n?(d=l,l=0):d=Ei(d),v=v===n?l<d?1:-1:Ei(v),JM(l,d,v,a)}}function yp(a){return function(l,d){return typeof l=="string"&&typeof d=="string"||(l=Yr(l),d=Yr(d)),a(l,d)}}function Z6(a,l,d,v,k,A,R,D,V,ee){var te=l&_,ae=te?R:n,ge=te?n:R,Pe=te?A:n,Re=te?n:A;l|=te?T:O,l&=~(te?O:T),l&x||(l&=~(E|w));var We=[a,l,k,Pe,ae,Re,ge,D,V,ee],Oe=d.apply(n,We);return Kg(a)&&i9(Oe,We),Oe.placeholder=v,a9(Oe,a,l)}function Wg(a){var l=un[a];return function(d,v){if(d=Yr(d),v=v==null?0:Nn(Ve(v),292),v&&a6(d)){var k=(ct(d)+"e").split("e"),A=l(k[0]+"e"+(+k[1]+v));return k=(ct(A)+"e").split("e"),+(k[0]+"e"+(+k[1]-v))}return l(d)}}var mR=al&&1/Zd(new al([,-0]))[1]==ne?function(a){return new al(a)}:cv;function q6(a){return function(l){var d=Dn(l);return d==Se?yg(l):d==Ct?MI(l):_I(l,a(l))}}function wi(a,l,d,v,k,A,R,D){var V=l&w;if(!V&&typeof a!="function")throw new Ur(s);var ee=v?v.length:0;if(ee||(l&=~(T|O),v=k=n),R=R===n?R:cn(Ve(R),0),D=D===n?D:Ve(D),ee-=k?k.length:0,l&O){var te=v,ae=k;v=k=n}var ge=V?n:Ug(a),Pe=[a,l,d,v,k,te,ae,A,R,D];if(ge&&TR(Pe,ge),a=Pe[0],l=Pe[1],d=Pe[2],v=Pe[3],k=Pe[4],D=Pe[9]=Pe[9]===n?V?0:a.length:cn(Pe[9]-ee,0),!D&&l&(_|L)&&(l&=~(_|L)),!l||l==E)var Re=dR(a,l,d);else l==_||l==L?Re=pR(a,l,D):(l==T||l==(E|T))&&!k.length?Re=hR(a,l,d,v):Re=mp.apply(n,Pe);var We=ge?P6:i9;return a9(We(Re,Pe),a,l)}function K6(a,l,d,v){return a===n||vo(a,il[d])&&!mt.call(v,d)?l:a}function Y6(a,l,d,v,k,A){return $t(a)&&$t(l)&&(A.set(l,a),fp(a,l,n,Y6,A),A.delete(l)),a}function gR(a){return uc(a)?n:a}function X6(a,l,d,v,k,A){var R=d&b,D=a.length,V=l.length;if(D!=V&&!(R&&V>D))return!1;var ee=A.get(a),te=A.get(l);if(ee&&te)return ee==l&&te==a;var ae=-1,ge=!0,Pe=d&S?new es:n;for(A.set(a,l),A.set(l,a);++ae<D;){var Re=a[ae],We=l[ae];if(v)var Oe=R?v(We,Re,ae,l,a,A):v(Re,We,ae,a,l,A);if(Oe!==n){if(Oe)continue;ge=!1;break}if(Pe){if(!dg(l,function(qe,Xe){if(!Ku(Pe,Xe)&&(Re===qe||k(Re,qe,d,v,A)))return Pe.push(Xe)})){ge=!1;break}}else if(!(Re===We||k(Re,We,d,v,A))){ge=!1;break}}return A.delete(a),A.delete(l),ge}function vR(a,l,d,v,k,A,R){switch(d){case ie:if(a.byteLength!=l.byteLength||a.byteOffset!=l.byteOffset)return!1;a=a.buffer,l=l.buffer;case ut:return!(a.byteLength!=l.byteLength||!A(new Jd(a),new Jd(l)));case de:case _e:case Ie:return vo(+a,+l);case st:return a.name==l.name&&a.message==l.message;case lt:case Xt:return a==l+"";case Se:var D=yg;case Ct:var V=v&b;if(D||(D=Zd),a.size!=l.size&&!V)return!1;var ee=R.get(a);if(ee)return ee==l;v|=S,R.set(a,l);var te=X6(D(a),D(l),v,k,A,R);return R.delete(a),te;case Ut:if(ec)return ec.call(a)==ec.call(l)}return!1}function yR(a,l,d,v,k,A){var R=d&b,D=Hg(a),V=D.length,ee=Hg(l),te=ee.length;if(V!=te&&!R)return!1;for(var ae=V;ae--;){var ge=D[ae];if(!(R?ge in l:mt.call(l,ge)))return!1}var Pe=A.get(a),Re=A.get(l);if(Pe&&Re)return Pe==l&&Re==a;var We=!0;A.set(a,l),A.set(l,a);for(var Oe=R;++ae<V;){ge=D[ae];var qe=a[ge],Xe=l[ge];if(v)var Lr=R?v(Xe,qe,ge,l,a,A):v(qe,Xe,ge,a,l,A);if(!(Lr===n?qe===Xe||k(qe,Xe,d,v,A):Lr)){We=!1;break}Oe||(Oe=ge=="constructor")}if(We&&!Oe){var qn=a.constructor,Pr=l.constructor;qn!=Pr&&"constructor"in a&&"constructor"in l&&!(typeof qn=="function"&&qn instanceof qn&&typeof Pr=="function"&&Pr instanceof Pr)&&(We=!1)}return A.delete(a),A.delete(l),We}function Ci(a){return Xg(r9(a,n,d9),a+"")}function Hg(a){return v6(a,vn,Zg)}function jg(a){return v6(a,ur,Q6)}var Ug=ip?function(a){return ip.get(a)}:cv;function bp(a){for(var l=a.name+"",d=sl[l],v=mt.call(sl,l)?d.length:0;v--;){var k=d[v],A=k.func;if(A==null||A==a)return k.name}return l}function fl(a){var l=mt.call(P,"placeholder")?P:a;return l.placeholder}function Me(){var a=P.iteratee||lv;return a=a===lv?x6:a,arguments.length?a(arguments[0],arguments[1]):a}function xp(a,l){var d=a.__data__;return ER(l)?d[typeof l=="string"?"string":"hash"]:d.map}function Gg(a){for(var l=vn(a),d=l.length;d--;){var v=l[d],k=a[v];l[d]=[v,k,t9(k)]}return l}function rs(a,l){var d=AI(a,l);return b6(d)?d:n}function bR(a){var l=mt.call(a,Qa),d=a[Qa];try{a[Qa]=n;var v=!0}catch{}var k=Xd.call(a);return v&&(l?a[Qa]=d:delete a[Qa]),k}var Zg=xg?function(a){return a==null?[]:(a=kt(a),Ji(xg(a),function(l){return o6.call(a,l)}))}:fv,Q6=xg?function(a){for(var l=[];a;)ea(l,Zg(a)),a=ep(a);return l}:fv,Dn=Gn;(Sg&&Dn(new Sg(new ArrayBuffer(1)))!=ie||Xu&&Dn(new Xu)!=Se||wg&&Dn(wg.resolve())!=Bt||al&&Dn(new al)!=Ct||Qu&&Dn(new Qu)!=Ee)&&(Dn=function(a){var l=Gn(a),d=l==ze?a.constructor:n,v=d?os(d):"";if(v)switch(v){case tM:return ie;case nM:return Se;case rM:return Bt;case oM:return Ct;case iM:return Ee}return l});function xR(a,l,d){for(var v=-1,k=d.length;++v<k;){var A=d[v],R=A.size;switch(A.type){case"drop":a+=R;break;case"dropRight":l-=R;break;case"take":l=Nn(l,a+R);break;case"takeRight":a=cn(a,l-R);break}}return{start:a,end:l}}function SR(a){var l=a.match(Xi);return l?l[1].split(Wm):[]}function J6(a,l,d){l=ia(l,a);for(var v=-1,k=l.length,A=!1;++v<k;){var R=zo(l[v]);if(!(A=a!=null&&d(a,R)))break;a=a[R]}return A||++v!=k?A:(k=a==null?0:a.length,!!k&&Lp(k)&&_i(R,k)&&(Be(a)||is(a)))}function wR(a){var l=a.length,d=new a.constructor(l);return l&&typeof a[0]=="string"&&mt.call(a,"index")&&(d.index=a.index,d.input=a.input),d}function e9(a){return typeof a.constructor=="function"&&!sc(a)?ll(ep(a)):{}}function CR(a,l,d){var v=a.constructor;switch(l){case ut:return $g(a);case de:case _e:return new v(+a);case ie:return aR(a,d);case Ge:case Et:case wn:case On:case wr:case Oo:case hi:case jn:case Hr:return D6(a,d);case Se:return new v;case Ie:case Xt:return new v(a);case lt:return sR(a);case Ct:return new v;case Ut:return lR(a)}}function _R(a,l){var d=l.length;if(!d)return a;var v=d-1;return l[v]=(d>1?"& ":"")+l[v],l=l.join(d>2?", ":" "),a.replace(Vm,`{ -/* [wrapped with `+l+`] */ -`)}function kR(a){return Be(a)||is(a)||!!(i6&&a&&a[i6])}function _i(a,l){var d=typeof a;return l=l??H,!!l&&(d=="number"||d!="symbol"&&Xm.test(a))&&a>-1&&a%1==0&&a<l}function Zn(a,l,d){if(!$t(d))return!1;var v=typeof l;return(v=="number"?lr(d)&&_i(l,d.length):v=="string"&&l in d)?vo(d[l],a):!1}function qg(a,l){if(Be(a))return!1;var d=typeof a;return d=="number"||d=="symbol"||d=="boolean"||a==null||Er(a)?!0:Fm.test(a)||!zm.test(a)||l!=null&&a in kt(l)}function ER(a){var l=typeof a;return l=="string"||l=="number"||l=="symbol"||l=="boolean"?a!=="__proto__":a===null}function Kg(a){var l=bp(a),d=P[l];if(typeof d!="function"||!(l in Ke.prototype))return!1;if(a===d)return!0;var v=Ug(d);return!!v&&a===v[0]}function LR(a){return!!t6&&t6 in a}var PR=Kd?ki:dv;function sc(a){var l=a&&a.constructor,d=typeof l=="function"&&l.prototype||il;return a===d}function t9(a){return a===a&&!$t(a)}function n9(a,l){return function(d){return d==null?!1:d[a]===l&&(l!==n||a in kt(d))}}function AR(a){var l=kp(a,function(v){return d.size===f&&d.clear(),v}),d=l.cache;return l}function TR(a,l){var d=a[1],v=l[1],k=d|v,A=k<(E|w|N),R=v==N&&d==_||v==N&&d==F&&a[7].length<=l[8]||v==(N|F)&&l[7].length<=l[8]&&d==_;if(!(A||R))return a;v&E&&(a[2]=l[2],k|=d&E?0:x);var D=l[3];if(D){var V=a[3];a[3]=V?F6(V,D,l[4]):D,a[4]=V?ta(a[3],p):l[4]}return D=l[5],D&&(V=a[5],a[5]=V?B6(V,D,l[6]):D,a[6]=V?ta(a[5],p):l[6]),D=l[7],D&&(a[7]=D),v&N&&(a[8]=a[8]==null?l[8]:Nn(a[8],l[8])),a[9]==null&&(a[9]=l[9]),a[0]=l[0],a[1]=k,a}function IR(a){var l=[];if(a!=null)for(var d in kt(a))l.push(d);return l}function MR(a){return Xd.call(a)}function r9(a,l,d){return l=cn(l===n?a.length-1:l,0),function(){for(var v=arguments,k=-1,A=cn(v.length-l,0),R=G(A);++k<A;)R[k]=v[l+k];k=-1;for(var D=G(l+1);++k<l;)D[k]=v[k];return D[l]=d(R),Cr(a,this,D)}}function o9(a,l){return l.length<2?a:ns(a,qr(l,0,-1))}function RR(a,l){for(var d=a.length,v=Nn(l.length,d),k=sr(a);v--;){var A=l[v];a[v]=_i(A,d)?k[A]:n}return a}function Yg(a,l){if(!(l==="constructor"&&typeof a[l]=="function")&&l!="__proto__")return a[l]}var i9=s9(P6),lc=qI||function(a,l){return $e.setTimeout(a,l)},Xg=s9(nR);function a9(a,l,d){var v=l+"";return Xg(a,_R(v,OR(SR(v),d)))}function s9(a){var l=0,d=0;return function(){var v=QI(),k=xe-(v-d);if(d=v,k>0){if(++l>=ve)return arguments[0]}else l=0;return a.apply(n,arguments)}}function Sp(a,l){var d=-1,v=a.length,k=v-1;for(l=l===n?v:l;++d<l;){var A=Rg(d,k),R=a[A];a[A]=a[d],a[d]=R}return a.length=l,a}var l9=AR(function(a){var l=[];return a.charCodeAt(0)===46&&l.push(""),a.replace(po,function(d,v,k,A){l.push(k?A.replace(Um,"$1"):v||d)}),l});function zo(a){if(typeof a=="string"||Er(a))return a;var l=a+"";return l=="0"&&1/a==-ne?"-0":l}function os(a){if(a!=null){try{return Yd.call(a)}catch{}try{return a+""}catch{}}return""}function OR(a,l){return jr(ce,function(d){var v="_."+d[0];l&d[1]&&!Ud(a,v)&&a.push(v)}),a.sort()}function u9(a){if(a instanceof Ke)return a.clone();var l=new Gr(a.__wrapped__,a.__chain__);return l.__actions__=sr(a.__actions__),l.__index__=a.__index__,l.__values__=a.__values__,l}function NR(a,l,d){(d?Zn(a,l,d):l===n)?l=1:l=cn(Ve(l),0);var v=a==null?0:a.length;if(!v||l<1)return[];for(var k=0,A=0,R=G(rp(v/l));k<v;)R[A++]=qr(a,k,k+=l);return R}function DR(a){for(var l=-1,d=a==null?0:a.length,v=0,k=[];++l<d;){var A=a[l];A&&(k[v++]=A)}return k}function zR(){var a=arguments.length;if(!a)return[];for(var l=G(a-1),d=arguments[0],v=a;v--;)l[v-1]=arguments[v];return ea(Be(d)?sr(d):[d],_n(l,1))}var FR=je(function(a,l){return Qt(a)?nc(a,_n(l,1,Qt,!0)):[]}),BR=je(function(a,l){var d=Kr(l);return Qt(d)&&(d=n),Qt(a)?nc(a,_n(l,1,Qt,!0),Me(d,2)):[]}),$R=je(function(a,l){var d=Kr(l);return Qt(d)&&(d=n),Qt(a)?nc(a,_n(l,1,Qt,!0),n,d):[]});function VR(a,l,d){var v=a==null?0:a.length;return v?(l=d||l===n?1:Ve(l),qr(a,l<0?0:l,v)):[]}function WR(a,l,d){var v=a==null?0:a.length;return v?(l=d||l===n?1:Ve(l),l=v-l,qr(a,0,l<0?0:l)):[]}function HR(a,l){return a&&a.length?pp(a,Me(l,3),!0,!0):[]}function jR(a,l){return a&&a.length?pp(a,Me(l,3),!0):[]}function UR(a,l,d,v){var k=a==null?0:a.length;return k?(d&&typeof d!="number"&&Zn(a,l,d)&&(d=0,v=k),zM(a,l,d,v)):[]}function c9(a,l,d){var v=a==null?0:a.length;if(!v)return-1;var k=d==null?0:Ve(d);return k<0&&(k=cn(v+k,0)),Gd(a,Me(l,3),k)}function f9(a,l,d){var v=a==null?0:a.length;if(!v)return-1;var k=v-1;return d!==n&&(k=Ve(d),k=d<0?cn(v+k,0):Nn(k,v-1)),Gd(a,Me(l,3),k,!0)}function d9(a){var l=a==null?0:a.length;return l?_n(a,1):[]}function GR(a){var l=a==null?0:a.length;return l?_n(a,ne):[]}function ZR(a,l){var d=a==null?0:a.length;return d?(l=l===n?1:Ve(l),_n(a,l)):[]}function qR(a){for(var l=-1,d=a==null?0:a.length,v={};++l<d;){var k=a[l];v[k[0]]=k[1]}return v}function p9(a){return a&&a.length?a[0]:n}function KR(a,l,d){var v=a==null?0:a.length;if(!v)return-1;var k=d==null?0:Ve(d);return k<0&&(k=cn(v+k,0)),tl(a,l,k)}function YR(a){var l=a==null?0:a.length;return l?qr(a,0,-1):[]}var XR=je(function(a){var l=Ot(a,Fg);return l.length&&l[0]===a[0]?Pg(l):[]}),QR=je(function(a){var l=Kr(a),d=Ot(a,Fg);return l===Kr(d)?l=n:d.pop(),d.length&&d[0]===a[0]?Pg(d,Me(l,2)):[]}),JR=je(function(a){var l=Kr(a),d=Ot(a,Fg);return l=typeof l=="function"?l:n,l&&d.pop(),d.length&&d[0]===a[0]?Pg(d,n,l):[]});function eO(a,l){return a==null?"":YI.call(a,l)}function Kr(a){var l=a==null?0:a.length;return l?a[l-1]:n}function tO(a,l,d){var v=a==null?0:a.length;if(!v)return-1;var k=v;return d!==n&&(k=Ve(d),k=k<0?cn(v+k,0):Nn(k,v-1)),l===l?OI(a,l,k):Gd(a,Zb,k,!0)}function nO(a,l){return a&&a.length?_6(a,Ve(l)):n}var rO=je(h9);function h9(a,l){return a&&a.length&&l&&l.length?Mg(a,l):a}function oO(a,l,d){return a&&a.length&&l&&l.length?Mg(a,l,Me(d,2)):a}function iO(a,l,d){return a&&a.length&&l&&l.length?Mg(a,l,n,d):a}var aO=Ci(function(a,l){var d=a==null?0:a.length,v=_g(a,l);return L6(a,Ot(l,function(k){return _i(k,d)?+k:k}).sort(z6)),v});function sO(a,l){var d=[];if(!(a&&a.length))return d;var v=-1,k=[],A=a.length;for(l=Me(l,3);++v<A;){var R=a[v];l(R,v,a)&&(d.push(R),k.push(v))}return L6(a,k),d}function Qg(a){return a==null?a:eM.call(a)}function lO(a,l,d){var v=a==null?0:a.length;return v?(d&&typeof d!="number"&&Zn(a,l,d)?(l=0,d=v):(l=l==null?0:Ve(l),d=d===n?v:Ve(d)),qr(a,l,d)):[]}function uO(a,l){return dp(a,l)}function cO(a,l,d){return Ng(a,l,Me(d,2))}function fO(a,l){var d=a==null?0:a.length;if(d){var v=dp(a,l);if(v<d&&vo(a[v],l))return v}return-1}function dO(a,l){return dp(a,l,!0)}function pO(a,l,d){return Ng(a,l,Me(d,2),!0)}function hO(a,l){var d=a==null?0:a.length;if(d){var v=dp(a,l,!0)-1;if(vo(a[v],l))return v}return-1}function mO(a){return a&&a.length?A6(a):[]}function gO(a,l){return a&&a.length?A6(a,Me(l,2)):[]}function vO(a){var l=a==null?0:a.length;return l?qr(a,1,l):[]}function yO(a,l,d){return a&&a.length?(l=d||l===n?1:Ve(l),qr(a,0,l<0?0:l)):[]}function bO(a,l,d){var v=a==null?0:a.length;return v?(l=d||l===n?1:Ve(l),l=v-l,qr(a,l<0?0:l,v)):[]}function xO(a,l){return a&&a.length?pp(a,Me(l,3),!1,!0):[]}function SO(a,l){return a&&a.length?pp(a,Me(l,3)):[]}var wO=je(function(a){return oa(_n(a,1,Qt,!0))}),CO=je(function(a){var l=Kr(a);return Qt(l)&&(l=n),oa(_n(a,1,Qt,!0),Me(l,2))}),_O=je(function(a){var l=Kr(a);return l=typeof l=="function"?l:n,oa(_n(a,1,Qt,!0),n,l)});function kO(a){return a&&a.length?oa(a):[]}function EO(a,l){return a&&a.length?oa(a,Me(l,2)):[]}function LO(a,l){return l=typeof l=="function"?l:n,a&&a.length?oa(a,n,l):[]}function Jg(a){if(!(a&&a.length))return[];var l=0;return a=Ji(a,function(d){if(Qt(d))return l=cn(d.length,l),!0}),gg(l,function(d){return Ot(a,pg(d))})}function m9(a,l){if(!(a&&a.length))return[];var d=Jg(a);return l==null?d:Ot(d,function(v){return Cr(l,n,v)})}var PO=je(function(a,l){return Qt(a)?nc(a,l):[]}),AO=je(function(a){return zg(Ji(a,Qt))}),TO=je(function(a){var l=Kr(a);return Qt(l)&&(l=n),zg(Ji(a,Qt),Me(l,2))}),IO=je(function(a){var l=Kr(a);return l=typeof l=="function"?l:n,zg(Ji(a,Qt),n,l)}),MO=je(Jg);function RO(a,l){return R6(a||[],l||[],tc)}function OO(a,l){return R6(a||[],l||[],ic)}var NO=je(function(a){var l=a.length,d=l>1?a[l-1]:n;return d=typeof d=="function"?(a.pop(),d):n,m9(a,d)});function g9(a){var l=P(a);return l.__chain__=!0,l}function DO(a,l){return l(a),a}function wp(a,l){return l(a)}var zO=Ci(function(a){var l=a.length,d=l?a[0]:0,v=this.__wrapped__,k=function(A){return _g(A,a)};return l>1||this.__actions__.length||!(v instanceof Ke)||!_i(d)?this.thru(k):(v=v.slice(d,+d+(l?1:0)),v.__actions__.push({func:wp,args:[k],thisArg:n}),new Gr(v,this.__chain__).thru(function(A){return l&&!A.length&&A.push(n),A}))});function FO(){return g9(this)}function BO(){return new Gr(this.value(),this.__chain__)}function $O(){this.__values__===n&&(this.__values__=T9(this.value()));var a=this.__index__>=this.__values__.length,l=a?n:this.__values__[this.__index__++];return{done:a,value:l}}function VO(){return this}function WO(a){for(var l,d=this;d instanceof sp;){var v=u9(d);v.__index__=0,v.__values__=n,l?k.__wrapped__=v:l=v;var k=v;d=d.__wrapped__}return k.__wrapped__=a,l}function HO(){var a=this.__wrapped__;if(a instanceof Ke){var l=a;return this.__actions__.length&&(l=new Ke(this)),l=l.reverse(),l.__actions__.push({func:wp,args:[Qg],thisArg:n}),new Gr(l,this.__chain__)}return this.thru(Qg)}function jO(){return M6(this.__wrapped__,this.__actions__)}var UO=hp(function(a,l,d){mt.call(a,d)?++a[d]:Si(a,d,1)});function GO(a,l,d){var v=Be(a)?Ub:DM;return d&&Zn(a,l,d)&&(l=n),v(a,Me(l,3))}function ZO(a,l){var d=Be(a)?Ji:m6;return d(a,Me(l,3))}var qO=H6(c9),KO=H6(f9);function YO(a,l){return _n(Cp(a,l),1)}function XO(a,l){return _n(Cp(a,l),ne)}function QO(a,l,d){return d=d===n?1:Ve(d),_n(Cp(a,l),d)}function v9(a,l){var d=Be(a)?jr:ra;return d(a,Me(l,3))}function y9(a,l){var d=Be(a)?vI:h6;return d(a,Me(l,3))}var JO=hp(function(a,l,d){mt.call(a,d)?a[d].push(l):Si(a,d,[l])});function eN(a,l,d,v){a=lr(a)?a:pl(a),d=d&&!v?Ve(d):0;var k=a.length;return d<0&&(d=cn(k+d,0)),Pp(a)?d<=k&&a.indexOf(l,d)>-1:!!k&&tl(a,l,d)>-1}var tN=je(function(a,l,d){var v=-1,k=typeof l=="function",A=lr(a)?G(a.length):[];return ra(a,function(R){A[++v]=k?Cr(l,R,d):rc(R,l,d)}),A}),nN=hp(function(a,l,d){Si(a,d,l)});function Cp(a,l){var d=Be(a)?Ot:S6;return d(a,Me(l,3))}function rN(a,l,d,v){return a==null?[]:(Be(l)||(l=l==null?[]:[l]),d=v?n:d,Be(d)||(d=d==null?[]:[d]),k6(a,l,d))}var oN=hp(function(a,l,d){a[d?0:1].push(l)},function(){return[[],[]]});function iN(a,l,d){var v=Be(a)?fg:Kb,k=arguments.length<3;return v(a,Me(l,4),d,k,ra)}function aN(a,l,d){var v=Be(a)?yI:Kb,k=arguments.length<3;return v(a,Me(l,4),d,k,h6)}function sN(a,l){var d=Be(a)?Ji:m6;return d(a,Ep(Me(l,3)))}function lN(a){var l=Be(a)?c6:eR;return l(a)}function uN(a,l,d){(d?Zn(a,l,d):l===n)?l=1:l=Ve(l);var v=Be(a)?IM:tR;return v(a,l)}function cN(a){var l=Be(a)?MM:rR;return l(a)}function fN(a){if(a==null)return 0;if(lr(a))return Pp(a)?rl(a):a.length;var l=Dn(a);return l==Se||l==Ct?a.size:Tg(a).length}function dN(a,l,d){var v=Be(a)?dg:oR;return d&&Zn(a,l,d)&&(l=n),v(a,Me(l,3))}var pN=je(function(a,l){if(a==null)return[];var d=l.length;return d>1&&Zn(a,l[0],l[1])?l=[]:d>2&&Zn(l[0],l[1],l[2])&&(l=[l[0]]),k6(a,_n(l,1),[])}),_p=ZI||function(){return $e.Date.now()};function hN(a,l){if(typeof l!="function")throw new Ur(s);return a=Ve(a),function(){if(--a<1)return l.apply(this,arguments)}}function b9(a,l,d){return l=d?n:l,l=a&&l==null?a.length:l,wi(a,N,n,n,n,n,l)}function x9(a,l){var d;if(typeof l!="function")throw new Ur(s);return a=Ve(a),function(){return--a>0&&(d=l.apply(this,arguments)),a<=1&&(l=n),d}}var ev=je(function(a,l,d){var v=E;if(d.length){var k=ta(d,fl(ev));v|=T}return wi(a,v,l,d,k)}),S9=je(function(a,l,d){var v=E|w;if(d.length){var k=ta(d,fl(S9));v|=T}return wi(l,v,a,d,k)});function w9(a,l,d){l=d?n:l;var v=wi(a,_,n,n,n,n,n,l);return v.placeholder=w9.placeholder,v}function C9(a,l,d){l=d?n:l;var v=wi(a,L,n,n,n,n,n,l);return v.placeholder=C9.placeholder,v}function _9(a,l,d){var v,k,A,R,D,V,ee=0,te=!1,ae=!1,ge=!0;if(typeof a!="function")throw new Ur(s);l=Yr(l)||0,$t(d)&&(te=!!d.leading,ae="maxWait"in d,A=ae?cn(Yr(d.maxWait)||0,l):A,ge="trailing"in d?!!d.trailing:ge);function Pe(Jt){var yo=v,Li=k;return v=k=n,ee=Jt,R=a.apply(Li,yo),R}function Re(Jt){return ee=Jt,D=lc(qe,l),te?Pe(Jt):R}function We(Jt){var yo=Jt-V,Li=Jt-ee,H9=l-yo;return ae?Nn(H9,A-Li):H9}function Oe(Jt){var yo=Jt-V,Li=Jt-ee;return V===n||yo>=l||yo<0||ae&&Li>=A}function qe(){var Jt=_p();if(Oe(Jt))return Xe(Jt);D=lc(qe,We(Jt))}function Xe(Jt){return D=n,ge&&v?Pe(Jt):(v=k=n,R)}function Lr(){D!==n&&O6(D),ee=0,v=V=k=D=n}function qn(){return D===n?R:Xe(_p())}function Pr(){var Jt=_p(),yo=Oe(Jt);if(v=arguments,k=this,V=Jt,yo){if(D===n)return Re(V);if(ae)return O6(D),D=lc(qe,l),Pe(V)}return D===n&&(D=lc(qe,l)),R}return Pr.cancel=Lr,Pr.flush=qn,Pr}var mN=je(function(a,l){return p6(a,1,l)}),gN=je(function(a,l,d){return p6(a,Yr(l)||0,d)});function vN(a){return wi(a,q)}function kp(a,l){if(typeof a!="function"||l!=null&&typeof l!="function")throw new Ur(s);var d=function(){var v=arguments,k=l?l.apply(this,v):v[0],A=d.cache;if(A.has(k))return A.get(k);var R=a.apply(this,v);return d.cache=A.set(k,R)||A,R};return d.cache=new(kp.Cache||xi),d}kp.Cache=xi;function Ep(a){if(typeof a!="function")throw new Ur(s);return function(){var l=arguments;switch(l.length){case 0:return!a.call(this);case 1:return!a.call(this,l[0]);case 2:return!a.call(this,l[0],l[1]);case 3:return!a.call(this,l[0],l[1],l[2])}return!a.apply(this,l)}}function yN(a){return x9(2,a)}var bN=iR(function(a,l){l=l.length==1&&Be(l[0])?Ot(l[0],_r(Me())):Ot(_n(l,1),_r(Me()));var d=l.length;return je(function(v){for(var k=-1,A=Nn(v.length,d);++k<A;)v[k]=l[k].call(this,v[k]);return Cr(a,this,v)})}),tv=je(function(a,l){var d=ta(l,fl(tv));return wi(a,T,n,l,d)}),k9=je(function(a,l){var d=ta(l,fl(k9));return wi(a,O,n,l,d)}),xN=Ci(function(a,l){return wi(a,F,n,n,n,l)});function SN(a,l){if(typeof a!="function")throw new Ur(s);return l=l===n?l:Ve(l),je(a,l)}function wN(a,l){if(typeof a!="function")throw new Ur(s);return l=l==null?0:cn(Ve(l),0),je(function(d){var v=d[l],k=aa(d,0,l);return v&&ea(k,v),Cr(a,this,k)})}function CN(a,l,d){var v=!0,k=!0;if(typeof a!="function")throw new Ur(s);return $t(d)&&(v="leading"in d?!!d.leading:v,k="trailing"in d?!!d.trailing:k),_9(a,l,{leading:v,maxWait:l,trailing:k})}function _N(a){return b9(a,1)}function kN(a,l){return tv(Bg(l),a)}function EN(){if(!arguments.length)return[];var a=arguments[0];return Be(a)?a:[a]}function LN(a){return Zr(a,g)}function PN(a,l){return l=typeof l=="function"?l:n,Zr(a,g,l)}function AN(a){return Zr(a,h|g)}function TN(a,l){return l=typeof l=="function"?l:n,Zr(a,h|g,l)}function IN(a,l){return l==null||d6(a,l,vn(l))}function vo(a,l){return a===l||a!==a&&l!==l}var MN=yp(Lg),RN=yp(function(a,l){return a>=l}),is=y6(function(){return arguments}())?y6:function(a){return Gt(a)&&mt.call(a,"callee")&&!o6.call(a,"callee")},Be=G.isArray,ON=Js?_r(Js):WM;function lr(a){return a!=null&&Lp(a.length)&&!ki(a)}function Qt(a){return Gt(a)&&lr(a)}function NN(a){return a===!0||a===!1||Gt(a)&&Gn(a)==de}var sa=KI||dv,DN=el?_r(el):HM;function zN(a){return Gt(a)&&a.nodeType===1&&!uc(a)}function FN(a){if(a==null)return!0;if(lr(a)&&(Be(a)||typeof a=="string"||typeof a.splice=="function"||sa(a)||dl(a)||is(a)))return!a.length;var l=Dn(a);if(l==Se||l==Ct)return!a.size;if(sc(a))return!Tg(a).length;for(var d in a)if(mt.call(a,d))return!1;return!0}function BN(a,l){return oc(a,l)}function $N(a,l,d){d=typeof d=="function"?d:n;var v=d?d(a,l):n;return v===n?oc(a,l,n,d):!!v}function nv(a){if(!Gt(a))return!1;var l=Gn(a);return l==st||l==De||typeof a.message=="string"&&typeof a.name=="string"&&!uc(a)}function VN(a){return typeof a=="number"&&a6(a)}function ki(a){if(!$t(a))return!1;var l=Gn(a);return l==Tt||l==hn||l==Le||l==mn}function E9(a){return typeof a=="number"&&a==Ve(a)}function Lp(a){return typeof a=="number"&&a>-1&&a%1==0&&a<=H}function $t(a){var l=typeof a;return a!=null&&(l=="object"||l=="function")}function Gt(a){return a!=null&&typeof a=="object"}var L9=qu?_r(qu):UM;function WN(a,l){return a===l||Ag(a,l,Gg(l))}function HN(a,l,d){return d=typeof d=="function"?d:n,Ag(a,l,Gg(l),d)}function jN(a){return P9(a)&&a!=+a}function UN(a){if(PR(a))throw new Fe(i);return b6(a)}function GN(a){return a===null}function ZN(a){return a==null}function P9(a){return typeof a=="number"||Gt(a)&&Gn(a)==Ie}function uc(a){if(!Gt(a)||Gn(a)!=ze)return!1;var l=ep(a);if(l===null)return!0;var d=mt.call(l,"constructor")&&l.constructor;return typeof d=="function"&&d instanceof d&&Yd.call(d)==HI}var rv=Wb?_r(Wb):GM;function qN(a){return E9(a)&&a>=-H&&a<=H}var A9=Hb?_r(Hb):ZM;function Pp(a){return typeof a=="string"||!Be(a)&&Gt(a)&&Gn(a)==Xt}function Er(a){return typeof a=="symbol"||Gt(a)&&Gn(a)==Ut}var dl=jb?_r(jb):qM;function KN(a){return a===n}function YN(a){return Gt(a)&&Dn(a)==Ee}function XN(a){return Gt(a)&&Gn(a)==pt}var QN=yp(Ig),JN=yp(function(a,l){return a<=l});function T9(a){if(!a)return[];if(lr(a))return Pp(a)?mo(a):sr(a);if(Yu&&a[Yu])return II(a[Yu]());var l=Dn(a),d=l==Se?yg:l==Ct?Zd:pl;return d(a)}function Ei(a){if(!a)return a===0?a:0;if(a=Yr(a),a===ne||a===-ne){var l=a<0?-1:1;return l*K}return a===a?a:0}function Ve(a){var l=Ei(a),d=l%1;return l===l?d?l-d:l:0}function I9(a){return a?ts(Ve(a),0,M):0}function Yr(a){if(typeof a=="number")return a;if(Er(a))return Z;if($t(a)){var l=typeof a.valueOf=="function"?a.valueOf():a;a=$t(l)?l+"":l}if(typeof a!="string")return a===0?a:+a;a=Yb(a);var d=qm.test(a);return d||Ym.test(a)?we(a.slice(2),d?2:8):Zm.test(a)?Z:+a}function M9(a){return Do(a,ur(a))}function eD(a){return a?ts(Ve(a),-H,H):a===0?a:0}function ct(a){return a==null?"":kr(a)}var tD=ul(function(a,l){if(sc(l)||lr(l)){Do(l,vn(l),a);return}for(var d in l)mt.call(l,d)&&tc(a,d,l[d])}),R9=ul(function(a,l){Do(l,ur(l),a)}),Ap=ul(function(a,l,d,v){Do(l,ur(l),a,v)}),nD=ul(function(a,l,d,v){Do(l,vn(l),a,v)}),rD=Ci(_g);function oD(a,l){var d=ll(a);return l==null?d:f6(d,l)}var iD=je(function(a,l){a=kt(a);var d=-1,v=l.length,k=v>2?l[2]:n;for(k&&Zn(l[0],l[1],k)&&(v=1);++d<v;)for(var A=l[d],R=ur(A),D=-1,V=R.length;++D<V;){var ee=R[D],te=a[ee];(te===n||vo(te,il[ee])&&!mt.call(a,ee))&&(a[ee]=A[ee])}return a}),aD=je(function(a){return a.push(n,Y6),Cr(O9,n,a)});function sD(a,l){return Gb(a,Me(l,3),No)}function lD(a,l){return Gb(a,Me(l,3),Eg)}function uD(a,l){return a==null?a:kg(a,Me(l,3),ur)}function cD(a,l){return a==null?a:g6(a,Me(l,3),ur)}function fD(a,l){return a&&No(a,Me(l,3))}function dD(a,l){return a&&Eg(a,Me(l,3))}function pD(a){return a==null?[]:cp(a,vn(a))}function hD(a){return a==null?[]:cp(a,ur(a))}function ov(a,l,d){var v=a==null?n:ns(a,l);return v===n?d:v}function mD(a,l){return a!=null&&J6(a,l,FM)}function iv(a,l){return a!=null&&J6(a,l,BM)}var gD=U6(function(a,l,d){l!=null&&typeof l.toString!="function"&&(l=Xd.call(l)),a[l]=d},sv(cr)),vD=U6(function(a,l,d){l!=null&&typeof l.toString!="function"&&(l=Xd.call(l)),mt.call(a,l)?a[l].push(d):a[l]=[d]},Me),yD=je(rc);function vn(a){return lr(a)?u6(a):Tg(a)}function ur(a){return lr(a)?u6(a,!0):KM(a)}function bD(a,l){var d={};return l=Me(l,3),No(a,function(v,k,A){Si(d,l(v,k,A),v)}),d}function xD(a,l){var d={};return l=Me(l,3),No(a,function(v,k,A){Si(d,k,l(v,k,A))}),d}var SD=ul(function(a,l,d){fp(a,l,d)}),O9=ul(function(a,l,d,v){fp(a,l,d,v)}),wD=Ci(function(a,l){var d={};if(a==null)return d;var v=!1;l=Ot(l,function(A){return A=ia(A,a),v||(v=A.length>1),A}),Do(a,jg(a),d),v&&(d=Zr(d,h|m|g,gR));for(var k=l.length;k--;)Dg(d,l[k]);return d});function CD(a,l){return N9(a,Ep(Me(l)))}var _D=Ci(function(a,l){return a==null?{}:XM(a,l)});function N9(a,l){if(a==null)return{};var d=Ot(jg(a),function(v){return[v]});return l=Me(l),E6(a,d,function(v,k){return l(v,k[0])})}function kD(a,l,d){l=ia(l,a);var v=-1,k=l.length;for(k||(k=1,a=n);++v<k;){var A=a==null?n:a[zo(l[v])];A===n&&(v=k,A=d),a=ki(A)?A.call(a):A}return a}function ED(a,l,d){return a==null?a:ic(a,l,d)}function LD(a,l,d,v){return v=typeof v=="function"?v:n,a==null?a:ic(a,l,d,v)}var D9=q6(vn),z9=q6(ur);function PD(a,l,d){var v=Be(a),k=v||sa(a)||dl(a);if(l=Me(l,4),d==null){var A=a&&a.constructor;k?d=v?new A:[]:$t(a)?d=ki(A)?ll(ep(a)):{}:d={}}return(k?jr:No)(a,function(R,D,V){return l(d,R,D,V)}),d}function AD(a,l){return a==null?!0:Dg(a,l)}function TD(a,l,d){return a==null?a:I6(a,l,Bg(d))}function ID(a,l,d,v){return v=typeof v=="function"?v:n,a==null?a:I6(a,l,Bg(d),v)}function pl(a){return a==null?[]:vg(a,vn(a))}function MD(a){return a==null?[]:vg(a,ur(a))}function RD(a,l,d){return d===n&&(d=l,l=n),d!==n&&(d=Yr(d),d=d===d?d:0),l!==n&&(l=Yr(l),l=l===l?l:0),ts(Yr(a),l,d)}function OD(a,l,d){return l=Ei(l),d===n?(d=l,l=0):d=Ei(d),a=Yr(a),$M(a,l,d)}function ND(a,l,d){if(d&&typeof d!="boolean"&&Zn(a,l,d)&&(l=d=n),d===n&&(typeof l=="boolean"?(d=l,l=n):typeof a=="boolean"&&(d=a,a=n)),a===n&&l===n?(a=0,l=1):(a=Ei(a),l===n?(l=a,a=0):l=Ei(l)),a>l){var v=a;a=l,l=v}if(d||a%1||l%1){var k=s6();return Nn(a+k*(l-a+U("1e-"+((k+"").length-1))),l)}return Rg(a,l)}var DD=cl(function(a,l,d){return l=l.toLowerCase(),a+(d?F9(l):l)});function F9(a){return av(ct(a).toLowerCase())}function B9(a){return a=ct(a),a&&a.replace(Qm,EI).replace(Vd,"")}function zD(a,l,d){a=ct(a),l=kr(l);var v=a.length;d=d===n?v:ts(Ve(d),0,v);var k=d;return d-=l.length,d>=0&&a.slice(d,k)==l}function FD(a){return a=ct(a),a&&mi.test(a)?a.replace(Yi,LI):a}function BD(a){return a=ct(a),a&&Bm.test(a)?a.replace(zu,"\\$&"):a}var $D=cl(function(a,l,d){return a+(d?"-":"")+l.toLowerCase()}),VD=cl(function(a,l,d){return a+(d?" ":"")+l.toLowerCase()}),WD=W6("toLowerCase");function HD(a,l,d){a=ct(a),l=Ve(l);var v=l?rl(a):0;if(!l||v>=l)return a;var k=(l-v)/2;return vp(op(k),d)+a+vp(rp(k),d)}function jD(a,l,d){a=ct(a),l=Ve(l);var v=l?rl(a):0;return l&&v<l?a+vp(l-v,d):a}function UD(a,l,d){a=ct(a),l=Ve(l);var v=l?rl(a):0;return l&&v<l?vp(l-v,d)+a:a}function GD(a,l,d){return d||l==null?l=0:l&&(l=+l),JI(ct(a).replace(Fu,""),l||0)}function ZD(a,l,d){return(d?Zn(a,l,d):l===n)?l=1:l=Ve(l),Og(ct(a),l)}function qD(){var a=arguments,l=ct(a[0]);return a.length<3?l:l.replace(a[1],a[2])}var KD=cl(function(a,l,d){return a+(d?"_":"")+l.toLowerCase()});function YD(a,l,d){return d&&typeof d!="number"&&Zn(a,l,d)&&(l=d=n),d=d===n?M:d>>>0,d?(a=ct(a),a&&(typeof l=="string"||l!=null&&!rv(l))&&(l=kr(l),!l&&nl(a))?aa(mo(a),0,d):a.split(l,d)):[]}var XD=cl(function(a,l,d){return a+(d?" ":"")+av(l)});function QD(a,l,d){return a=ct(a),d=d==null?0:ts(Ve(d),0,a.length),l=kr(l),a.slice(d,d+l.length)==l}function JD(a,l,d){var v=P.templateSettings;d&&Zn(a,l,d)&&(l=n),a=ct(a),l=Ap({},l,v,K6);var k=Ap({},l.imports,v.imports,K6),A=vn(k),R=vg(k,A),D,V,ee=0,te=l.interpolate||Qi,ae="__p += '",ge=bg((l.escape||Qi).source+"|"+te.source+"|"+(te===Cd?Gm:Qi).source+"|"+(l.evaluate||Qi).source+"|$","g"),Pe="//# sourceURL="+(mt.call(l,"sourceURL")?(l.sourceURL+"").replace(/\s/g," "):"lodash.templateSources["+ ++Hd+"]")+` -`;a.replace(ge,function(Oe,qe,Xe,Lr,qn,Pr){return Xe||(Xe=Lr),ae+=a.slice(ee,Pr).replace(Jm,PI),qe&&(D=!0,ae+=`' + -__e(`+qe+`) + -'`),qn&&(V=!0,ae+=`'; -`+qn+`; -__p += '`),Xe&&(ae+=`' + -((__t = (`+Xe+`)) == null ? '' : __t) + -'`),ee=Pr+Oe.length,Oe}),ae+=`'; -`;var Re=mt.call(l,"variable")&&l.variable;if(!Re)ae=`with (obj) { -`+ae+` -} -`;else if(jm.test(Re))throw new Fe(u);ae=(V?ae.replace(Ya,""):ae).replace(Us,"$1").replace(Rm,"$1;"),ae="function("+(Re||"obj")+`) { -`+(Re?"":`obj || (obj = {}); -`)+"var __t, __p = ''"+(D?", __e = _.escape":"")+(V?`, __j = Array.prototype.join; -function print() { __p += __j.call(arguments, '') } -`:`; -`)+ae+`return __p -}`;var We=V9(function(){return rt(A,Pe+"return "+ae).apply(n,R)});if(We.source=ae,nv(We))throw We;return We}function ez(a){return ct(a).toLowerCase()}function tz(a){return ct(a).toUpperCase()}function nz(a,l,d){if(a=ct(a),a&&(d||l===n))return Yb(a);if(!a||!(l=kr(l)))return a;var v=mo(a),k=mo(l),A=Xb(v,k),R=Qb(v,k)+1;return aa(v,A,R).join("")}function rz(a,l,d){if(a=ct(a),a&&(d||l===n))return a.slice(0,e6(a)+1);if(!a||!(l=kr(l)))return a;var v=mo(a),k=Qb(v,mo(l))+1;return aa(v,0,k).join("")}function oz(a,l,d){if(a=ct(a),a&&(d||l===n))return a.replace(Fu,"");if(!a||!(l=kr(l)))return a;var v=mo(a),k=Xb(v,mo(l));return aa(v,k).join("")}function iz(a,l){var d=W,v=J;if($t(l)){var k="separator"in l?l.separator:k;d="length"in l?Ve(l.length):d,v="omission"in l?kr(l.omission):v}a=ct(a);var A=a.length;if(nl(a)){var R=mo(a);A=R.length}if(d>=A)return a;var D=d-rl(v);if(D<1)return v;var V=R?aa(R,0,D).join(""):a.slice(0,D);if(k===n)return V+v;if(R&&(D+=V.length-D),rv(k)){if(a.slice(D).search(k)){var ee,te=V;for(k.global||(k=bg(k.source,ct(gi.exec(k))+"g")),k.lastIndex=0;ee=k.exec(te);)var ae=ee.index;V=V.slice(0,ae===n?D:ae)}}else if(a.indexOf(kr(k),D)!=D){var ge=V.lastIndexOf(k);ge>-1&&(V=V.slice(0,ge))}return V+v}function az(a){return a=ct(a),a&&Om.test(a)?a.replace(Du,NI):a}var sz=cl(function(a,l,d){return a+(d?" ":"")+l.toUpperCase()}),av=W6("toUpperCase");function $9(a,l,d){return a=ct(a),l=d?n:l,l===n?TI(a)?FI(a):SI(a):a.match(l)||[]}var V9=je(function(a,l){try{return Cr(a,n,l)}catch(d){return nv(d)?d:new Fe(d)}}),lz=Ci(function(a,l){return jr(l,function(d){d=zo(d),Si(a,d,ev(a[d],a))}),a});function uz(a){var l=a==null?0:a.length,d=Me();return a=l?Ot(a,function(v){if(typeof v[1]!="function")throw new Ur(s);return[d(v[0]),v[1]]}):[],je(function(v){for(var k=-1;++k<l;){var A=a[k];if(Cr(A[0],this,v))return Cr(A[1],this,v)}})}function cz(a){return NM(Zr(a,h))}function sv(a){return function(){return a}}function fz(a,l){return a==null||a!==a?l:a}var dz=j6(),pz=j6(!0);function cr(a){return a}function lv(a){return x6(typeof a=="function"?a:Zr(a,h))}function hz(a){return w6(Zr(a,h))}function mz(a,l){return C6(a,Zr(l,h))}var gz=je(function(a,l){return function(d){return rc(d,a,l)}}),vz=je(function(a,l){return function(d){return rc(a,d,l)}});function uv(a,l,d){var v=vn(l),k=cp(l,v);d==null&&!($t(l)&&(k.length||!v.length))&&(d=l,l=a,a=this,k=cp(l,vn(l)));var A=!($t(d)&&"chain"in d)||!!d.chain,R=ki(a);return jr(k,function(D){var V=l[D];a[D]=V,R&&(a.prototype[D]=function(){var ee=this.__chain__;if(A||ee){var te=a(this.__wrapped__),ae=te.__actions__=sr(this.__actions__);return ae.push({func:V,args:arguments,thisArg:a}),te.__chain__=ee,te}return V.apply(a,ea([this.value()],arguments))})}),a}function yz(){return $e._===this&&($e._=jI),this}function cv(){}function bz(a){return a=Ve(a),je(function(l){return _6(l,a)})}var xz=Vg(Ot),Sz=Vg(Ub),wz=Vg(dg);function W9(a){return qg(a)?pg(zo(a)):QM(a)}function Cz(a){return function(l){return a==null?n:ns(a,l)}}var _z=G6(),kz=G6(!0);function fv(){return[]}function dv(){return!1}function Ez(){return{}}function Lz(){return""}function Pz(){return!0}function Az(a,l){if(a=Ve(a),a<1||a>H)return[];var d=M,v=Nn(a,M);l=Me(l),a-=M;for(var k=gg(v,l);++d<a;)l(d);return k}function Tz(a){return Be(a)?Ot(a,zo):Er(a)?[a]:sr(l9(ct(a)))}function Iz(a){var l=++WI;return ct(a)+l}var Mz=gp(function(a,l){return a+l},0),Rz=Wg("ceil"),Oz=gp(function(a,l){return a/l},1),Nz=Wg("floor");function Dz(a){return a&&a.length?up(a,cr,Lg):n}function zz(a,l){return a&&a.length?up(a,Me(l,2),Lg):n}function Fz(a){return qb(a,cr)}function Bz(a,l){return qb(a,Me(l,2))}function $z(a){return a&&a.length?up(a,cr,Ig):n}function Vz(a,l){return a&&a.length?up(a,Me(l,2),Ig):n}var Wz=gp(function(a,l){return a*l},1),Hz=Wg("round"),jz=gp(function(a,l){return a-l},0);function Uz(a){return a&&a.length?mg(a,cr):0}function Gz(a,l){return a&&a.length?mg(a,Me(l,2)):0}return P.after=hN,P.ary=b9,P.assign=tD,P.assignIn=R9,P.assignInWith=Ap,P.assignWith=nD,P.at=rD,P.before=x9,P.bind=ev,P.bindAll=lz,P.bindKey=S9,P.castArray=EN,P.chain=g9,P.chunk=NR,P.compact=DR,P.concat=zR,P.cond=uz,P.conforms=cz,P.constant=sv,P.countBy=UO,P.create=oD,P.curry=w9,P.curryRight=C9,P.debounce=_9,P.defaults=iD,P.defaultsDeep=aD,P.defer=mN,P.delay=gN,P.difference=FR,P.differenceBy=BR,P.differenceWith=$R,P.drop=VR,P.dropRight=WR,P.dropRightWhile=HR,P.dropWhile=jR,P.fill=UR,P.filter=ZO,P.flatMap=YO,P.flatMapDeep=XO,P.flatMapDepth=QO,P.flatten=d9,P.flattenDeep=GR,P.flattenDepth=ZR,P.flip=vN,P.flow=dz,P.flowRight=pz,P.fromPairs=qR,P.functions=pD,P.functionsIn=hD,P.groupBy=JO,P.initial=YR,P.intersection=XR,P.intersectionBy=QR,P.intersectionWith=JR,P.invert=gD,P.invertBy=vD,P.invokeMap=tN,P.iteratee=lv,P.keyBy=nN,P.keys=vn,P.keysIn=ur,P.map=Cp,P.mapKeys=bD,P.mapValues=xD,P.matches=hz,P.matchesProperty=mz,P.memoize=kp,P.merge=SD,P.mergeWith=O9,P.method=gz,P.methodOf=vz,P.mixin=uv,P.negate=Ep,P.nthArg=bz,P.omit=wD,P.omitBy=CD,P.once=yN,P.orderBy=rN,P.over=xz,P.overArgs=bN,P.overEvery=Sz,P.overSome=wz,P.partial=tv,P.partialRight=k9,P.partition=oN,P.pick=_D,P.pickBy=N9,P.property=W9,P.propertyOf=Cz,P.pull=rO,P.pullAll=h9,P.pullAllBy=oO,P.pullAllWith=iO,P.pullAt=aO,P.range=_z,P.rangeRight=kz,P.rearg=xN,P.reject=sN,P.remove=sO,P.rest=SN,P.reverse=Qg,P.sampleSize=uN,P.set=ED,P.setWith=LD,P.shuffle=cN,P.slice=lO,P.sortBy=pN,P.sortedUniq=mO,P.sortedUniqBy=gO,P.split=YD,P.spread=wN,P.tail=vO,P.take=yO,P.takeRight=bO,P.takeRightWhile=xO,P.takeWhile=SO,P.tap=DO,P.throttle=CN,P.thru=wp,P.toArray=T9,P.toPairs=D9,P.toPairsIn=z9,P.toPath=Tz,P.toPlainObject=M9,P.transform=PD,P.unary=_N,P.union=wO,P.unionBy=CO,P.unionWith=_O,P.uniq=kO,P.uniqBy=EO,P.uniqWith=LO,P.unset=AD,P.unzip=Jg,P.unzipWith=m9,P.update=TD,P.updateWith=ID,P.values=pl,P.valuesIn=MD,P.without=PO,P.words=$9,P.wrap=kN,P.xor=AO,P.xorBy=TO,P.xorWith=IO,P.zip=MO,P.zipObject=RO,P.zipObjectDeep=OO,P.zipWith=NO,P.entries=D9,P.entriesIn=z9,P.extend=R9,P.extendWith=Ap,uv(P,P),P.add=Mz,P.attempt=V9,P.camelCase=DD,P.capitalize=F9,P.ceil=Rz,P.clamp=RD,P.clone=LN,P.cloneDeep=AN,P.cloneDeepWith=TN,P.cloneWith=PN,P.conformsTo=IN,P.deburr=B9,P.defaultTo=fz,P.divide=Oz,P.endsWith=zD,P.eq=vo,P.escape=FD,P.escapeRegExp=BD,P.every=GO,P.find=qO,P.findIndex=c9,P.findKey=sD,P.findLast=KO,P.findLastIndex=f9,P.findLastKey=lD,P.floor=Nz,P.forEach=v9,P.forEachRight=y9,P.forIn=uD,P.forInRight=cD,P.forOwn=fD,P.forOwnRight=dD,P.get=ov,P.gt=MN,P.gte=RN,P.has=mD,P.hasIn=iv,P.head=p9,P.identity=cr,P.includes=eN,P.indexOf=KR,P.inRange=OD,P.invoke=yD,P.isArguments=is,P.isArray=Be,P.isArrayBuffer=ON,P.isArrayLike=lr,P.isArrayLikeObject=Qt,P.isBoolean=NN,P.isBuffer=sa,P.isDate=DN,P.isElement=zN,P.isEmpty=FN,P.isEqual=BN,P.isEqualWith=$N,P.isError=nv,P.isFinite=VN,P.isFunction=ki,P.isInteger=E9,P.isLength=Lp,P.isMap=L9,P.isMatch=WN,P.isMatchWith=HN,P.isNaN=jN,P.isNative=UN,P.isNil=ZN,P.isNull=GN,P.isNumber=P9,P.isObject=$t,P.isObjectLike=Gt,P.isPlainObject=uc,P.isRegExp=rv,P.isSafeInteger=qN,P.isSet=A9,P.isString=Pp,P.isSymbol=Er,P.isTypedArray=dl,P.isUndefined=KN,P.isWeakMap=YN,P.isWeakSet=XN,P.join=eO,P.kebabCase=$D,P.last=Kr,P.lastIndexOf=tO,P.lowerCase=VD,P.lowerFirst=WD,P.lt=QN,P.lte=JN,P.max=Dz,P.maxBy=zz,P.mean=Fz,P.meanBy=Bz,P.min=$z,P.minBy=Vz,P.stubArray=fv,P.stubFalse=dv,P.stubObject=Ez,P.stubString=Lz,P.stubTrue=Pz,P.multiply=Wz,P.nth=nO,P.noConflict=yz,P.noop=cv,P.now=_p,P.pad=HD,P.padEnd=jD,P.padStart=UD,P.parseInt=GD,P.random=ND,P.reduce=iN,P.reduceRight=aN,P.repeat=ZD,P.replace=qD,P.result=kD,P.round=Hz,P.runInContext=$,P.sample=lN,P.size=fN,P.snakeCase=KD,P.some=dN,P.sortedIndex=uO,P.sortedIndexBy=cO,P.sortedIndexOf=fO,P.sortedLastIndex=dO,P.sortedLastIndexBy=pO,P.sortedLastIndexOf=hO,P.startCase=XD,P.startsWith=QD,P.subtract=jz,P.sum=Uz,P.sumBy=Gz,P.template=JD,P.times=Az,P.toFinite=Ei,P.toInteger=Ve,P.toLength=I9,P.toLower=ez,P.toNumber=Yr,P.toSafeInteger=eD,P.toString=ct,P.toUpper=tz,P.trim=nz,P.trimEnd=rz,P.trimStart=oz,P.truncate=iz,P.unescape=az,P.uniqueId=Iz,P.upperCase=sz,P.upperFirst=av,P.each=v9,P.eachRight=y9,P.first=p9,uv(P,function(){var a={};return No(P,function(l,d){mt.call(P.prototype,d)||(a[d]=l)}),a}(),{chain:!1}),P.VERSION=r,jr(["bind","bindKey","curry","curryRight","partial","partialRight"],function(a){P[a].placeholder=P}),jr(["drop","take"],function(a,l){Ke.prototype[a]=function(d){d=d===n?1:cn(Ve(d),0);var v=this.__filtered__&&!l?new Ke(this):this.clone();return v.__filtered__?v.__takeCount__=Nn(d,v.__takeCount__):v.__views__.push({size:Nn(d,M),type:a+(v.__dir__<0?"Right":"")}),v},Ke.prototype[a+"Right"]=function(d){return this.reverse()[a](d).reverse()}}),jr(["filter","map","takeWhile"],function(a,l){var d=l+1,v=d==he||d==me;Ke.prototype[a]=function(k){var A=this.clone();return A.__iteratees__.push({iteratee:Me(k,3),type:d}),A.__filtered__=A.__filtered__||v,A}}),jr(["head","last"],function(a,l){var d="take"+(l?"Right":"");Ke.prototype[a]=function(){return this[d](1).value()[0]}}),jr(["initial","tail"],function(a,l){var d="drop"+(l?"":"Right");Ke.prototype[a]=function(){return this.__filtered__?new Ke(this):this[d](1)}}),Ke.prototype.compact=function(){return this.filter(cr)},Ke.prototype.find=function(a){return this.filter(a).head()},Ke.prototype.findLast=function(a){return this.reverse().find(a)},Ke.prototype.invokeMap=je(function(a,l){return typeof a=="function"?new Ke(this):this.map(function(d){return rc(d,a,l)})}),Ke.prototype.reject=function(a){return this.filter(Ep(Me(a)))},Ke.prototype.slice=function(a,l){a=Ve(a);var d=this;return d.__filtered__&&(a>0||l<0)?new Ke(d):(a<0?d=d.takeRight(-a):a&&(d=d.drop(a)),l!==n&&(l=Ve(l),d=l<0?d.dropRight(-l):d.take(l-a)),d)},Ke.prototype.takeRightWhile=function(a){return this.reverse().takeWhile(a).reverse()},Ke.prototype.toArray=function(){return this.take(M)},No(Ke.prototype,function(a,l){var d=/^(?:filter|find|map|reject)|While$/.test(l),v=/^(?:head|last)$/.test(l),k=P[v?"take"+(l=="last"?"Right":""):l],A=v||/^find/.test(l);!k||(P.prototype[l]=function(){var R=this.__wrapped__,D=v?[1]:arguments,V=R instanceof Ke,ee=D[0],te=V||Be(R),ae=function(qe){var Xe=k.apply(P,ea([qe],D));return v&&ge?Xe[0]:Xe};te&&d&&typeof ee=="function"&&ee.length!=1&&(V=te=!1);var ge=this.__chain__,Pe=!!this.__actions__.length,Re=A&&!ge,We=V&&!Pe;if(!A&&te){R=We?R:new Ke(this);var Oe=a.apply(R,D);return Oe.__actions__.push({func:wp,args:[ae],thisArg:n}),new Gr(Oe,ge)}return Re&&We?a.apply(this,D):(Oe=this.thru(ae),Re?v?Oe.value()[0]:Oe.value():Oe)})}),jr(["pop","push","shift","sort","splice","unshift"],function(a){var l=qd[a],d=/^(?:push|sort|unshift)$/.test(a)?"tap":"thru",v=/^(?:pop|shift)$/.test(a);P.prototype[a]=function(){var k=arguments;if(v&&!this.__chain__){var A=this.value();return l.apply(Be(A)?A:[],k)}return this[d](function(R){return l.apply(Be(R)?R:[],k)})}}),No(Ke.prototype,function(a,l){var d=P[l];if(d){var v=d.name+"";mt.call(sl,v)||(sl[v]=[]),sl[v].push({name:l,func:d})}}),sl[mp(n,w).name]=[{name:"wrapper",func:n}],Ke.prototype.clone=aM,Ke.prototype.reverse=sM,Ke.prototype.value=lM,P.prototype.at=zO,P.prototype.chain=FO,P.prototype.commit=BO,P.prototype.next=$O,P.prototype.plant=WO,P.prototype.reverse=HO,P.prototype.toJSON=P.prototype.valueOf=P.prototype.value=jO,P.prototype.first=P.prototype.head,Yu&&(P.prototype[Yu]=VO),P},ol=BI();nt?((nt.exports=ol)._=ol,He._=ol):$e._=ol}).call(Oi)})(xn,xn.exports);const Fce=xn.exports,Bce={currentImageUuid:"",images:[],areMoreImagesAvailable:!0},_T=kb({name:"gallery",initialState:Bce,reducers:{setCurrentImage:(e,t)=>{e.currentImage=t.payload,e.currentImageUuid=t.payload.uuid},removeImage:(e,t)=>{const n=t.payload,r=e.images.filter(o=>o.uuid!==n);if(n===e.currentImageUuid){const o=e.images.findIndex(s=>s.uuid===n),i=xn.exports.clamp(o,0,r.length-1);e.currentImage=r.length?r[i]:void 0,e.currentImageUuid=r.length?r[i].uuid:""}e.images=r},addImage:(e,t)=>{const n=t.payload,{uuid:r,mtime:o}=n;e.images.unshift(n),e.currentImageUuid=r,e.intermediateImage=void 0,e.currentImage=n,e.latest_mtime=o},setIntermediateImage:(e,t)=>{e.intermediateImage=t.payload},clearIntermediateImage:e=>{e.intermediateImage=void 0},addGalleryImages:(e,t)=>{const{images:n,areMoreImagesAvailable:r}=t.payload;if(n.length>0){if(e.images=e.images.concat(n).sort((o,i)=>i.mtime-o.mtime),!e.currentImage){const o=n[0];e.currentImage=o,e.currentImageUuid=o.uuid}e.latest_mtime=n[0].mtime,e.earliest_mtime=n[n.length-1].mtime}r!==void 0&&(e.areMoreImagesAvailable=r)}}}),{addImage:ph,clearIntermediateImage:a7,removeImage:$ce,setCurrentImage:Vce,addGalleryImages:Wce,setIntermediateImage:Hce}=_T.actions,jce=_T.reducer,Uce={isConnected:!1,isProcessing:!1,log:[],shouldShowLogViewer:!1,shouldDisplayInProgress:!1,shouldDisplayGuides:!0,isGFPGANAvailable:!0,isESRGANAvailable:!0,socketId:"",shouldConfirmOnDelete:!0,openAccordions:[0],currentStep:0,totalSteps:0,currentIteration:0,totalIterations:0,currentStatus:"Disconnected",currentStatusHasSteps:!1,model:"",model_id:"",model_hash:"",app_id:"",app_version:"",hasError:!1,wasErrorSeen:!0},Gce=Uce,kT=kb({name:"system",initialState:Gce,reducers:{setShouldDisplayInProgress:(e,t)=>{e.shouldDisplayInProgress=t.payload},setIsProcessing:(e,t)=>{e.isProcessing=t.payload},setCurrentStatus:(e,t)=>{e.currentStatus=t.payload},setSystemStatus:(e,t)=>({...e,...t.payload}),errorOccurred:e=>{e.hasError=!0,e.isProcessing=!1,e.currentStep=0,e.totalSteps=0,e.currentIteration=0,e.totalIterations=0,e.currentStatusHasSteps=!1,e.currentStatus="Server error",e.wasErrorSeen=!1},errorSeen:e=>{e.hasError=!1,e.wasErrorSeen=!0,e.currentStatus=e.isConnected?"Connected":"Disconnected"},addLogEntry:(e,t)=>{const{timestamp:n,message:r,level:o}=t.payload,s={timestamp:n,message:r,level:o||"info"};e.log.push(s)},setShouldShowLogViewer:(e,t)=>{e.shouldShowLogViewer=t.payload},setIsConnected:(e,t)=>{e.isConnected=t.payload,e.isProcessing=!1,e.currentStep=0,e.totalSteps=0,e.currentIteration=0,e.totalIterations=0,e.currentStatusHasSteps=!1,e.hasError=!1},setSocketId:(e,t)=>{e.socketId=t.payload},setShouldConfirmOnDelete:(e,t)=>{e.shouldConfirmOnDelete=t.payload},setOpenAccordions:(e,t)=>{e.openAccordions=t.payload},setSystemConfig:(e,t)=>({...e,...t.payload}),setShouldDisplayGuides:(e,t)=>{e.shouldDisplayGuides=t.payload},processingCanceled:e=>{e.isProcessing=!1,e.currentStep=0,e.totalSteps=0,e.currentIteration=0,e.totalIterations=0,e.currentStatusHasSteps=!1,e.currentStatus="Processing canceled"}}}),{setShouldDisplayInProgress:Zce,setIsProcessing:Xh,addLogEntry:Yn,setShouldShowLogViewer:qce,setIsConnected:s7,setSocketId:A1e,setShouldConfirmOnDelete:ET,setOpenAccordions:Kce,setSystemStatus:Yce,setCurrentStatus:l7,setSystemConfig:Xce,setShouldDisplayGuides:Qce,processingCanceled:Jce,errorOccurred:efe,errorSeen:LT}=kT.actions,tfe=kT.reducer,fi=Object.create(null);fi.open="0";fi.close="1";fi.ping="2";fi.pong="3";fi.message="4";fi.upgrade="5";fi.noop="6";const Qh=Object.create(null);Object.keys(fi).forEach(e=>{Qh[fi[e]]=e});const nfe={type:"error",data:"parser error"},rfe=typeof Blob=="function"||typeof Blob<"u"&&Object.prototype.toString.call(Blob)==="[object BlobConstructor]",ofe=typeof ArrayBuffer=="function",ife=e=>typeof ArrayBuffer.isView=="function"?ArrayBuffer.isView(e):e&&e.buffer instanceof ArrayBuffer,PT=({type:e,data:t},n,r)=>rfe&&t instanceof Blob?n?r(t):u7(t,r):ofe&&(t instanceof ArrayBuffer||ife(t))?n?r(t):u7(new Blob([t]),r):r(fi[e]+(t||"")),u7=(e,t)=>{const n=new FileReader;return n.onload=function(){const r=n.result.split(",")[1];t("b"+r)},n.readAsDataURL(e)},c7="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",Oc=typeof Uint8Array>"u"?[]:new Uint8Array(256);for(let e=0;e<c7.length;e++)Oc[c7.charCodeAt(e)]=e;const afe=e=>{let t=e.length*.75,n=e.length,r,o=0,i,s,u,c;e[e.length-1]==="="&&(t--,e[e.length-2]==="="&&t--);const f=new ArrayBuffer(t),p=new Uint8Array(f);for(r=0;r<n;r+=4)i=Oc[e.charCodeAt(r)],s=Oc[e.charCodeAt(r+1)],u=Oc[e.charCodeAt(r+2)],c=Oc[e.charCodeAt(r+3)],p[o++]=i<<2|s>>4,p[o++]=(s&15)<<4|u>>2,p[o++]=(u&3)<<6|c&63;return f},sfe=typeof ArrayBuffer=="function",AT=(e,t)=>{if(typeof e!="string")return{type:"message",data:TT(e,t)};const n=e.charAt(0);return n==="b"?{type:"message",data:lfe(e.substring(1),t)}:Qh[n]?e.length>1?{type:Qh[n],data:e.substring(1)}:{type:Qh[n]}:nfe},lfe=(e,t)=>{if(sfe){const n=afe(e);return TT(n,t)}else return{base64:!0,data:e}},TT=(e,t)=>{switch(t){case"blob":return e instanceof ArrayBuffer?new Blob([e]):e;case"arraybuffer":default:return e}},IT=String.fromCharCode(30),ufe=(e,t)=>{const n=e.length,r=new Array(n);let o=0;e.forEach((i,s)=>{PT(i,!1,u=>{r[s]=u,++o===n&&t(r.join(IT))})})},cfe=(e,t)=>{const n=e.split(IT),r=[];for(let o=0;o<n.length;o++){const i=AT(n[o],t);if(r.push(i),i.type==="error")break}return r},MT=4;function ln(e){if(e)return ffe(e)}function ffe(e){for(var t in ln.prototype)e[t]=ln.prototype[t];return e}ln.prototype.on=ln.prototype.addEventListener=function(e,t){return this._callbacks=this._callbacks||{},(this._callbacks["$"+e]=this._callbacks["$"+e]||[]).push(t),this};ln.prototype.once=function(e,t){function n(){this.off(e,n),t.apply(this,arguments)}return n.fn=t,this.on(e,n),this};ln.prototype.off=ln.prototype.removeListener=ln.prototype.removeAllListeners=ln.prototype.removeEventListener=function(e,t){if(this._callbacks=this._callbacks||{},arguments.length==0)return this._callbacks={},this;var n=this._callbacks["$"+e];if(!n)return this;if(arguments.length==1)return delete this._callbacks["$"+e],this;for(var r,o=0;o<n.length;o++)if(r=n[o],r===t||r.fn===t){n.splice(o,1);break}return n.length===0&&delete this._callbacks["$"+e],this};ln.prototype.emit=function(e){this._callbacks=this._callbacks||{};for(var t=new Array(arguments.length-1),n=this._callbacks["$"+e],r=1;r<arguments.length;r++)t[r-1]=arguments[r];if(n){n=n.slice(0);for(var r=0,o=n.length;r<o;++r)n[r].apply(this,t)}return this};ln.prototype.emitReserved=ln.prototype.emit;ln.prototype.listeners=function(e){return this._callbacks=this._callbacks||{},this._callbacks["$"+e]||[]};ln.prototype.hasListeners=function(e){return!!this.listeners(e).length};const La=(()=>typeof self<"u"?self:typeof window<"u"?window:Function("return this")())();function RT(e,...t){return t.reduce((n,r)=>(e.hasOwnProperty(r)&&(n[r]=e[r]),n),{})}const dfe=setTimeout,pfe=clearTimeout;function Im(e,t){t.useNativeTimers?(e.setTimeoutFn=dfe.bind(La),e.clearTimeoutFn=pfe.bind(La)):(e.setTimeoutFn=setTimeout.bind(La),e.clearTimeoutFn=clearTimeout.bind(La))}const hfe=1.33;function mfe(e){return typeof e=="string"?gfe(e):Math.ceil((e.byteLength||e.size)*hfe)}function gfe(e){let t=0,n=0;for(let r=0,o=e.length;r<o;r++)t=e.charCodeAt(r),t<128?n+=1:t<2048?n+=2:t<55296||t>=57344?n+=3:(r++,n+=4);return n}class vfe extends Error{constructor(t,n,r){super(t),this.description=n,this.context=r,this.type="TransportError"}}class OT extends ln{constructor(t){super(),this.writable=!1,Im(this,t),this.opts=t,this.query=t.query,this.readyState="",this.socket=t.socket}onError(t,n,r){return super.emitReserved("error",new vfe(t,n,r)),this}open(){return(this.readyState==="closed"||this.readyState==="")&&(this.readyState="opening",this.doOpen()),this}close(){return(this.readyState==="opening"||this.readyState==="open")&&(this.doClose(),this.onClose()),this}send(t){this.readyState==="open"&&this.write(t)}onOpen(){this.readyState="open",this.writable=!0,super.emitReserved("open")}onData(t){const n=AT(t,this.socket.binaryType);this.onPacket(n)}onPacket(t){super.emitReserved("packet",t)}onClose(t){this.readyState="closed",super.emitReserved("close",t)}}const NT="0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz-_".split(""),B5=64,yfe={};let f7=0,hh=0,d7;function p7(e){let t="";do t=NT[e%B5]+t,e=Math.floor(e/B5);while(e>0);return t}function DT(){const e=p7(+new Date);return e!==d7?(f7=0,d7=e):e+"."+p7(f7++)}for(;hh<B5;hh++)yfe[NT[hh]]=hh;function zT(e){let t="";for(let n in e)e.hasOwnProperty(n)&&(t.length&&(t+="&"),t+=encodeURIComponent(n)+"="+encodeURIComponent(e[n]));return t}function bfe(e){let t={},n=e.split("&");for(let r=0,o=n.length;r<o;r++){let i=n[r].split("=");t[decodeURIComponent(i[0])]=decodeURIComponent(i[1])}return t}let FT=!1;try{FT=typeof XMLHttpRequest<"u"&&"withCredentials"in new XMLHttpRequest}catch{}const xfe=FT;function BT(e){const t=e.xdomain;try{if(typeof XMLHttpRequest<"u"&&(!t||xfe))return new XMLHttpRequest}catch{}if(!t)try{return new La[["Active"].concat("Object").join("X")]("Microsoft.XMLHTTP")}catch{}}function Sfe(){}const wfe=function(){return new BT({xdomain:!1}).responseType!=null}();class Cfe extends OT{constructor(t){if(super(t),this.polling=!1,typeof location<"u"){const r=location.protocol==="https:";let o=location.port;o||(o=r?"443":"80"),this.xd=typeof location<"u"&&t.hostname!==location.hostname||o!==t.port,this.xs=t.secure!==r}const n=t&&t.forceBase64;this.supportsBinary=wfe&&!n}get name(){return"polling"}doOpen(){this.poll()}pause(t){this.readyState="pausing";const n=()=>{this.readyState="paused",t()};if(this.polling||!this.writable){let r=0;this.polling&&(r++,this.once("pollComplete",function(){--r||n()})),this.writable||(r++,this.once("drain",function(){--r||n()}))}else n()}poll(){this.polling=!0,this.doPoll(),this.emitReserved("poll")}onData(t){const n=r=>{if(this.readyState==="opening"&&r.type==="open"&&this.onOpen(),r.type==="close")return this.onClose({description:"transport closed by the server"}),!1;this.onPacket(r)};cfe(t,this.socket.binaryType).forEach(n),this.readyState!=="closed"&&(this.polling=!1,this.emitReserved("pollComplete"),this.readyState==="open"&&this.poll())}doClose(){const t=()=>{this.write([{type:"close"}])};this.readyState==="open"?t():this.once("open",t)}write(t){this.writable=!1,ufe(t,n=>{this.doWrite(n,()=>{this.writable=!0,this.emitReserved("drain")})})}uri(){let t=this.query||{};const n=this.opts.secure?"https":"http";let r="";this.opts.timestampRequests!==!1&&(t[this.opts.timestampParam]=DT()),!this.supportsBinary&&!t.sid&&(t.b64=1),this.opts.port&&(n==="https"&&Number(this.opts.port)!==443||n==="http"&&Number(this.opts.port)!==80)&&(r=":"+this.opts.port);const o=zT(t),i=this.opts.hostname.indexOf(":")!==-1;return n+"://"+(i?"["+this.opts.hostname+"]":this.opts.hostname)+r+this.opts.path+(o.length?"?"+o:"")}request(t={}){return Object.assign(t,{xd:this.xd,xs:this.xs},this.opts),new si(this.uri(),t)}doWrite(t,n){const r=this.request({method:"POST",data:t});r.on("success",n),r.on("error",(o,i)=>{this.onError("xhr post error",o,i)})}doPoll(){const t=this.request();t.on("data",this.onData.bind(this)),t.on("error",(n,r)=>{this.onError("xhr poll error",n,r)}),this.pollXhr=t}}class si extends ln{constructor(t,n){super(),Im(this,n),this.opts=n,this.method=n.method||"GET",this.uri=t,this.async=n.async!==!1,this.data=n.data!==void 0?n.data:null,this.create()}create(){const t=RT(this.opts,"agent","pfx","key","passphrase","cert","ca","ciphers","rejectUnauthorized","autoUnref");t.xdomain=!!this.opts.xd,t.xscheme=!!this.opts.xs;const n=this.xhr=new BT(t);try{n.open(this.method,this.uri,this.async);try{if(this.opts.extraHeaders){n.setDisableHeaderCheck&&n.setDisableHeaderCheck(!0);for(let r in this.opts.extraHeaders)this.opts.extraHeaders.hasOwnProperty(r)&&n.setRequestHeader(r,this.opts.extraHeaders[r])}}catch{}if(this.method==="POST")try{n.setRequestHeader("Content-type","text/plain;charset=UTF-8")}catch{}try{n.setRequestHeader("Accept","*/*")}catch{}"withCredentials"in n&&(n.withCredentials=this.opts.withCredentials),this.opts.requestTimeout&&(n.timeout=this.opts.requestTimeout),n.onreadystatechange=()=>{n.readyState===4&&(n.status===200||n.status===1223?this.onLoad():this.setTimeoutFn(()=>{this.onError(typeof n.status=="number"?n.status:0)},0))},n.send(this.data)}catch(r){this.setTimeoutFn(()=>{this.onError(r)},0);return}typeof document<"u"&&(this.index=si.requestsCount++,si.requests[this.index]=this)}onError(t){this.emitReserved("error",t,this.xhr),this.cleanup(!0)}cleanup(t){if(!(typeof this.xhr>"u"||this.xhr===null)){if(this.xhr.onreadystatechange=Sfe,t)try{this.xhr.abort()}catch{}typeof document<"u"&&delete si.requests[this.index],this.xhr=null}}onLoad(){const t=this.xhr.responseText;t!==null&&(this.emitReserved("data",t),this.emitReserved("success"),this.cleanup())}abort(){this.cleanup()}}si.requestsCount=0;si.requests={};if(typeof document<"u"){if(typeof attachEvent=="function")attachEvent("onunload",h7);else if(typeof addEventListener=="function"){const e="onpagehide"in La?"pagehide":"unload";addEventListener(e,h7,!1)}}function h7(){for(let e in si.requests)si.requests.hasOwnProperty(e)&&si.requests[e].abort()}const _fe=(()=>typeof Promise=="function"&&typeof Promise.resolve=="function"?t=>Promise.resolve().then(t):(t,n)=>n(t,0))(),mh=La.WebSocket||La.MozWebSocket,m7=!0,kfe="arraybuffer",g7=typeof navigator<"u"&&typeof navigator.product=="string"&&navigator.product.toLowerCase()==="reactnative";class Efe extends OT{constructor(t){super(t),this.supportsBinary=!t.forceBase64}get name(){return"websocket"}doOpen(){if(!this.check())return;const t=this.uri(),n=this.opts.protocols,r=g7?{}:RT(this.opts,"agent","perMessageDeflate","pfx","key","passphrase","cert","ca","ciphers","rejectUnauthorized","localAddress","protocolVersion","origin","maxPayload","family","checkServerIdentity");this.opts.extraHeaders&&(r.headers=this.opts.extraHeaders);try{this.ws=m7&&!g7?n?new mh(t,n):new mh(t):new mh(t,n,r)}catch(o){return this.emitReserved("error",o)}this.ws.binaryType=this.socket.binaryType||kfe,this.addEventListeners()}addEventListeners(){this.ws.onopen=()=>{this.opts.autoUnref&&this.ws._socket.unref(),this.onOpen()},this.ws.onclose=t=>this.onClose({description:"websocket connection closed",context:t}),this.ws.onmessage=t=>this.onData(t.data),this.ws.onerror=t=>this.onError("websocket error",t)}write(t){this.writable=!1;for(let n=0;n<t.length;n++){const r=t[n],o=n===t.length-1;PT(r,this.supportsBinary,i=>{const s={};try{m7&&this.ws.send(i)}catch{}o&&_fe(()=>{this.writable=!0,this.emitReserved("drain")},this.setTimeoutFn)})}}doClose(){typeof this.ws<"u"&&(this.ws.close(),this.ws=null)}uri(){let t=this.query||{};const n=this.opts.secure?"wss":"ws";let r="";this.opts.port&&(n==="wss"&&Number(this.opts.port)!==443||n==="ws"&&Number(this.opts.port)!==80)&&(r=":"+this.opts.port),this.opts.timestampRequests&&(t[this.opts.timestampParam]=DT()),this.supportsBinary||(t.b64=1);const o=zT(t),i=this.opts.hostname.indexOf(":")!==-1;return n+"://"+(i?"["+this.opts.hostname+"]":this.opts.hostname)+r+this.opts.path+(o.length?"?"+o:"")}check(){return!!mh}}const Lfe={websocket:Efe,polling:Cfe},Pfe=/^(?:(?![^:@]+:[^:@\/]*@)(http|https|ws|wss):\/\/)?((?:(([^:@]*)(?::([^:@]*))?)?@)?((?:[a-f0-9]{0,4}:){2,7}[a-f0-9]{0,4}|[^:\/?#]*)(?::(\d*))?)(((\/(?:[^?#](?![^?#\/]*\.[^?#\/.]+(?:[?#]|$)))*\/?)?([^?#\/]*))(?:\?([^#]*))?(?:#(.*))?)/,Afe=["source","protocol","authority","userInfo","user","password","host","port","relative","path","directory","file","query","anchor"];function $5(e){const t=e,n=e.indexOf("["),r=e.indexOf("]");n!=-1&&r!=-1&&(e=e.substring(0,n)+e.substring(n,r).replace(/:/g,";")+e.substring(r,e.length));let o=Pfe.exec(e||""),i={},s=14;for(;s--;)i[Afe[s]]=o[s]||"";return n!=-1&&r!=-1&&(i.source=t,i.host=i.host.substring(1,i.host.length-1).replace(/;/g,":"),i.authority=i.authority.replace("[","").replace("]","").replace(/;/g,":"),i.ipv6uri=!0),i.pathNames=Tfe(i,i.path),i.queryKey=Ife(i,i.query),i}function Tfe(e,t){const n=/\/{2,9}/g,r=t.replace(n,"/").split("/");return(t.substr(0,1)=="/"||t.length===0)&&r.splice(0,1),t.substr(t.length-1,1)=="/"&&r.splice(r.length-1,1),r}function Ife(e,t){const n={};return t.replace(/(?:^|&)([^&=]*)=?([^&]*)/g,function(r,o,i){o&&(n[o]=i)}),n}class Sa extends ln{constructor(t,n={}){super(),t&&typeof t=="object"&&(n=t,t=null),t?(t=$5(t),n.hostname=t.host,n.secure=t.protocol==="https"||t.protocol==="wss",n.port=t.port,t.query&&(n.query=t.query)):n.host&&(n.hostname=$5(n.host).host),Im(this,n),this.secure=n.secure!=null?n.secure:typeof location<"u"&&location.protocol==="https:",n.hostname&&!n.port&&(n.port=this.secure?"443":"80"),this.hostname=n.hostname||(typeof location<"u"?location.hostname:"localhost"),this.port=n.port||(typeof location<"u"&&location.port?location.port:this.secure?"443":"80"),this.transports=n.transports||["polling","websocket"],this.readyState="",this.writeBuffer=[],this.prevBufferLen=0,this.opts=Object.assign({path:"/engine.io",agent:!1,withCredentials:!1,upgrade:!0,timestampParam:"t",rememberUpgrade:!1,rejectUnauthorized:!0,perMessageDeflate:{threshold:1024},transportOptions:{},closeOnBeforeunload:!0},n),this.opts.path=this.opts.path.replace(/\/$/,"")+"/",typeof this.opts.query=="string"&&(this.opts.query=bfe(this.opts.query)),this.id=null,this.upgrades=null,this.pingInterval=null,this.pingTimeout=null,this.pingTimeoutTimer=null,typeof addEventListener=="function"&&(this.opts.closeOnBeforeunload&&addEventListener("beforeunload",()=>{this.transport&&(this.transport.removeAllListeners(),this.transport.close())},!1),this.hostname!=="localhost"&&(this.offlineEventListener=()=>{this.onClose("transport close",{description:"network connection lost"})},addEventListener("offline",this.offlineEventListener,!1))),this.open()}createTransport(t){const n=Object.assign({},this.opts.query);n.EIO=MT,n.transport=t,this.id&&(n.sid=this.id);const r=Object.assign({},this.opts.transportOptions[t],this.opts,{query:n,socket:this,hostname:this.hostname,secure:this.secure,port:this.port});return new Lfe[t](r)}open(){let t;if(this.opts.rememberUpgrade&&Sa.priorWebsocketSuccess&&this.transports.indexOf("websocket")!==-1)t="websocket";else if(this.transports.length===0){this.setTimeoutFn(()=>{this.emitReserved("error","No transports available")},0);return}else t=this.transports[0];this.readyState="opening";try{t=this.createTransport(t)}catch{this.transports.shift(),this.open();return}t.open(),this.setTransport(t)}setTransport(t){this.transport&&this.transport.removeAllListeners(),this.transport=t,t.on("drain",this.onDrain.bind(this)).on("packet",this.onPacket.bind(this)).on("error",this.onError.bind(this)).on("close",n=>this.onClose("transport close",n))}probe(t){let n=this.createTransport(t),r=!1;Sa.priorWebsocketSuccess=!1;const o=()=>{r||(n.send([{type:"ping",data:"probe"}]),n.once("packet",h=>{if(!r)if(h.type==="pong"&&h.data==="probe"){if(this.upgrading=!0,this.emitReserved("upgrading",n),!n)return;Sa.priorWebsocketSuccess=n.name==="websocket",this.transport.pause(()=>{r||this.readyState!=="closed"&&(p(),this.setTransport(n),n.send([{type:"upgrade"}]),this.emitReserved("upgrade",n),n=null,this.upgrading=!1,this.flush())})}else{const m=new Error("probe error");m.transport=n.name,this.emitReserved("upgradeError",m)}}))};function i(){r||(r=!0,p(),n.close(),n=null)}const s=h=>{const m=new Error("probe error: "+h);m.transport=n.name,i(),this.emitReserved("upgradeError",m)};function u(){s("transport closed")}function c(){s("socket closed")}function f(h){n&&h.name!==n.name&&i()}const p=()=>{n.removeListener("open",o),n.removeListener("error",s),n.removeListener("close",u),this.off("close",c),this.off("upgrading",f)};n.once("open",o),n.once("error",s),n.once("close",u),this.once("close",c),this.once("upgrading",f),n.open()}onOpen(){if(this.readyState="open",Sa.priorWebsocketSuccess=this.transport.name==="websocket",this.emitReserved("open"),this.flush(),this.readyState==="open"&&this.opts.upgrade&&this.transport.pause){let t=0;const n=this.upgrades.length;for(;t<n;t++)this.probe(this.upgrades[t])}}onPacket(t){if(this.readyState==="opening"||this.readyState==="open"||this.readyState==="closing")switch(this.emitReserved("packet",t),this.emitReserved("heartbeat"),t.type){case"open":this.onHandshake(JSON.parse(t.data));break;case"ping":this.resetPingTimeout(),this.sendPacket("pong"),this.emitReserved("ping"),this.emitReserved("pong");break;case"error":const n=new Error("server error");n.code=t.data,this.onError(n);break;case"message":this.emitReserved("data",t.data),this.emitReserved("message",t.data);break}}onHandshake(t){this.emitReserved("handshake",t),this.id=t.sid,this.transport.query.sid=t.sid,this.upgrades=this.filterUpgrades(t.upgrades),this.pingInterval=t.pingInterval,this.pingTimeout=t.pingTimeout,this.maxPayload=t.maxPayload,this.onOpen(),this.readyState!=="closed"&&this.resetPingTimeout()}resetPingTimeout(){this.clearTimeoutFn(this.pingTimeoutTimer),this.pingTimeoutTimer=this.setTimeoutFn(()=>{this.onClose("ping timeout")},this.pingInterval+this.pingTimeout),this.opts.autoUnref&&this.pingTimeoutTimer.unref()}onDrain(){this.writeBuffer.splice(0,this.prevBufferLen),this.prevBufferLen=0,this.writeBuffer.length===0?this.emitReserved("drain"):this.flush()}flush(){if(this.readyState!=="closed"&&this.transport.writable&&!this.upgrading&&this.writeBuffer.length){const t=this.getWritablePackets();this.transport.send(t),this.prevBufferLen=t.length,this.emitReserved("flush")}}getWritablePackets(){if(!(this.maxPayload&&this.transport.name==="polling"&&this.writeBuffer.length>1))return this.writeBuffer;let n=1;for(let r=0;r<this.writeBuffer.length;r++){const o=this.writeBuffer[r].data;if(o&&(n+=mfe(o)),r>0&&n>this.maxPayload)return this.writeBuffer.slice(0,r);n+=2}return this.writeBuffer}write(t,n,r){return this.sendPacket("message",t,n,r),this}send(t,n,r){return this.sendPacket("message",t,n,r),this}sendPacket(t,n,r,o){if(typeof n=="function"&&(o=n,n=void 0),typeof r=="function"&&(o=r,r=null),this.readyState==="closing"||this.readyState==="closed")return;r=r||{},r.compress=r.compress!==!1;const i={type:t,data:n,options:r};this.emitReserved("packetCreate",i),this.writeBuffer.push(i),o&&this.once("flush",o),this.flush()}close(){const t=()=>{this.onClose("forced close"),this.transport.close()},n=()=>{this.off("upgrade",n),this.off("upgradeError",n),t()},r=()=>{this.once("upgrade",n),this.once("upgradeError",n)};return(this.readyState==="opening"||this.readyState==="open")&&(this.readyState="closing",this.writeBuffer.length?this.once("drain",()=>{this.upgrading?r():t()}):this.upgrading?r():t()),this}onError(t){Sa.priorWebsocketSuccess=!1,this.emitReserved("error",t),this.onClose("transport error",t)}onClose(t,n){(this.readyState==="opening"||this.readyState==="open"||this.readyState==="closing")&&(this.clearTimeoutFn(this.pingTimeoutTimer),this.transport.removeAllListeners("close"),this.transport.close(),this.transport.removeAllListeners(),typeof removeEventListener=="function"&&removeEventListener("offline",this.offlineEventListener,!1),this.readyState="closed",this.id=null,this.emitReserved("close",t,n),this.writeBuffer=[],this.prevBufferLen=0)}filterUpgrades(t){const n=[];let r=0;const o=t.length;for(;r<o;r++)~this.transports.indexOf(t[r])&&n.push(t[r]);return n}}Sa.protocol=MT;function Mfe(e,t="",n){let r=e;n=n||typeof location<"u"&&location,e==null&&(e=n.protocol+"//"+n.host),typeof e=="string"&&(e.charAt(0)==="/"&&(e.charAt(1)==="/"?e=n.protocol+e:e=n.host+e),/^(https?|wss?):\/\//.test(e)||(typeof n<"u"?e=n.protocol+"//"+e:e="https://"+e),r=$5(e)),r.port||(/^(http|ws)$/.test(r.protocol)?r.port="80":/^(http|ws)s$/.test(r.protocol)&&(r.port="443")),r.path=r.path||"/";const i=r.host.indexOf(":")!==-1?"["+r.host+"]":r.host;return r.id=r.protocol+"://"+i+":"+r.port+t,r.href=r.protocol+"://"+i+(n&&n.port===r.port?"":":"+r.port),r}const Rfe=typeof ArrayBuffer=="function",Ofe=e=>typeof ArrayBuffer.isView=="function"?ArrayBuffer.isView(e):e.buffer instanceof ArrayBuffer,$T=Object.prototype.toString,Nfe=typeof Blob=="function"||typeof Blob<"u"&&$T.call(Blob)==="[object BlobConstructor]",Dfe=typeof File=="function"||typeof File<"u"&&$T.call(File)==="[object FileConstructor]";function Nb(e){return Rfe&&(e instanceof ArrayBuffer||Ofe(e))||Nfe&&e instanceof Blob||Dfe&&e instanceof File}function Jh(e,t){if(!e||typeof e!="object")return!1;if(Array.isArray(e)){for(let n=0,r=e.length;n<r;n++)if(Jh(e[n]))return!0;return!1}if(Nb(e))return!0;if(e.toJSON&&typeof e.toJSON=="function"&&arguments.length===1)return Jh(e.toJSON(),!0);for(const n in e)if(Object.prototype.hasOwnProperty.call(e,n)&&Jh(e[n]))return!0;return!1}function zfe(e){const t=[],n=e.data,r=e;return r.data=V5(n,t),r.attachments=t.length,{packet:r,buffers:t}}function V5(e,t){if(!e)return e;if(Nb(e)){const n={_placeholder:!0,num:t.length};return t.push(e),n}else if(Array.isArray(e)){const n=new Array(e.length);for(let r=0;r<e.length;r++)n[r]=V5(e[r],t);return n}else if(typeof e=="object"&&!(e instanceof Date)){const n={};for(const r in e)Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=V5(e[r],t));return n}return e}function Ffe(e,t){return e.data=W5(e.data,t),e.attachments=void 0,e}function W5(e,t){if(!e)return e;if(e&&e._placeholder===!0){if(typeof e.num=="number"&&e.num>=0&&e.num<t.length)return t[e.num];throw new Error("illegal attachments")}else if(Array.isArray(e))for(let n=0;n<e.length;n++)e[n]=W5(e[n],t);else if(typeof e=="object")for(const n in e)Object.prototype.hasOwnProperty.call(e,n)&&(e[n]=W5(e[n],t));return e}const Bfe=5;var Qe;(function(e){e[e.CONNECT=0]="CONNECT",e[e.DISCONNECT=1]="DISCONNECT",e[e.EVENT=2]="EVENT",e[e.ACK=3]="ACK",e[e.CONNECT_ERROR=4]="CONNECT_ERROR",e[e.BINARY_EVENT=5]="BINARY_EVENT",e[e.BINARY_ACK=6]="BINARY_ACK"})(Qe||(Qe={}));class $fe{constructor(t){this.replacer=t}encode(t){return(t.type===Qe.EVENT||t.type===Qe.ACK)&&Jh(t)?(t.type=t.type===Qe.EVENT?Qe.BINARY_EVENT:Qe.BINARY_ACK,this.encodeAsBinary(t)):[this.encodeAsString(t)]}encodeAsString(t){let n=""+t.type;return(t.type===Qe.BINARY_EVENT||t.type===Qe.BINARY_ACK)&&(n+=t.attachments+"-"),t.nsp&&t.nsp!=="/"&&(n+=t.nsp+","),t.id!=null&&(n+=t.id),t.data!=null&&(n+=JSON.stringify(t.data,this.replacer)),n}encodeAsBinary(t){const n=zfe(t),r=this.encodeAsString(n.packet),o=n.buffers;return o.unshift(r),o}}class Db extends ln{constructor(t){super(),this.reviver=t}add(t){let n;if(typeof t=="string"){if(this.reconstructor)throw new Error("got plaintext data when reconstructing a packet");n=this.decodeString(t),n.type===Qe.BINARY_EVENT||n.type===Qe.BINARY_ACK?(this.reconstructor=new Vfe(n),n.attachments===0&&super.emitReserved("decoded",n)):super.emitReserved("decoded",n)}else if(Nb(t)||t.base64)if(this.reconstructor)n=this.reconstructor.takeBinaryData(t),n&&(this.reconstructor=null,super.emitReserved("decoded",n));else throw new Error("got binary data when not reconstructing a packet");else throw new Error("Unknown type: "+t)}decodeString(t){let n=0;const r={type:Number(t.charAt(0))};if(Qe[r.type]===void 0)throw new Error("unknown packet type "+r.type);if(r.type===Qe.BINARY_EVENT||r.type===Qe.BINARY_ACK){const i=n+1;for(;t.charAt(++n)!=="-"&&n!=t.length;);const s=t.substring(i,n);if(s!=Number(s)||t.charAt(n)!=="-")throw new Error("Illegal attachments");r.attachments=Number(s)}if(t.charAt(n+1)==="/"){const i=n+1;for(;++n&&!(t.charAt(n)===","||n===t.length););r.nsp=t.substring(i,n)}else r.nsp="/";const o=t.charAt(n+1);if(o!==""&&Number(o)==o){const i=n+1;for(;++n;){const s=t.charAt(n);if(s==null||Number(s)!=s){--n;break}if(n===t.length)break}r.id=Number(t.substring(i,n+1))}if(t.charAt(++n)){const i=this.tryParse(t.substr(n));if(Db.isPayloadValid(r.type,i))r.data=i;else throw new Error("invalid payload")}return r}tryParse(t){try{return JSON.parse(t,this.reviver)}catch{return!1}}static isPayloadValid(t,n){switch(t){case Qe.CONNECT:return typeof n=="object";case Qe.DISCONNECT:return n===void 0;case Qe.CONNECT_ERROR:return typeof n=="string"||typeof n=="object";case Qe.EVENT:case Qe.BINARY_EVENT:return Array.isArray(n)&&n.length>0;case Qe.ACK:case Qe.BINARY_ACK:return Array.isArray(n)}}destroy(){this.reconstructor&&this.reconstructor.finishedReconstruction()}}class Vfe{constructor(t){this.packet=t,this.buffers=[],this.reconPack=t}takeBinaryData(t){if(this.buffers.push(t),this.buffers.length===this.reconPack.attachments){const n=Ffe(this.reconPack,this.buffers);return this.finishedReconstruction(),n}return null}finishedReconstruction(){this.reconPack=null,this.buffers=[]}}const Wfe=Object.freeze(Object.defineProperty({__proto__:null,protocol:Bfe,get PacketType(){return Qe},Encoder:$fe,Decoder:Db},Symbol.toStringTag,{value:"Module"}));function Eo(e,t,n){return e.on(t,n),function(){e.off(t,n)}}const Hfe=Object.freeze({connect:1,connect_error:1,disconnect:1,disconnecting:1,newListener:1,removeListener:1});class VT extends ln{constructor(t,n,r){super(),this.connected=!1,this.receiveBuffer=[],this.sendBuffer=[],this.ids=0,this.acks={},this.flags={},this.io=t,this.nsp=n,r&&r.auth&&(this.auth=r.auth),this.io._autoConnect&&this.open()}get disconnected(){return!this.connected}subEvents(){if(this.subs)return;const t=this.io;this.subs=[Eo(t,"open",this.onopen.bind(this)),Eo(t,"packet",this.onpacket.bind(this)),Eo(t,"error",this.onerror.bind(this)),Eo(t,"close",this.onclose.bind(this))]}get active(){return!!this.subs}connect(){return this.connected?this:(this.subEvents(),this.io._reconnecting||this.io.open(),this.io._readyState==="open"&&this.onopen(),this)}open(){return this.connect()}send(...t){return t.unshift("message"),this.emit.apply(this,t),this}emit(t,...n){if(Hfe.hasOwnProperty(t))throw new Error('"'+t.toString()+'" is a reserved event name');n.unshift(t);const r={type:Qe.EVENT,data:n};if(r.options={},r.options.compress=this.flags.compress!==!1,typeof n[n.length-1]=="function"){const s=this.ids++,u=n.pop();this._registerAckCallback(s,u),r.id=s}const o=this.io.engine&&this.io.engine.transport&&this.io.engine.transport.writable;return this.flags.volatile&&(!o||!this.connected)||(this.connected?(this.notifyOutgoingListeners(r),this.packet(r)):this.sendBuffer.push(r)),this.flags={},this}_registerAckCallback(t,n){const r=this.flags.timeout;if(r===void 0){this.acks[t]=n;return}const o=this.io.setTimeoutFn(()=>{delete this.acks[t];for(let i=0;i<this.sendBuffer.length;i++)this.sendBuffer[i].id===t&&this.sendBuffer.splice(i,1);n.call(this,new Error("operation has timed out"))},r);this.acks[t]=(...i)=>{this.io.clearTimeoutFn(o),n.apply(this,[null,...i])}}packet(t){t.nsp=this.nsp,this.io._packet(t)}onopen(){typeof this.auth=="function"?this.auth(t=>{this.packet({type:Qe.CONNECT,data:t})}):this.packet({type:Qe.CONNECT,data:this.auth})}onerror(t){this.connected||this.emitReserved("connect_error",t)}onclose(t,n){this.connected=!1,delete this.id,this.emitReserved("disconnect",t,n)}onpacket(t){if(t.nsp===this.nsp)switch(t.type){case Qe.CONNECT:if(t.data&&t.data.sid){const o=t.data.sid;this.onconnect(o)}else this.emitReserved("connect_error",new Error("It seems you are trying to reach a Socket.IO server in v2.x with a v3.x client, but they are not compatible (more information here: https://socket.io/docs/v3/migrating-from-2-x-to-3-0/)"));break;case Qe.EVENT:case Qe.BINARY_EVENT:this.onevent(t);break;case Qe.ACK:case Qe.BINARY_ACK:this.onack(t);break;case Qe.DISCONNECT:this.ondisconnect();break;case Qe.CONNECT_ERROR:this.destroy();const r=new Error(t.data.message);r.data=t.data.data,this.emitReserved("connect_error",r);break}}onevent(t){const n=t.data||[];t.id!=null&&n.push(this.ack(t.id)),this.connected?this.emitEvent(n):this.receiveBuffer.push(Object.freeze(n))}emitEvent(t){if(this._anyListeners&&this._anyListeners.length){const n=this._anyListeners.slice();for(const r of n)r.apply(this,t)}super.emit.apply(this,t)}ack(t){const n=this;let r=!1;return function(...o){r||(r=!0,n.packet({type:Qe.ACK,id:t,data:o}))}}onack(t){const n=this.acks[t.id];typeof n=="function"&&(n.apply(this,t.data),delete this.acks[t.id])}onconnect(t){this.id=t,this.connected=!0,this.emitBuffered(),this.emitReserved("connect")}emitBuffered(){this.receiveBuffer.forEach(t=>this.emitEvent(t)),this.receiveBuffer=[],this.sendBuffer.forEach(t=>{this.notifyOutgoingListeners(t),this.packet(t)}),this.sendBuffer=[]}ondisconnect(){this.destroy(),this.onclose("io server disconnect")}destroy(){this.subs&&(this.subs.forEach(t=>t()),this.subs=void 0),this.io._destroy(this)}disconnect(){return this.connected&&this.packet({type:Qe.DISCONNECT}),this.destroy(),this.connected&&this.onclose("io client disconnect"),this}close(){return this.disconnect()}compress(t){return this.flags.compress=t,this}get volatile(){return this.flags.volatile=!0,this}timeout(t){return this.flags.timeout=t,this}onAny(t){return this._anyListeners=this._anyListeners||[],this._anyListeners.push(t),this}prependAny(t){return this._anyListeners=this._anyListeners||[],this._anyListeners.unshift(t),this}offAny(t){if(!this._anyListeners)return this;if(t){const n=this._anyListeners;for(let r=0;r<n.length;r++)if(t===n[r])return n.splice(r,1),this}else this._anyListeners=[];return this}listenersAny(){return this._anyListeners||[]}onAnyOutgoing(t){return this._anyOutgoingListeners=this._anyOutgoingListeners||[],this._anyOutgoingListeners.push(t),this}prependAnyOutgoing(t){return this._anyOutgoingListeners=this._anyOutgoingListeners||[],this._anyOutgoingListeners.unshift(t),this}offAnyOutgoing(t){if(!this._anyOutgoingListeners)return this;if(t){const n=this._anyOutgoingListeners;for(let r=0;r<n.length;r++)if(t===n[r])return n.splice(r,1),this}else this._anyOutgoingListeners=[];return this}listenersAnyOutgoing(){return this._anyOutgoingListeners||[]}notifyOutgoingListeners(t){if(this._anyOutgoingListeners&&this._anyOutgoingListeners.length){const n=this._anyOutgoingListeners.slice();for(const r of n)r.apply(this,t.data)}}}function Ou(e){e=e||{},this.ms=e.min||100,this.max=e.max||1e4,this.factor=e.factor||2,this.jitter=e.jitter>0&&e.jitter<=1?e.jitter:0,this.attempts=0}Ou.prototype.duration=function(){var e=this.ms*Math.pow(this.factor,this.attempts++);if(this.jitter){var t=Math.random(),n=Math.floor(t*this.jitter*e);e=(Math.floor(t*10)&1)==0?e-n:e+n}return Math.min(e,this.max)|0};Ou.prototype.reset=function(){this.attempts=0};Ou.prototype.setMin=function(e){this.ms=e};Ou.prototype.setMax=function(e){this.max=e};Ou.prototype.setJitter=function(e){this.jitter=e};class H5 extends ln{constructor(t,n){var r;super(),this.nsps={},this.subs=[],t&&typeof t=="object"&&(n=t,t=void 0),n=n||{},n.path=n.path||"/socket.io",this.opts=n,Im(this,n),this.reconnection(n.reconnection!==!1),this.reconnectionAttempts(n.reconnectionAttempts||1/0),this.reconnectionDelay(n.reconnectionDelay||1e3),this.reconnectionDelayMax(n.reconnectionDelayMax||5e3),this.randomizationFactor((r=n.randomizationFactor)!==null&&r!==void 0?r:.5),this.backoff=new Ou({min:this.reconnectionDelay(),max:this.reconnectionDelayMax(),jitter:this.randomizationFactor()}),this.timeout(n.timeout==null?2e4:n.timeout),this._readyState="closed",this.uri=t;const o=n.parser||Wfe;this.encoder=new o.Encoder,this.decoder=new o.Decoder,this._autoConnect=n.autoConnect!==!1,this._autoConnect&&this.open()}reconnection(t){return arguments.length?(this._reconnection=!!t,this):this._reconnection}reconnectionAttempts(t){return t===void 0?this._reconnectionAttempts:(this._reconnectionAttempts=t,this)}reconnectionDelay(t){var n;return t===void 0?this._reconnectionDelay:(this._reconnectionDelay=t,(n=this.backoff)===null||n===void 0||n.setMin(t),this)}randomizationFactor(t){var n;return t===void 0?this._randomizationFactor:(this._randomizationFactor=t,(n=this.backoff)===null||n===void 0||n.setJitter(t),this)}reconnectionDelayMax(t){var n;return t===void 0?this._reconnectionDelayMax:(this._reconnectionDelayMax=t,(n=this.backoff)===null||n===void 0||n.setMax(t),this)}timeout(t){return arguments.length?(this._timeout=t,this):this._timeout}maybeReconnectOnOpen(){!this._reconnecting&&this._reconnection&&this.backoff.attempts===0&&this.reconnect()}open(t){if(~this._readyState.indexOf("open"))return this;this.engine=new Sa(this.uri,this.opts);const n=this.engine,r=this;this._readyState="opening",this.skipReconnect=!1;const o=Eo(n,"open",function(){r.onopen(),t&&t()}),i=Eo(n,"error",s=>{r.cleanup(),r._readyState="closed",this.emitReserved("error",s),t?t(s):r.maybeReconnectOnOpen()});if(this._timeout!==!1){const s=this._timeout;s===0&&o();const u=this.setTimeoutFn(()=>{o(),n.close(),n.emit("error",new Error("timeout"))},s);this.opts.autoUnref&&u.unref(),this.subs.push(function(){clearTimeout(u)})}return this.subs.push(o),this.subs.push(i),this}connect(t){return this.open(t)}onopen(){this.cleanup(),this._readyState="open",this.emitReserved("open");const t=this.engine;this.subs.push(Eo(t,"ping",this.onping.bind(this)),Eo(t,"data",this.ondata.bind(this)),Eo(t,"error",this.onerror.bind(this)),Eo(t,"close",this.onclose.bind(this)),Eo(this.decoder,"decoded",this.ondecoded.bind(this)))}onping(){this.emitReserved("ping")}ondata(t){try{this.decoder.add(t)}catch{this.onclose("parse error")}}ondecoded(t){this.emitReserved("packet",t)}onerror(t){this.emitReserved("error",t)}socket(t,n){let r=this.nsps[t];return r||(r=new VT(this,t,n),this.nsps[t]=r),r}_destroy(t){const n=Object.keys(this.nsps);for(const r of n)if(this.nsps[r].active)return;this._close()}_packet(t){const n=this.encoder.encode(t);for(let r=0;r<n.length;r++)this.engine.write(n[r],t.options)}cleanup(){this.subs.forEach(t=>t()),this.subs.length=0,this.decoder.destroy()}_close(){this.skipReconnect=!0,this._reconnecting=!1,this.onclose("forced close"),this.engine&&this.engine.close()}disconnect(){return this._close()}onclose(t,n){this.cleanup(),this.backoff.reset(),this._readyState="closed",this.emitReserved("close",t,n),this._reconnection&&!this.skipReconnect&&this.reconnect()}reconnect(){if(this._reconnecting||this.skipReconnect)return this;const t=this;if(this.backoff.attempts>=this._reconnectionAttempts)this.backoff.reset(),this.emitReserved("reconnect_failed"),this._reconnecting=!1;else{const n=this.backoff.duration();this._reconnecting=!0;const r=this.setTimeoutFn(()=>{t.skipReconnect||(this.emitReserved("reconnect_attempt",t.backoff.attempts),!t.skipReconnect&&t.open(o=>{o?(t._reconnecting=!1,t.reconnect(),this.emitReserved("reconnect_error",o)):t.onreconnect()}))},n);this.opts.autoUnref&&r.unref(),this.subs.push(function(){clearTimeout(r)})}}onreconnect(){const t=this.backoff.attempts;this._reconnecting=!1,this.backoff.reset(),this.emitReserved("reconnect",t)}}const _c={};function e1(e,t){typeof e=="object"&&(t=e,e=void 0),t=t||{};const n=Mfe(e,t.path||"/socket.io"),r=n.source,o=n.id,i=n.path,s=_c[o]&&i in _c[o].nsps,u=t.forceNew||t["force new connection"]||t.multiplex===!1||s;let c;return u?c=new H5(r,t):(_c[o]||(_c[o]=new H5(r,t)),c=_c[o]),n.query&&!t.query&&(t.query=n.queryKey),c.socket(n.path,t)}Object.assign(e1,{Manager:H5,Socket:VT,io:e1,connect:e1});let gh;const jfe=new Uint8Array(16);function Ufe(){if(!gh&&(gh=typeof crypto<"u"&&crypto.getRandomValues&&crypto.getRandomValues.bind(crypto),!gh))throw new Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");return gh(jfe)}const En=[];for(let e=0;e<256;++e)En.push((e+256).toString(16).slice(1));function Gfe(e,t=0){return(En[e[t+0]]+En[e[t+1]]+En[e[t+2]]+En[e[t+3]]+"-"+En[e[t+4]]+En[e[t+5]]+"-"+En[e[t+6]]+En[e[t+7]]+"-"+En[e[t+8]]+En[e[t+9]]+"-"+En[e[t+10]]+En[e[t+11]]+En[e[t+12]]+En[e[t+13]]+En[e[t+14]]+En[e[t+15]]).toLowerCase()}const Zfe=typeof crypto<"u"&&crypto.randomUUID&&crypto.randomUUID.bind(crypto),v7={randomUUID:Zfe};function kc(e,t,n){if(v7.randomUUID&&!t&&!e)return v7.randomUUID();e=e||{};const r=e.random||(e.rng||Ufe)();if(r[6]=r[6]&15|64,r[8]=r[8]&63|128,t){n=n||0;for(let o=0;o<16;++o)t[n+o]=r[o];return t}return Gfe(r)}var qfe=/d{1,4}|D{3,4}|m{1,4}|yy(?:yy)?|([HhMsTt])\1?|W{1,2}|[LlopSZN]|"[^"]*"|'[^']*'/g,Kfe=/\b(?:[A-Z]{1,3}[A-Z][TC])(?:[-+]\d{4})?|((?:Australian )?(?:Pacific|Mountain|Central|Eastern|Atlantic) (?:Standard|Daylight|Prevailing) Time)\b/g,Yfe=/[^-+\dA-Z]/g;function Xn(e,t,n,r){if(arguments.length===1&&typeof e=="string"&&!/\d/.test(e)&&(t=e,e=void 0),e=e||e===0?e:new Date,e instanceof Date||(e=new Date(e)),isNaN(e))throw TypeError("Invalid date");t=String(y7[t]||t||y7.default);var o=t.slice(0,4);(o==="UTC:"||o==="GMT:")&&(t=t.slice(4),n=!0,o==="GMT:"&&(r=!0));var i=function(){return n?"getUTC":"get"},s=function(){return e[i()+"Date"]()},u=function(){return e[i()+"Day"]()},c=function(){return e[i()+"Month"]()},f=function(){return e[i()+"FullYear"]()},p=function(){return e[i()+"Hours"]()},h=function(){return e[i()+"Minutes"]()},m=function(){return e[i()+"Seconds"]()},g=function(){return e[i()+"Milliseconds"]()},b=function(){return n?0:e.getTimezoneOffset()},S=function(){return Xfe(e)},E=function(){return Qfe(e)},w={d:function(){return s()},dd:function(){return Ar(s())},ddd:function(){return fr.dayNames[u()]},DDD:function(){return b7({y:f(),m:c(),d:s(),_:i(),dayName:fr.dayNames[u()],short:!0})},dddd:function(){return fr.dayNames[u()+7]},DDDD:function(){return b7({y:f(),m:c(),d:s(),_:i(),dayName:fr.dayNames[u()+7]})},m:function(){return c()+1},mm:function(){return Ar(c()+1)},mmm:function(){return fr.monthNames[c()]},mmmm:function(){return fr.monthNames[c()+12]},yy:function(){return String(f()).slice(2)},yyyy:function(){return Ar(f(),4)},h:function(){return p()%12||12},hh:function(){return Ar(p()%12||12)},H:function(){return p()},HH:function(){return Ar(p())},M:function(){return h()},MM:function(){return Ar(h())},s:function(){return m()},ss:function(){return Ar(m())},l:function(){return Ar(g(),3)},L:function(){return Ar(Math.floor(g()/10))},t:function(){return p()<12?fr.timeNames[0]:fr.timeNames[1]},tt:function(){return p()<12?fr.timeNames[2]:fr.timeNames[3]},T:function(){return p()<12?fr.timeNames[4]:fr.timeNames[5]},TT:function(){return p()<12?fr.timeNames[6]:fr.timeNames[7]},Z:function(){return r?"GMT":n?"UTC":Jfe(e)},o:function(){return(b()>0?"-":"+")+Ar(Math.floor(Math.abs(b())/60)*100+Math.abs(b())%60,4)},p:function(){return(b()>0?"-":"+")+Ar(Math.floor(Math.abs(b())/60),2)+":"+Ar(Math.floor(Math.abs(b())%60),2)},S:function(){return["th","st","nd","rd"][s()%10>3?0:(s()%100-s()%10!=10)*s()%10]},W:function(){return S()},WW:function(){return Ar(S())},N:function(){return E()}};return t.replace(qfe,function(x){return x in w?w[x]():x.slice(1,x.length-1)})}var y7={default:"ddd mmm dd yyyy HH:MM:ss",shortDate:"m/d/yy",paddedShortDate:"mm/dd/yyyy",mediumDate:"mmm d, yyyy",longDate:"mmmm d, yyyy",fullDate:"dddd, mmmm d, yyyy",shortTime:"h:MM TT",mediumTime:"h:MM:ss TT",longTime:"h:MM:ss TT Z",isoDate:"yyyy-mm-dd",isoTime:"HH:MM:ss",isoDateTime:"yyyy-mm-dd'T'HH:MM:sso",isoUtcDateTime:"UTC:yyyy-mm-dd'T'HH:MM:ss'Z'",expiresHeaderFormat:"ddd, dd mmm yyyy HH:MM:ss Z"},fr={dayNames:["Sun","Mon","Tue","Wed","Thu","Fri","Sat","Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],monthNames:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec","January","February","March","April","May","June","July","August","September","October","November","December"],timeNames:["a","p","am","pm","A","P","AM","PM"]},Ar=function(t){var n=arguments.length>1&&arguments[1]!==void 0?arguments[1]:2;return String(t).padStart(n,"0")},b7=function(t){var n=t.y,r=t.m,o=t.d,i=t._,s=t.dayName,u=t.short,c=u===void 0?!1:u,f=new Date,p=new Date;p.setDate(p[i+"Date"]()-1);var h=new Date;h.setDate(h[i+"Date"]()+1);var m=function(){return f[i+"Date"]()},g=function(){return f[i+"Month"]()},b=function(){return f[i+"FullYear"]()},S=function(){return p[i+"Date"]()},E=function(){return p[i+"Month"]()},w=function(){return p[i+"FullYear"]()},x=function(){return h[i+"Date"]()},_=function(){return h[i+"Month"]()},L=function(){return h[i+"FullYear"]()};return b()===n&&g()===r&&m()===o?c?"Tdy":"Today":w()===n&&E()===r&&S()===o?c?"Ysd":"Yesterday":L()===n&&_()===r&&x()===o?c?"Tmw":"Tomorrow":s},Xfe=function(t){var n=new Date(t.getFullYear(),t.getMonth(),t.getDate());n.setDate(n.getDate()-(n.getDay()+6)%7+3);var r=new Date(n.getFullYear(),0,4);r.setDate(r.getDate()-(r.getDay()+6)%7+3);var o=n.getTimezoneOffset()-r.getTimezoneOffset();n.setHours(n.getHours()-o);var i=(n-r)/(864e5*7);return 1+Math.floor(i)},Qfe=function(t){var n=t.getDay();return n===0&&(n=7),n},Jfe=function(t){return(String(t).match(Kfe)||[""]).pop().replace(Yfe,"").replace(/GMT\+0000/g,"UTC")};const WT=nr("socketio/generateImage"),ede=nr("socketio/runESRGAN"),tde=nr("socketio/runGFPGAN"),nde=nr("socketio/deleteImage"),HT=nr("socketio/requestImages"),rde=nr("socketio/requestNewImages"),ode=nr("socketio/cancelProcessing"),ide=nr("socketio/uploadInitialImage"),ade=nr("socketio/uploadMaskImage"),sde=nr("socketio/requestSystemConfig"),lde=e=>{const{dispatch:t,getState:n}=e;return{onConnect:()=>{try{t(s7(!0)),t(l7("Connected")),n().gallery.latest_mtime?t(rde()):t(HT())}catch(r){console.error(r)}},onDisconnect:()=>{try{t(s7(!1)),t(l7("Disconnected")),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:"Disconnected from server",level:"warning"}))}catch(r){console.error(r)}},onGenerationResult:r=>{try{const{url:o,mtime:i,metadata:s}=r,u=kc();t(ph({uuid:u,url:o,mtime:i,metadata:s})),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Image generated: ${o}`}))}catch(o){console.error(o)}},onIntermediateResult:r=>{try{const o=kc(),{url:i,metadata:s,mtime:u}=r;t(Hce({uuid:o,url:i,mtime:u,metadata:s})),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Intermediate image generated: ${i}`}))}catch(o){console.error(o)}},onPostprocessingResult:r=>{try{const{url:o,metadata:i,mtime:s}=r;t(ph({uuid:kc(),url:o,mtime:s,metadata:i})),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Postprocessed: ${o}`}))}catch(o){console.error(o)}},onGFPGANResult:r=>{try{const{url:o,metadata:i,mtime:s}=r;t(ph({uuid:kc(),url:o,mtime:s,metadata:i})),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Fixed faces: ${o}`}))}catch(o){console.error(o)}},onProgressUpdate:r=>{try{t(Xh(!0)),t(Yce(r))}catch(o){console.error(o)}},onError:r=>{const{message:o,additionalData:i}=r;try{t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Server error: ${o}`,level:"error"})),t(efe()),t(a7())}catch(s){console.error(s)}},onGalleryImages:r=>{const{images:o,areMoreImagesAvailable:i}=r,s=o.map(u=>{const{url:c,metadata:f,mtime:p}=u;return{uuid:kc(),url:c,mtime:p,metadata:f}});t(Wce({images:s,areMoreImagesAvailable:i})),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Loaded ${o.length} images`}))},onProcessingCanceled:()=>{t(Jce());const{intermediateImage:r}=n().gallery;r&&(t(ph(r)),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Intermediate image saved: ${r.url}`})),t(a7())),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:"Processing canceled",level:"warning"}))},onImageDeleted:r=>{const{url:o,uuid:i}=r;t($ce(i));const{initialImagePath:s,maskPath:u}=n().options;s===o&&t(xu("")),u===o&&t(qf("")),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Image deleted: ${o}`}))},onInitialImageUploaded:r=>{const{url:o}=r;t(xu(o)),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Initial image uploaded: ${o}`}))},onMaskImageUploaded:r=>{const{url:o}=r;t(qf(o)),t(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Mask image uploaded: ${o}`}))},onSystemConfig:r=>{t(Xce(r))}}},ude=["ddim","plms","k_lms","k_dpm_2","k_dpm_2_a","k_euler","k_euler_a","k_heun"],cde=[64,128,192,256,320,384,448,512,576,640,704,768,832,896,960,1024,1088,1152,1216,1280,1344,1408,1472,1536,1600,1664,1728,1792,1856,1920,1984,2048],fde=[64,128,192,256,320,384,448,512,576,640,704,768,832,896,960,1024,1088,1152,1216,1280,1344,1408,1472,1536,1600,1664,1728,1792,1856,1920,1984,2048],dde=[{key:"2x",value:2},{key:"4x",value:4}],zb=0,Fb=4294967295,jT=(e,t)=>Math.floor(Math.random()*(t-e+1)+e),pde=(e,t)=>{const{prompt:n,iterations:r,steps:o,cfgScale:i,threshold:s,perlin:u,height:c,width:f,sampler:p,seed:h,seamless:m,shouldUseInitImage:g,img2imgStrength:b,initialImagePath:S,maskPath:E,shouldFitToWidthHeight:w,shouldGenerateVariations:x,variationAmount:_,seedWeights:L,shouldRunESRGAN:T,upscalingLevel:O,upscalingStrength:N,shouldRunGFPGAN:F,gfpganStrength:q,shouldRandomizeSeed:W}=e,{shouldDisplayInProgress:J}=t,ve={prompt:n,iterations:r,steps:o,cfg_scale:i,threshold:s,perlin:u,height:c,width:f,sampler_name:p,seed:h,seamless:m,progress_images:J};ve.seed=W?jT(zb,Fb):h,g&&(ve.init_img=S,ve.strength=b,ve.fit=w,E&&(ve.init_mask=E)),x?(ve.variation_amount=_,L&&(ve.with_variations=_ce(L))):ve.variation_amount=0;let xe=!1,he=!1;return T&&(xe={level:O,strength:N}),F&&(he={strength:q}),{generationParameters:ve,esrganParameters:xe,gfpganParameters:he}},hde=(e,t)=>{const{dispatch:n,getState:r}=e;return{emitGenerateImage:()=>{n(Xh(!0));const{generationParameters:o,esrganParameters:i,gfpganParameters:s}=pde(r().options,r().system);t.emit("generateImage",o,i,s),n(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`Image generation requested: ${JSON.stringify({...o,...i,...s})}`}))},emitRunESRGAN:o=>{n(Xh(!0));const{upscalingLevel:i,upscalingStrength:s}=r().options,u={upscale:[i,s]};t.emit("runPostprocessing",o,{type:"esrgan",...u}),n(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`ESRGAN upscale requested: ${JSON.stringify({file:o.url,...u})}`}))},emitRunGFPGAN:o=>{n(Xh(!0));const{gfpganStrength:i}=r().options,s={gfpgan_strength:i};t.emit("runPostprocessing",o,{type:"gfpgan",...s}),n(Yn({timestamp:Xn(new Date,"isoDateTime"),message:`GFPGAN fix faces requested: ${JSON.stringify({file:o.url,...s})}`}))},emitDeleteImage:o=>{const{url:i,uuid:s}=o;t.emit("deleteImage",i,s)},emitRequestImages:()=>{const{earliest_mtime:o}=r().gallery;t.emit("requestImages",o)},emitRequestNewImages:()=>{const{latest_mtime:o}=r().gallery;t.emit("requestLatestImages",o)},emitCancelProcessing:()=>{t.emit("cancel")},emitUploadInitialImage:o=>{t.emit("uploadInitialImage",o,o.name)},emitUploadMaskImage:o=>{t.emit("uploadMaskImage",o,o.name)},emitRequestSystemConfig:()=>{t.emit("requestSystemConfig")}}},mde=()=>{const{hostname:e,port:t}=new URL(window.location.href),n=e1(`http://${e}:${t}`,{timeout:6e4});let r=!1;return i=>s=>u=>{const{onConnect:c,onDisconnect:f,onError:p,onPostprocessingResult:h,onGenerationResult:m,onIntermediateResult:g,onProgressUpdate:b,onGalleryImages:S,onProcessingCanceled:E,onImageDeleted:w,onInitialImageUploaded:x,onMaskImageUploaded:_,onSystemConfig:L}=lde(i),{emitGenerateImage:T,emitRunESRGAN:O,emitRunGFPGAN:N,emitDeleteImage:F,emitRequestImages:q,emitRequestNewImages:W,emitCancelProcessing:J,emitUploadInitialImage:ve,emitUploadMaskImage:xe,emitRequestSystemConfig:he}=hde(i,n);switch(r||(n.on("connect",()=>c()),n.on("disconnect",()=>f()),n.on("error",fe=>p(fe)),n.on("generationResult",fe=>m(fe)),n.on("postprocessingResult",fe=>h(fe)),n.on("intermediateResult",fe=>g(fe)),n.on("progressUpdate",fe=>b(fe)),n.on("galleryImages",fe=>S(fe)),n.on("processingCanceled",()=>{E()}),n.on("imageDeleted",fe=>{w(fe)}),n.on("initialImageUploaded",fe=>{x(fe)}),n.on("maskImageUploaded",fe=>{_(fe)}),n.on("systemConfig",fe=>{L(fe)}),r=!0),u.type){case"socketio/generateImage":{T();break}case"socketio/runESRGAN":{O(u.payload);break}case"socketio/runGFPGAN":{N(u.payload);break}case"socketio/deleteImage":{F(u.payload);break}case"socketio/requestImages":{q();break}case"socketio/requestNewImages":{W();break}case"socketio/cancelProcessing":{J();break}case"socketio/uploadInitialImage":{ve(u.payload);break}case"socketio/uploadMaskImage":{xe(u.payload);break}case"socketio/requestSystemConfig":{he();break}}s(u)}},gde={key:"root",storage:Rb,blacklist:["gallery","system"]},vde={key:"system",storage:Rb,blacklist:["isConnected","isProcessing","currentStep","socketId","isESRGANAvailable","isGFPGANAvailable","currentStep","totalSteps","currentIteration","totalIterations","currentStatus"]},yde=ZA({options:zce,gallery:jce,system:fT(vde,tfe)}),bde=fT(gde,yde),UT=lue({reducer:bde,middleware:e=>e({serializableCheck:!1}).concat(mde())}),Ue=Zue,Te=Due;function t1(e){return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?t1=function(n){return typeof n}:t1=function(n){return n&&typeof Symbol=="function"&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n},t1(e)}function xde(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function x7(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Sde(e,t,n){return t&&x7(e.prototype,t),n&&x7(e,n),e}function wde(e,t){return t&&(t1(t)==="object"||typeof t=="function")?t:n1(e)}function j5(e){return j5=Object.setPrototypeOf?Object.getPrototypeOf:function(n){return n.__proto__||Object.getPrototypeOf(n)},j5(e)}function n1(e){if(e===void 0)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Cde(e,t){if(typeof t!="function"&&t!==null)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&U5(e,t)}function U5(e,t){return U5=Object.setPrototypeOf||function(r,o){return r.__proto__=o,r},U5(e,t)}function r1(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var GT=function(e){Cde(t,e);function t(){var n,r;xde(this,t);for(var o=arguments.length,i=new Array(o),s=0;s<o;s++)i[s]=arguments[s];return r=wde(this,(n=j5(t)).call.apply(n,[this].concat(i))),r1(n1(r),"state",{bootstrapped:!1}),r1(n1(r),"_unsubscribe",void 0),r1(n1(r),"handlePersistorState",function(){var u=r.props.persistor,c=u.getState(),f=c.bootstrapped;f&&(r.props.onBeforeLift?Promise.resolve(r.props.onBeforeLift()).finally(function(){return r.setState({bootstrapped:!0})}):r.setState({bootstrapped:!0}),r._unsubscribe&&r._unsubscribe())}),r}return Sde(t,[{key:"componentDidMount",value:function(){this._unsubscribe=this.props.persistor.subscribe(this.handlePersistorState),this.handlePersistorState()}},{key:"componentWillUnmount",value:function(){this._unsubscribe&&this._unsubscribe()}},{key:"render",value:function(){return typeof this.props.children=="function"?this.props.children(this.state.bootstrapped):this.state.bootstrapped?this.props.children:this.props.loading}}]),t}(C.exports.PureComponent);r1(GT,"defaultProps",{children:null,loading:null});const S7=Ale({config:{initialColorMode:"dark",useSystemColorMode:!1},components:{Tooltip:{baseStyle:e=>({textColor:e.colorMode==="dark"?"gray.800":"gray.100"})},Accordion:{baseStyle:e=>({button:{fontWeight:"bold",_hover:{bgColor:e.colorMode==="dark"?"rgba(255,255,255,0.05)":"rgba(0,0,0,0.05)"}},panel:{paddingBottom:2}})},FormLabel:{baseStyle:{fontWeight:"light"}},Button:{variants:{imageHoverIconButton:e=>({bg:e.colorMode==="dark"?"blackAlpha.700":"whiteAlpha.800",color:e.colorMode==="dark"?"whiteAlpha.700":"blackAlpha.700",_hover:{bg:e.colorMode==="dark"?"blackAlpha.800":"whiteAlpha.800",color:e.colorMode==="dark"?"whiteAlpha.900":"blackAlpha.900"}})}}}}),ZT=()=>y(dt,{width:"100vw",height:"100vh",alignItems:"center",justifyContent:"center",children:y(sm,{thickness:"2px",speed:"1s",emptyColor:"gray.200",color:"gray.400",size:"xl"})}),_de=Rn(e=>e.system,e=>({isProcessing:e.isProcessing,currentStep:e.currentStep,totalSteps:e.totalSteps,currentStatusHasSteps:e.currentStatusHasSteps}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),kde=()=>{const{isProcessing:e,currentStep:t,totalSteps:n,currentStatusHasSteps:r}=Te(_de),o=t?Math.round(t*100/n):0;return y(cA,{height:"4px",value:o,isIndeterminate:e&&!r,className:"progress-bar"})};var qT={color:void 0,size:void 0,className:void 0,style:void 0,attr:void 0},w7=Q.createContext&&Q.createContext(qT),Da=globalThis&&globalThis.__assign||function(){return Da=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++){t=arguments[n];for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])}return e},Da.apply(this,arguments)},Ede=globalThis&&globalThis.__rest||function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&t.indexOf(r)<0&&(n[r]=e[r]);if(e!=null&&typeof Object.getOwnPropertySymbols=="function")for(var o=0,r=Object.getOwnPropertySymbols(e);o<r.length;o++)t.indexOf(r[o])<0&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function KT(e){return e&&e.map(function(t,n){return Q.createElement(t.tag,Da({key:n},t.attr),KT(t.child))})}function Ft(e){return function(t){return y(Lde,{...Da({attr:Da({},e.attr)},t),children:KT(e.child)})}}function Lde(e){var t=function(n){var r=e.attr,o=e.size,i=e.title,s=Ede(e,["attr","size","title"]),u=o||n.size||"1em",c;return n.className&&(c=n.className),e.className&&(c=(c?c+" ":"")+e.className),X("svg",{...Da({stroke:"currentColor",fill:"currentColor",strokeWidth:"0"},n.attr,r,s,{className:c,style:Da(Da({color:e.color||n.color},n.style),e.style),height:u,width:u,xmlns:"http://www.w3.org/2000/svg"}),children:[i&&y("title",{children:i}),e.children]})};return w7!==void 0?y(w7.Consumer,{children:function(n){return t(n)}}):t(qT)}function Pde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 496 512"},child:[{tag:"path",attr:{d:"M165.9 397.4c0 2-2.3 3.6-5.2 3.6-3.3.3-5.6-1.3-5.6-3.6 0-2 2.3-3.6 5.2-3.6 3-.3 5.6 1.3 5.6 3.6zm-31.1-4.5c-.7 2 1.3 4.3 4.3 4.9 2.6 1 5.6 0 6.2-2s-1.3-4.3-4.3-5.2c-2.6-.7-5.5.3-6.2 2.3zm44.2-1.7c-2.9.7-4.9 2.6-4.6 4.9.3 2 2.9 3.3 5.9 2.6 2.9-.7 4.9-2.6 4.6-4.6-.3-1.9-3-3.2-5.9-2.9zM244.8 8C106.1 8 0 113.3 0 252c0 110.9 69.8 205.8 169.5 239.2 12.8 2.3 17.3-5.6 17.3-12.1 0-6.2-.3-40.4-.3-61.4 0 0-70 15-84.7-29.8 0 0-11.4-29.1-27.8-36.6 0 0-22.9-15.7 1.6-15.4 0 0 24.9 2 38.6 25.8 21.9 38.6 58.6 27.5 72.9 20.9 2.3-16 8.8-27.1 16-33.7-55.9-6.2-112.3-14.3-112.3-110.5 0-27.5 7.6-41.3 23.6-58.9-2.6-6.5-11.1-33.3 2.6-67.9 20.9-6.5 69 27 69 27 20-5.6 41.5-8.5 62.8-8.5s42.8 2.9 62.8 8.5c0 0 48.1-33.6 69-27 13.7 34.7 5.2 61.4 2.6 67.9 16 17.7 25.8 31.5 25.8 58.9 0 96.5-58.9 104.2-114.8 110.5 9.2 7.9 17 22.9 17 46.4 0 33.7-.3 75.4-.3 83.6 0 6.5 4.6 14.4 17.3 12.1C428.2 457.8 496 362.9 496 252 496 113.3 383.5 8 244.8 8zM97.2 352.9c-1.3 1-1 3.3.7 5.2 1.6 1.6 3.9 2.3 5.2 1 1.3-1 1-3.3-.7-5.2-1.6-1.6-3.9-2.3-5.2-1zm-10.8-8.1c-.7 1.3.3 2.9 2.3 3.9 1.6 1 3.6.7 4.3-.7.7-1.3-.3-2.9-2.3-3.9-2-.6-3.6-.3-4.3.7zm32.4 35.6c-1.6 1.3-1 4.3 1.3 6.2 2.3 2.3 5.2 2.6 6.5 1 1.3-1.3.7-4.3-1.3-6.2-2.2-2.3-5.2-2.6-6.5-1zm-11.4-14.7c-1.6 1-1.6 3.6 0 5.9 1.6 2.3 4.3 3.3 5.6 2.3 1.6-1.3 1.6-3.9 0-6.2-1.4-2.3-4-3.3-5.6-2z"}}]})(e)}function Ade(e){return Ft({tag:"svg",attr:{viewBox:"0 0 320 512"},child:[{tag:"path",attr:{d:"M143 256.3L7 120.3c-9.4-9.4-9.4-24.6 0-33.9l22.6-22.6c9.4-9.4 24.6-9.4 33.9 0l96.4 96.4 96.4-96.4c9.4-9.4 24.6-9.4 33.9 0L313 86.3c9.4 9.4 9.4 24.6 0 33.9l-136 136c-9.4 9.5-24.6 9.5-34 .1zm34 192l136-136c9.4-9.4 9.4-24.6 0-33.9l-22.6-22.6c-9.4-9.4-24.6-9.4-33.9 0L160 352.1l-96.4-96.4c-9.4-9.4-24.6-9.4-33.9 0L7 278.3c-9.4 9.4-9.4 24.6 0 33.9l136 136c9.4 9.5 24.6 9.5 34 .1z"}}]})(e)}function Tde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M173.898 439.404l-166.4-166.4c-9.997-9.997-9.997-26.206 0-36.204l36.203-36.204c9.997-9.998 26.207-9.998 36.204 0L192 312.69 432.095 72.596c9.997-9.997 26.207-9.997 36.204 0l36.203 36.204c9.997 9.997 9.997 26.206 0 36.204l-294.4 294.401c-9.998 9.997-26.207 9.997-36.204-.001z"}}]})(e)}function Ide(e){return Ft({tag:"svg",attr:{viewBox:"0 0 640 512"},child:[{tag:"path",attr:{d:"M278.9 511.5l-61-17.7c-6.4-1.8-10-8.5-8.2-14.9L346.2 8.7c1.8-6.4 8.5-10 14.9-8.2l61 17.7c6.4 1.8 10 8.5 8.2 14.9L293.8 503.3c-1.9 6.4-8.5 10.1-14.9 8.2zm-114-112.2l43.5-46.4c4.6-4.9 4.3-12.7-.8-17.2L117 256l90.6-79.7c5.1-4.5 5.5-12.3.8-17.2l-43.5-46.4c-4.5-4.8-12.1-5.1-17-.5L3.8 247.2c-5.1 4.7-5.1 12.8 0 17.5l144.1 135.1c4.9 4.6 12.5 4.4 17-.5zm327.2.6l144.1-135.1c5.1-4.7 5.1-12.8 0-17.5L492.1 112.1c-4.8-4.5-12.4-4.3-17 .5L431.6 159c-4.6 4.9-4.3 12.7.8 17.2L523 256l-90.6 79.7c-5.1 4.5-5.5 12.3-.8 17.2l43.5 46.4c4.5 4.9 12.1 5.1 17 .6z"}}]})(e)}function Mde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M320 448v40c0 13.255-10.745 24-24 24H24c-13.255 0-24-10.745-24-24V120c0-13.255 10.745-24 24-24h72v296c0 30.879 25.121 56 56 56h168zm0-344V0H152c-13.255 0-24 10.745-24 24v368c0 13.255 10.745 24 24 24h272c13.255 0 24-10.745 24-24V128H344c-13.2 0-24-10.8-24-24zm120.971-31.029L375.029 7.029A24 24 0 0 0 358.059 0H352v96h96v-6.059a24 24 0 0 0-7.029-16.97z"}}]})(e)}function Rde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M416 208H32c-17.67 0-32 14.33-32 32v32c0 17.67 14.33 32 32 32h384c17.67 0 32-14.33 32-32v-32c0-17.67-14.33-32-32-32z"}}]})(e)}function Ode(e){return Ft({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M283.211 512c78.962 0 151.079-35.925 198.857-94.792 7.068-8.708-.639-21.43-11.562-19.35-124.203 23.654-238.262-71.576-238.262-196.954 0-72.222 38.662-138.635 101.498-174.394 9.686-5.512 7.25-20.197-3.756-22.23A258.156 258.156 0 0 0 283.211 0c-141.309 0-256 114.511-256 256 0 141.309 114.511 256 256 256z"}}]})(e)}function Nde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M64 96H0c0 123.7 100.3 224 224 224v144c0 8.8 7.2 16 16 16h32c8.8 0 16-7.2 16-16V320C288 196.3 187.7 96 64 96zm384-64c-84.2 0-157.4 46.5-195.7 115.2 27.7 30.2 48.2 66.9 59 107.6C424 243.1 512 147.9 512 32h-64z"}}]})(e)}function Dde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M256 160c-52.9 0-96 43.1-96 96s43.1 96 96 96 96-43.1 96-96-43.1-96-96-96zm246.4 80.5l-94.7-47.3 33.5-100.4c4.5-13.6-8.4-26.5-21.9-21.9l-100.4 33.5-47.4-94.8c-6.4-12.8-24.6-12.8-31 0l-47.3 94.7L92.7 70.8c-13.6-4.5-26.5 8.4-21.9 21.9l33.5 100.4-94.7 47.4c-12.8 6.4-12.8 24.6 0 31l94.7 47.3-33.5 100.5c-4.5 13.6 8.4 26.5 21.9 21.9l100.4-33.5 47.3 94.7c6.4 12.8 24.6 12.8 31 0l47.3-94.7 100.4 33.5c13.6 4.5 26.5-8.4 21.9-21.9l-33.5-100.4 94.7-47.3c13-6.5 13-24.7.2-31.1zm-155.9 106c-49.9 49.9-131.1 49.9-181 0-49.9-49.9-49.9-131.1 0-181 49.9-49.9 131.1-49.9 181 0 49.9 49.9 49.9 131.1 0 181z"}}]})(e)}function zde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M32 464a48 48 0 0 0 48 48h288a48 48 0 0 0 48-48V128H32zm272-256a16 16 0 0 1 32 0v224a16 16 0 0 1-32 0zm-96 0a16 16 0 0 1 32 0v224a16 16 0 0 1-32 0zm-96 0a16 16 0 0 1 32 0v224a16 16 0 0 1-32 0zM432 32H312l-9.4-18.7A24 24 0 0 0 281.1 0H166.8a23.72 23.72 0 0 0-21.4 13.3L136 32H16A16 16 0 0 0 0 48v32a16 16 0 0 0 16 16h416a16 16 0 0 0 16-16V48a16 16 0 0 0-16-16z"}}]})(e)}function C7(e){return Ft({tag:"svg",attr:{viewBox:"0 0 448 512"},child:[{tag:"path",attr:{d:"M432 32H312l-9.4-18.7A24 24 0 0 0 281.1 0H166.8a23.72 23.72 0 0 0-21.4 13.3L136 32H16A16 16 0 0 0 0 48v32a16 16 0 0 0 16 16h416a16 16 0 0 0 16-16V48a16 16 0 0 0-16-16zM53.2 467a48 48 0 0 0 47.9 45h245.8a48 48 0 0 0 47.9-45L416 128H32z"}}]})(e)}function _7(e){return Ft({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M296 384h-80c-13.3 0-24-10.7-24-24V192h-87.7c-17.8 0-26.7-21.5-14.1-34.1L242.3 5.7c7.5-7.5 19.8-7.5 27.3 0l152.2 152.2c12.6 12.6 3.7 34.1-14.1 34.1H320v168c0 13.3-10.7 24-24 24zm216-8v112c0 13.3-10.7 24-24 24H24c-13.3 0-24-10.7-24-24V376c0-13.3 10.7-24 24-24h136v8c0 30.9 25.1 56 56 56h80c30.9 0 56-25.1 56-56v-8h136c13.3 0 24 10.7 24 24zm-124 88c0-11-9-20-20-20s-20 9-20 20 9 20 20 20 20-9 20-20zm64 0c0-11-9-20-20-20s-20 9-20 20 9 20 20 20 20-9 20-20z"}}]})(e)}function Fde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M6 19c0 1.1.9 2 2 2h8c1.1 0 2-.9 2-2V7H6v12zM19 4h-3.5l-1-1h-5l-1 1H5v2h14V4z"}}]})(e)}function Bde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M9 11.75a1.25 1.25 0 100 2.5 1.25 1.25 0 000-2.5zm6 0a1.25 1.25 0 100 2.5 1.25 1.25 0 000-2.5zM12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm0 18c-4.41 0-8-3.59-8-8 0-.29.02-.58.05-.86 2.36-1.05 4.23-2.98 5.21-5.37a9.974 9.974 0 0010.41 3.97c.21.71.33 1.47.33 2.26 0 4.41-3.59 8-8 8z"}}]})(e)}function YT(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm1 17h-2v-2h2v2zm2.07-7.75l-.9.92C13.45 12.9 13 13.5 13 15h-2v-.5c0-1.1.45-2.1 1.17-2.83l1.24-1.26c.37-.36.59-.86.59-1.41 0-1.1-.9-2-2-2s-2 .9-2 2H8c0-2.21 1.79-4 4-4s4 1.79 4 4c0 .88-.36 1.68-.93 2.25z"}}]})(e)}function $de(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm1 15h-2v-6h2v6zm0-8h-2V7h2v2z"}}]})(e)}function Vde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0V0z"}},{tag:"path",attr:{d:"M19.14 12.94c.04-.3.06-.61.06-.94 0-.32-.02-.64-.07-.94l2.03-1.58a.49.49 0 00.12-.61l-1.92-3.32a.488.488 0 00-.59-.22l-2.39.96c-.5-.38-1.03-.7-1.62-.94l-.36-2.54a.484.484 0 00-.48-.41h-3.84c-.24 0-.43.17-.47.41l-.36 2.54c-.59.24-1.13.57-1.62.94l-2.39-.96c-.22-.08-.47 0-.59.22L2.74 8.87c-.12.21-.08.47.12.61l2.03 1.58c-.05.3-.09.63-.09.94s.02.64.07.94l-2.03 1.58a.49.49 0 00-.12.61l1.92 3.32c.12.22.37.29.59.22l2.39-.96c.5.38 1.03.7 1.62.94l.36 2.54c.05.24.24.41.48.41h3.84c.24 0 .44-.17.47-.41l.36-2.54c.59-.24 1.13-.56 1.62-.94l2.39.96c.22.08.47 0 .59-.22l1.92-3.32c.12-.22.07-.47-.12-.61l-2.01-1.58zM12 15.6c-1.98 0-3.6-1.62-3.6-3.6s1.62-3.6 3.6-3.6 3.6 1.62 3.6 3.6-1.62 3.6-3.6 3.6z"}}]})(e)}function Wde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M19 3H5a2 2 0 00-2 2v14a2 2 0 002 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm-8 12H9.5v-2h-2v2H6V9h1.5v2.5h2V9H11v6zm2-6h4c.55 0 1 .45 1 1v4c0 .55-.45 1-1 1h-4V9zm1.5 4.5h2v-3h-2v3z"}}]})(e)}function Hde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M3 4V1h2v3h3v2H5v3H3V6H0V4h3zm3 6V7h3V4h7l1.83 2H21c1.1 0 2 .9 2 2v12c0 1.1-.9 2-2 2H5c-1.1 0-2-.9-2-2V10h3zm7 9c2.76 0 5-2.24 5-5s-2.24-5-5-5-5 2.24-5 5 2.24 5 5 5zm-3.2-5c0 1.77 1.43 3.2 3.2 3.2s3.2-1.43 3.2-3.2-1.43-3.2-3.2-3.2-3.2 1.43-3.2 3.2z"}}]})(e)}function jde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M21 19V5c0-1.1-.9-2-2-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2zM8.5 13.5l2.5 3.01L14.5 12l4.5 6H5l3.5-4.5z"}}]})(e)}function Ude(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M22 16V4c0-1.1-.9-2-2-2H8c-1.1 0-2 .9-2 2v12c0 1.1.9 2 2 2h12c1.1 0 2-.9 2-2zm-11-4l2.03 2.71L16 11l4 5H8l3-4zM2 6v14c0 1.1.9 2 2 2h14v-2H4V6H2z"}}]})(e)}function Gde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M21 19V5c0-1.1-.9-2-2-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2zM8.5 13.5l2.5 3.01L14.5 12l4.5 6H5l3.5-4.5z"}}]})(e)}function Zde(e){return Ft({tag:"svg",attr:{viewBox:"0 0 24 24"},child:[{tag:"path",attr:{fill:"none",d:"M0 0h24v24H0z"}},{tag:"path",attr:{d:"M12 2C6.47 2 2 6.47 2 12s4.47 10 10 10 10-4.47 10-10S17.53 2 12 2zm5 13.59L15.59 17 12 13.41 8.41 17 7 15.59 10.59 12 7 8.41 8.41 7 12 10.59 15.59 7 17 8.41 13.41 12 17 15.59z"}}]})(e)}const qde="/assets/logo.13003d72.png";function L2({settingTitle:e,isChecked:t,dispatcher:n}){const r=Ue();return X(qa,{className:"settings-modal-item",children:[y(Bs,{marginBottom:1,children:e}),y(vm,{isChecked:t,onChange:o=>r(n(o.target.checked))})]})}const Kde=Rn(e=>e.system,e=>{const{shouldDisplayInProgress:t,shouldConfirmOnDelete:n,shouldDisplayGuides:r}=e;return{shouldDisplayInProgress:t,shouldConfirmOnDelete:n,shouldDisplayGuides:r}},{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Yde=({children:e})=>{const{isOpen:t,onOpen:n,onClose:r}=s5(),{isOpen:o,onOpen:i,onClose:s}=s5(),{shouldDisplayInProgress:u,shouldConfirmOnDelete:c,shouldDisplayGuides:f}=Te(Kde),p=()=>{mI.purge().then(()=>{r(),i()})};return X(Mn,{children:[C.exports.cloneElement(e,{onClick:n}),X(Wf,{isOpen:t,onClose:r,children:[y(Q1,{}),X(X1,{className:"settings-modal",children:[y(sb,{className:"settings-modal-header",children:"Settings"}),y(eA,{}),X(Y1,{className:"settings-modal-content",children:[X("div",{className:"settings-modal-items",children:[y(L2,{settingTitle:"Display In-Progress Images (slower)",isChecked:u,dispatcher:Zce}),y(L2,{settingTitle:"Confirm on Delete",isChecked:c,dispatcher:ET}),y(L2,{settingTitle:"Display Help Icons",isChecked:f,dispatcher:Qce})]}),X("div",{className:"settings-modal-reset",children:[y(B3,{size:"md",children:"Reset Web UI"}),y(Mr,{children:"Resetting the web UI only resets the browser's local cache of your images and remembered settings. It does not delete any images from disk."}),y(Mr,{children:"If images aren't showing up in the gallery or something else isn't working, please try resetting before submitting an issue on GitHub."}),y(Ro,{colorScheme:"red",onClick:p,children:"Reset Web UI"})]})]}),y(ab,{children:y(Ro,{onClick:r,children:"Close"})})]})]}),X(Wf,{closeOnOverlayClick:!1,isOpen:o,onClose:s,isCentered:!0,children:[y(Q1,{bg:"blackAlpha.300",backdropFilter:"blur(40px)"}),y(X1,{children:y(Y1,{pb:6,pt:6,children:y(dt,{justifyContent:"center",children:y(Mr,{fontSize:"lg",children:"Web UI has been reset. Refresh the page to reload."})})})})]})]})},Xde=Rn(e=>e.system,e=>({isConnected:e.isConnected,isProcessing:e.isProcessing,currentIteration:e.currentIteration,totalIterations:e.totalIterations,currentStatus:e.currentStatus,hasError:e.hasError,wasErrorSeen:e.wasErrorSeen}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Qde=()=>{const{isConnected:e,isProcessing:t,currentIteration:n,totalIterations:r,currentStatus:o,hasError:i,wasErrorSeen:s}=Te(Xde),u=Ue();let c;e&&!i?c="status-good":c="status-bad";let f=o;return["generating","preparing","saving image","restoring faces","upscaling"].includes(f.toLowerCase())&&(c="status-working"),f&&t&&r>1&&(f+=` (${n}/${r})`),y(oo,{label:i&&!s?"Click to clear, check logs for details":void 0,children:y(Mr,{cursor:i&&!s?"pointer":"initial",onClick:()=>{(i||!s)&&u(LT())},className:`status ${c}`,children:f})})},Jde=()=>{const{colorMode:e,toggleColorMode:t}=A0(),n=e=="light"?y(Ode,{}):y(Dde,{}),r=e=="light"?18:20;return X("div",{className:"site-header",children:[X("div",{className:"site-header-left-side",children:[y("img",{src:qde,alt:"invoke-ai-logo"}),X("h1",{children:["invoke ",y("strong",{children:"ai"})]})]}),X("div",{className:"site-header-right-side",children:[y(Qde,{}),y(Yde,{children:y(er,{"aria-label":"Settings",variant:"link",fontSize:24,size:"sm",icon:y(Vde,{})})}),y(er,{"aria-label":"Link to Github Issues",variant:"link",fontSize:23,size:"sm",icon:y(zf,{isExternal:!0,href:"http://github.com/lstein/stable-diffusion/issues",children:y(YT,{})})}),y(er,{"aria-label":"Link to Github Repo",variant:"link",fontSize:20,size:"sm",icon:y(zf,{isExternal:!0,href:"http://github.com/lstein/stable-diffusion",children:y(Pde,{})})}),y(er,{"aria-label":"Toggle Dark Mode",onClick:t,variant:"link",size:"sm",fontSize:r,icon:n})]})]})};var epe=globalThis&&globalThis.__extends||function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,o){r.__proto__=o}||function(r,o){for(var i in o)Object.prototype.hasOwnProperty.call(o,i)&&(r[i]=o[i])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),rn=globalThis&&globalThis.__assign||function(){return rn=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++){t=arguments[n];for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])}return e},rn.apply(this,arguments)},k7={width:"100%",height:"10px",top:"0px",left:"0px",cursor:"row-resize"},E7={width:"10px",height:"100%",top:"0px",left:"0px",cursor:"col-resize"},vh={width:"20px",height:"20px",position:"absolute"},tpe={top:rn(rn({},k7),{top:"-5px"}),right:rn(rn({},E7),{left:void 0,right:"-5px"}),bottom:rn(rn({},k7),{top:void 0,bottom:"-5px"}),left:rn(rn({},E7),{left:"-5px"}),topRight:rn(rn({},vh),{right:"-10px",top:"-10px",cursor:"ne-resize"}),bottomRight:rn(rn({},vh),{right:"-10px",bottom:"-10px",cursor:"se-resize"}),bottomLeft:rn(rn({},vh),{left:"-10px",bottom:"-10px",cursor:"sw-resize"}),topLeft:rn(rn({},vh),{left:"-10px",top:"-10px",cursor:"nw-resize"})},npe=function(e){epe(t,e);function t(){var n=e!==null&&e.apply(this,arguments)||this;return n.onMouseDown=function(r){n.props.onResizeStart(r,n.props.direction)},n.onTouchStart=function(r){n.props.onResizeStart(r,n.props.direction)},n}return t.prototype.render=function(){return y("div",{className:this.props.className||"",style:rn(rn({position:"absolute",userSelect:"none"},tpe[this.props.direction]),this.props.replaceStyles||{}),onMouseDown:this.onMouseDown,onTouchStart:this.onTouchStart,children:this.props.children})},t}(C.exports.PureComponent),rpe=globalThis&&globalThis.__extends||function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,o){r.__proto__=o}||function(r,o){for(var i in o)Object.prototype.hasOwnProperty.call(o,i)&&(r[i]=o[i])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),Uo=globalThis&&globalThis.__assign||function(){return Uo=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++){t=arguments[n];for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])}return e},Uo.apply(this,arguments)},ope={width:"auto",height:"auto"},yh=function(e,t,n){return Math.max(Math.min(e,n),t)},L7=function(e,t){return Math.round(e/t)*t},Cl=function(e,t){return new RegExp(e,"i").test(t)},bh=function(e){return Boolean(e.touches&&e.touches.length)},ipe=function(e){return Boolean((e.clientX||e.clientX===0)&&(e.clientY||e.clientY===0))},P7=function(e,t,n){n===void 0&&(n=0);var r=t.reduce(function(i,s,u){return Math.abs(s-e)<Math.abs(t[i]-e)?u:i},0),o=Math.abs(t[r]-e);return n===0||o<n?t[r]:e},P2=function(e){return e=e.toString(),e==="auto"||e.endsWith("px")||e.endsWith("%")||e.endsWith("vh")||e.endsWith("vw")||e.endsWith("vmax")||e.endsWith("vmin")?e:e+"px"},xh=function(e,t,n,r){if(e&&typeof e=="string"){if(e.endsWith("px"))return Number(e.replace("px",""));if(e.endsWith("%")){var o=Number(e.replace("%",""))/100;return t*o}if(e.endsWith("vw")){var o=Number(e.replace("vw",""))/100;return n*o}if(e.endsWith("vh")){var o=Number(e.replace("vh",""))/100;return r*o}}return e},ape=function(e,t,n,r,o,i,s){return r=xh(r,e.width,t,n),o=xh(o,e.height,t,n),i=xh(i,e.width,t,n),s=xh(s,e.height,t,n),{maxWidth:typeof r>"u"?void 0:Number(r),maxHeight:typeof o>"u"?void 0:Number(o),minWidth:typeof i>"u"?void 0:Number(i),minHeight:typeof s>"u"?void 0:Number(s)}},spe=["as","style","className","grid","snap","bounds","boundsByDirection","size","defaultSize","minWidth","minHeight","maxWidth","maxHeight","lockAspectRatio","lockAspectRatioExtraWidth","lockAspectRatioExtraHeight","enable","handleStyles","handleClasses","handleWrapperStyle","handleWrapperClass","children","onResizeStart","onResize","onResizeStop","handleComponent","scale","resizeRatio","snapGap"],A7="__resizable_base__",lpe=function(e){rpe(t,e);function t(n){var r=e.call(this,n)||this;return r.ratio=1,r.resizable=null,r.parentLeft=0,r.parentTop=0,r.resizableLeft=0,r.resizableRight=0,r.resizableTop=0,r.resizableBottom=0,r.targetLeft=0,r.targetTop=0,r.appendBase=function(){if(!r.resizable||!r.window)return null;var o=r.parentNode;if(!o)return null;var i=r.window.document.createElement("div");return i.style.width="100%",i.style.height="100%",i.style.position="absolute",i.style.transform="scale(0, 0)",i.style.left="0",i.style.flex="0 0 100%",i.classList?i.classList.add(A7):i.className+=A7,o.appendChild(i),i},r.removeBase=function(o){var i=r.parentNode;!i||i.removeChild(o)},r.ref=function(o){o&&(r.resizable=o)},r.state={isResizing:!1,width:typeof(r.propsSize&&r.propsSize.width)>"u"?"auto":r.propsSize&&r.propsSize.width,height:typeof(r.propsSize&&r.propsSize.height)>"u"?"auto":r.propsSize&&r.propsSize.height,direction:"right",original:{x:0,y:0,width:0,height:0},backgroundStyle:{height:"100%",width:"100%",backgroundColor:"rgba(0,0,0,0)",cursor:"auto",opacity:0,position:"fixed",zIndex:9999,top:"0",left:"0",bottom:"0",right:"0"},flexBasis:void 0},r.onResizeStart=r.onResizeStart.bind(r),r.onMouseMove=r.onMouseMove.bind(r),r.onMouseUp=r.onMouseUp.bind(r),r}return Object.defineProperty(t.prototype,"parentNode",{get:function(){return this.resizable?this.resizable.parentNode:null},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"window",{get:function(){return!this.resizable||!this.resizable.ownerDocument?null:this.resizable.ownerDocument.defaultView},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"propsSize",{get:function(){return this.props.size||this.props.defaultSize||ope},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"size",{get:function(){var n=0,r=0;if(this.resizable&&this.window){var o=this.resizable.offsetWidth,i=this.resizable.offsetHeight,s=this.resizable.style.position;s!=="relative"&&(this.resizable.style.position="relative"),n=this.resizable.style.width!=="auto"?this.resizable.offsetWidth:o,r=this.resizable.style.height!=="auto"?this.resizable.offsetHeight:i,this.resizable.style.position=s}return{width:n,height:r}},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"sizeStyle",{get:function(){var n=this,r=this.props.size,o=function(u){if(typeof n.state[u]>"u"||n.state[u]==="auto")return"auto";if(n.propsSize&&n.propsSize[u]&&n.propsSize[u].toString().endsWith("%")){if(n.state[u].toString().endsWith("%"))return n.state[u].toString();var c=n.getParentSize(),f=Number(n.state[u].toString().replace("px","")),p=f/c[u]*100;return p+"%"}return P2(n.state[u])},i=r&&typeof r.width<"u"&&!this.state.isResizing?P2(r.width):o("width"),s=r&&typeof r.height<"u"&&!this.state.isResizing?P2(r.height):o("height");return{width:i,height:s}},enumerable:!1,configurable:!0}),t.prototype.getParentSize=function(){if(!this.parentNode)return this.window?{width:this.window.innerWidth,height:this.window.innerHeight}:{width:0,height:0};var n=this.appendBase();if(!n)return{width:0,height:0};var r=!1,o=this.parentNode.style.flexWrap;o!=="wrap"&&(r=!0,this.parentNode.style.flexWrap="wrap"),n.style.position="relative",n.style.minWidth="100%",n.style.minHeight="100%";var i={width:n.offsetWidth,height:n.offsetHeight};return r&&(this.parentNode.style.flexWrap=o),this.removeBase(n),i},t.prototype.bindEvents=function(){this.window&&(this.window.addEventListener("mouseup",this.onMouseUp),this.window.addEventListener("mousemove",this.onMouseMove),this.window.addEventListener("mouseleave",this.onMouseUp),this.window.addEventListener("touchmove",this.onMouseMove,{capture:!0,passive:!1}),this.window.addEventListener("touchend",this.onMouseUp))},t.prototype.unbindEvents=function(){this.window&&(this.window.removeEventListener("mouseup",this.onMouseUp),this.window.removeEventListener("mousemove",this.onMouseMove),this.window.removeEventListener("mouseleave",this.onMouseUp),this.window.removeEventListener("touchmove",this.onMouseMove,!0),this.window.removeEventListener("touchend",this.onMouseUp))},t.prototype.componentDidMount=function(){if(!(!this.resizable||!this.window)){var n=this.window.getComputedStyle(this.resizable);this.setState({width:this.state.width||this.size.width,height:this.state.height||this.size.height,flexBasis:n.flexBasis!=="auto"?n.flexBasis:void 0})}},t.prototype.componentWillUnmount=function(){this.window&&this.unbindEvents()},t.prototype.createSizeForCssProperty=function(n,r){var o=this.propsSize&&this.propsSize[r];return this.state[r]==="auto"&&this.state.original[r]===n&&(typeof o>"u"||o==="auto")?"auto":n},t.prototype.calculateNewMaxFromBoundary=function(n,r){var o=this.props.boundsByDirection,i=this.state.direction,s=o&&Cl("left",i),u=o&&Cl("top",i),c,f;if(this.props.bounds==="parent"){var p=this.parentNode;p&&(c=s?this.resizableRight-this.parentLeft:p.offsetWidth+(this.parentLeft-this.resizableLeft),f=u?this.resizableBottom-this.parentTop:p.offsetHeight+(this.parentTop-this.resizableTop))}else this.props.bounds==="window"?this.window&&(c=s?this.resizableRight:this.window.innerWidth-this.resizableLeft,f=u?this.resizableBottom:this.window.innerHeight-this.resizableTop):this.props.bounds&&(c=s?this.resizableRight-this.targetLeft:this.props.bounds.offsetWidth+(this.targetLeft-this.resizableLeft),f=u?this.resizableBottom-this.targetTop:this.props.bounds.offsetHeight+(this.targetTop-this.resizableTop));return c&&Number.isFinite(c)&&(n=n&&n<c?n:c),f&&Number.isFinite(f)&&(r=r&&r<f?r:f),{maxWidth:n,maxHeight:r}},t.prototype.calculateNewSizeFromDirection=function(n,r){var o=this.props.scale||1,i=this.props.resizeRatio||1,s=this.state,u=s.direction,c=s.original,f=this.props,p=f.lockAspectRatio,h=f.lockAspectRatioExtraHeight,m=f.lockAspectRatioExtraWidth,g=c.width,b=c.height,S=h||0,E=m||0;return Cl("right",u)&&(g=c.width+(n-c.x)*i/o,p&&(b=(g-E)/this.ratio+S)),Cl("left",u)&&(g=c.width-(n-c.x)*i/o,p&&(b=(g-E)/this.ratio+S)),Cl("bottom",u)&&(b=c.height+(r-c.y)*i/o,p&&(g=(b-S)*this.ratio+E)),Cl("top",u)&&(b=c.height-(r-c.y)*i/o,p&&(g=(b-S)*this.ratio+E)),{newWidth:g,newHeight:b}},t.prototype.calculateNewSizeFromAspectRatio=function(n,r,o,i){var s=this.props,u=s.lockAspectRatio,c=s.lockAspectRatioExtraHeight,f=s.lockAspectRatioExtraWidth,p=typeof i.width>"u"?10:i.width,h=typeof o.width>"u"||o.width<0?n:o.width,m=typeof i.height>"u"?10:i.height,g=typeof o.height>"u"||o.height<0?r:o.height,b=c||0,S=f||0;if(u){var E=(m-b)*this.ratio+S,w=(g-b)*this.ratio+S,x=(p-S)/this.ratio+b,_=(h-S)/this.ratio+b,L=Math.max(p,E),T=Math.min(h,w),O=Math.max(m,x),N=Math.min(g,_);n=yh(n,L,T),r=yh(r,O,N)}else n=yh(n,p,h),r=yh(r,m,g);return{newWidth:n,newHeight:r}},t.prototype.setBoundingClientRect=function(){if(this.props.bounds==="parent"){var n=this.parentNode;if(n){var r=n.getBoundingClientRect();this.parentLeft=r.left,this.parentTop=r.top}}if(this.props.bounds&&typeof this.props.bounds!="string"){var o=this.props.bounds.getBoundingClientRect();this.targetLeft=o.left,this.targetTop=o.top}if(this.resizable){var i=this.resizable.getBoundingClientRect(),s=i.left,u=i.top,c=i.right,f=i.bottom;this.resizableLeft=s,this.resizableRight=c,this.resizableTop=u,this.resizableBottom=f}},t.prototype.onResizeStart=function(n,r){if(!(!this.resizable||!this.window)){var o=0,i=0;if(n.nativeEvent&&ipe(n.nativeEvent)?(o=n.nativeEvent.clientX,i=n.nativeEvent.clientY):n.nativeEvent&&bh(n.nativeEvent)&&(o=n.nativeEvent.touches[0].clientX,i=n.nativeEvent.touches[0].clientY),this.props.onResizeStart&&this.resizable){var s=this.props.onResizeStart(n,r,this.resizable);if(s===!1)return}this.props.size&&(typeof this.props.size.height<"u"&&this.props.size.height!==this.state.height&&this.setState({height:this.props.size.height}),typeof this.props.size.width<"u"&&this.props.size.width!==this.state.width&&this.setState({width:this.props.size.width})),this.ratio=typeof this.props.lockAspectRatio=="number"?this.props.lockAspectRatio:this.size.width/this.size.height;var u,c=this.window.getComputedStyle(this.resizable);if(c.flexBasis!=="auto"){var f=this.parentNode;if(f){var p=this.window.getComputedStyle(f).flexDirection;this.flexDir=p.startsWith("row")?"row":"column",u=c.flexBasis}}this.setBoundingClientRect(),this.bindEvents();var h={original:{x:o,y:i,width:this.size.width,height:this.size.height},isResizing:!0,backgroundStyle:Uo(Uo({},this.state.backgroundStyle),{cursor:this.window.getComputedStyle(n.target).cursor||"auto"}),direction:r,flexBasis:u};this.setState(h)}},t.prototype.onMouseMove=function(n){var r=this;if(!(!this.state.isResizing||!this.resizable||!this.window)){if(this.window.TouchEvent&&bh(n))try{n.preventDefault(),n.stopPropagation()}catch{}var o=this.props,i=o.maxWidth,s=o.maxHeight,u=o.minWidth,c=o.minHeight,f=bh(n)?n.touches[0].clientX:n.clientX,p=bh(n)?n.touches[0].clientY:n.clientY,h=this.state,m=h.direction,g=h.original,b=h.width,S=h.height,E=this.getParentSize(),w=ape(E,this.window.innerWidth,this.window.innerHeight,i,s,u,c);i=w.maxWidth,s=w.maxHeight,u=w.minWidth,c=w.minHeight;var x=this.calculateNewSizeFromDirection(f,p),_=x.newHeight,L=x.newWidth,T=this.calculateNewMaxFromBoundary(i,s);this.props.snap&&this.props.snap.x&&(L=P7(L,this.props.snap.x,this.props.snapGap)),this.props.snap&&this.props.snap.y&&(_=P7(_,this.props.snap.y,this.props.snapGap));var O=this.calculateNewSizeFromAspectRatio(L,_,{width:T.maxWidth,height:T.maxHeight},{width:u,height:c});if(L=O.newWidth,_=O.newHeight,this.props.grid){var N=L7(L,this.props.grid[0]),F=L7(_,this.props.grid[1]),q=this.props.snapGap||0;L=q===0||Math.abs(N-L)<=q?N:L,_=q===0||Math.abs(F-_)<=q?F:_}var W={width:L-g.width,height:_-g.height};if(b&&typeof b=="string"){if(b.endsWith("%")){var J=L/E.width*100;L=J+"%"}else if(b.endsWith("vw")){var ve=L/this.window.innerWidth*100;L=ve+"vw"}else if(b.endsWith("vh")){var xe=L/this.window.innerHeight*100;L=xe+"vh"}}if(S&&typeof S=="string"){if(S.endsWith("%")){var J=_/E.height*100;_=J+"%"}else if(S.endsWith("vw")){var ve=_/this.window.innerWidth*100;_=ve+"vw"}else if(S.endsWith("vh")){var xe=_/this.window.innerHeight*100;_=xe+"vh"}}var he={width:this.createSizeForCssProperty(L,"width"),height:this.createSizeForCssProperty(_,"height")};this.flexDir==="row"?he.flexBasis=he.width:this.flexDir==="column"&&(he.flexBasis=he.height),wu.exports.flushSync(function(){r.setState(he)}),this.props.onResize&&this.props.onResize(n,m,this.resizable,W)}},t.prototype.onMouseUp=function(n){var r=this.state,o=r.isResizing,i=r.direction,s=r.original;if(!(!o||!this.resizable)){var u={width:this.size.width-s.width,height:this.size.height-s.height};this.props.onResizeStop&&this.props.onResizeStop(n,i,this.resizable,u),this.props.size&&this.setState(this.props.size),this.unbindEvents(),this.setState({isResizing:!1,backgroundStyle:Uo(Uo({},this.state.backgroundStyle),{cursor:"auto"})})}},t.prototype.updateSize=function(n){this.setState({width:n.width,height:n.height})},t.prototype.renderResizer=function(){var n=this,r=this.props,o=r.enable,i=r.handleStyles,s=r.handleClasses,u=r.handleWrapperStyle,c=r.handleWrapperClass,f=r.handleComponent;if(!o)return null;var p=Object.keys(o).map(function(h){return o[h]!==!1?y(npe,{direction:h,onResizeStart:n.onResizeStart,replaceStyles:i&&i[h],className:s&&s[h],children:f&&f[h]?f[h]:null},h):null});return y("div",{className:c,style:u,children:p})},t.prototype.render=function(){var n=this,r=Object.keys(this.props).reduce(function(s,u){return spe.indexOf(u)!==-1||(s[u]=n.props[u]),s},{}),o=Uo(Uo(Uo({position:"relative",userSelect:this.state.isResizing?"none":"auto"},this.props.style),this.sizeStyle),{maxWidth:this.props.maxWidth,maxHeight:this.props.maxHeight,minWidth:this.props.minWidth,minHeight:this.props.minHeight,boxSizing:"border-box",flexShrink:0});this.state.flexBasis&&(o.flexBasis=this.state.flexBasis);var i=this.props.as||"div";return X(i,{...Uo({ref:this.ref,style:o,className:this.props.className},r),children:[this.state.isResizing&&y("div",{style:this.state.backgroundStyle}),this.props.children,this.renderResizer()]})},t.defaultProps={as:"div",onResizeStart:function(){},onResize:function(){},onResizeStop:function(){},enable:{top:!0,right:!0,bottom:!0,left:!0,topRight:!0,bottomRight:!0,bottomLeft:!0,topLeft:!0},style:{},grid:[1,1],lockAspectRatio:!1,lockAspectRatioExtraWidth:0,lockAspectRatioExtraHeight:0,scale:1,resizeRatio:1,snapGap:0},t}(C.exports.PureComponent);const upe=Rn(e=>e.system,e=>e.log,{memoizeOptions:{resultEqualityCheck:(e,t)=>e.length===t.length}}),cpe=Rn(e=>e.system,e=>({shouldShowLogViewer:e.shouldShowLogViewer,hasError:e.hasError,wasErrorSeen:e.wasErrorSeen}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),fpe=()=>{const e=Ue(),t=Te(upe),{shouldShowLogViewer:n,hasError:r,wasErrorSeen:o}=Te(cpe),[i,s]=C.exports.useState(!0),u=C.exports.useRef(null);C.exports.useLayoutEffect(()=>{u.current!==null&&i&&(u.current.scrollTop=u.current.scrollHeight)},[i,t,n]);const c=()=>{e(LT()),e(qce(!n))};return X(Mn,{children:[n&&y(lpe,{defaultSize:{width:"100%",height:200},style:{display:"flex",position:"fixed",left:0,bottom:0},maxHeight:"90vh",children:y("div",{className:"console",ref:u,children:t.map((f,p)=>{const{timestamp:h,message:m,level:g}=f;return X("div",{className:`console-entry console-${g}-color`,children:[X("p",{className:"console-timestamp",children:[h,":"]}),y("p",{className:"console-message",children:m})]},p)})})}),n&&y(oo,{label:i?"Autoscroll On":"Autoscroll Off",children:y(er,{className:`console-autoscroll-icon-button ${i&&"autoscroll-enabled"}`,size:"sm","aria-label":"Toggle autoscroll",variant:"solid",icon:y(Ade,{}),onClick:()=>s(!i)})}),y(oo,{label:n?"Hide Console":"Show Console",children:y(er,{className:`console-toggle-icon-button ${(r||!o)&&"error-seen"}`,size:"sm",position:"fixed",variant:"solid","aria-label":"Toggle Log Viewer",icon:n?y(Rde,{}):y(Ide,{}),onClick:c})})]})};function dpe(){async function e(n=""){return await fetch(n,{method:"GET",cache:"no-cache"})}const t=()=>{const n=document.location;e(n+"/flaskwebgui-keep-server-alive").then(o=>o)};(!{BASE_URL:"/",MODE:"production",DEV:!1,PROD:!0}.NODE_ENV||{BASE_URL:"/",MODE:"production",DEV:!1,PROD:!0}.NODE_ENV==="production")&&document.addEventListener("DOMContentLoaded",()=>{t(),setInterval(t,3e3)})}const ppe="/assets/image2img.dde6a9f1.png",hpe=()=>X("div",{className:"work-in-progress txt2img-work-in-progress",children:[y("img",{src:ppe,alt:"img2img_placeholder"}),y("h1",{children:"Image To Image"}),y("p",{children:"Image to Image is already available in the WebUI. You can access it from the Text to Image - Advanced Options menu. A dedicated UI for Image To Image will be released soon."})]});function mpe(){return X("div",{className:"work-in-progress inpainting-work-in-progress",children:[y("h1",{children:"Inpainting"}),y("p",{children:"Inpainting is available as a part of the Invoke AI Command Line Interface. A dedicated WebUI interface will be released in the near future."})]})}function gpe(){return X("div",{className:"work-in-progress nodes-work-in-progress",children:[y("h1",{children:"Nodes"}),y("p",{children:"A node based system for the generation of images is under development currently. Stay tuned for updates about this amazing feature."})]})}function vpe(){return X("div",{className:"work-in-progress outpainting-work-in-progress",children:[y("h1",{children:"Outpainting"}),y("p",{children:"Outpainting is available as a part of the Invoke AI Command Line Interface. A dedicated WebUI interface will be released in the near future."})]})}const ype=()=>X("div",{className:"work-in-progress post-processing-work-in-progress",children:[y("h1",{children:"Post Processing"}),y("p",{children:"Invoke AI offers a wide variety of post processing features. Image Upscaling and Face Restoration are already available in the WebUI. You can access them from the Advanced Options menu of the Text To Image tab. A dedicated UI will be released soon."}),y("p",{children:"The Invoke AI Command Line Interface offers various other features including Embiggen, High Resolution Fixing and more."})]}),bpe=Eu({displayName:"ImageToImageIcon",viewBox:"0 0 3543 3543",path:y("g",{transform:"matrix(1.10943,0,0,1.10943,-206.981,-213.533)",children:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M688.533,2405.95L542.987,2405.95C349.532,2405.95 192.47,2248.89 192.47,2055.44L192.47,542.987C192.47,349.532 349.532,192.47 542.987,192.47L2527.88,192.47C2721.33,192.47 2878.4,349.532 2878.4,542.987L2878.4,1172.79L3023.94,1172.79C3217.4,1172.79 3374.46,1329.85 3374.46,1523.3C3374.46,1523.3 3374.46,3035.75 3374.46,3035.75C3374.46,3229.21 3217.4,3386.27 3023.94,3386.27L1039.05,3386.27C845.595,3386.27 688.533,3229.21 688.533,3035.75L688.533,2405.95ZM3286.96,2634.37L3286.96,1523.3C3286.96,1378.14 3169.11,1260.29 3023.94,1260.29C3023.94,1260.29 1039.05,1260.29 1039.05,1260.29C893.887,1260.29 776.033,1378.14 776.033,1523.3L776.033,2489.79L1440.94,1736.22L2385.83,2775.59L2880.71,2200.41L3286.96,2634.37ZM2622.05,1405.51C2778.5,1405.51 2905.51,1532.53 2905.51,1688.98C2905.51,1845.42 2778.5,1972.44 2622.05,1972.44C2465.6,1972.44 2338.58,1845.42 2338.58,1688.98C2338.58,1532.53 2465.6,1405.51 2622.05,1405.51ZM2790.9,1172.79L1323.86,1172.79L944.882,755.906L279.97,1509.47L279.97,542.987C279.97,397.824 397.824,279.97 542.987,279.97C542.987,279.97 2527.88,279.97 2527.88,279.97C2673.04,279.97 2790.9,397.824 2790.9,542.987L2790.9,1172.79ZM2125.98,425.197C2282.43,425.197 2409.45,552.213 2409.45,708.661C2409.45,865.11 2282.43,992.126 2125.98,992.126C1969.54,992.126 1842.52,865.11 1842.52,708.661C1842.52,552.213 1969.54,425.197 2125.98,425.197Z"})})}),xpe=Eu({displayName:"InpaintIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M3543.31,768.593C3543.31,517.323 3339.31,313.324 3088.04,313.324L455.269,313.324C203.999,313.324 0,517.323 0,768.593C0,768.593 0,2774.71 0,2774.71C0,3025.98 203.999,3229.98 455.269,3229.98L3088.04,3229.98C3339.31,3229.98 3543.31,3025.98 3543.31,2774.71C3543.31,2774.71 3543.31,768.593 3543.31,768.593ZM3446.56,2252.63L3446.56,768.593C3446.56,570.718 3285.91,410.068 3088.04,410.068C3088.04,410.068 455.269,410.068 455.269,410.068C257.394,410.068 96.745,570.718 96.745,768.593L96.745,2061.49L988.344,1051.01L1326.63,1423.12C1281.74,1438.3 1227.39,1454.93 1158.26,1480.89C995.738,1541.9 944.356,1613.28 911.834,1718.7C884.979,1805.76 875.814,1922.93 811.322,2093.5C763.918,2218.87 765.18,2304.83 790.606,2364.87C817.014,2427.22 869.858,2467.73 941.71,2493.83C1023.86,2523.67 1134.43,2534.25 1242.45,2557.97C1365.72,2585.04 1455.23,2643.2 1532.76,2665.96C1587.03,2681.89 1637.04,2683.6 1686.56,2663.56C1731.54,2645.36 1777.95,2607.64 1825.43,2535.92C1874.9,2461.2 1979.98,2369.94 2102.8,2276.91L2241.64,2429.63L2739.91,1850.53C2754.47,1841.35 2767.47,1833.12 2778.66,1825.94C2832.6,1791.35 2866.82,1742.41 2884.38,1682.61L2898.06,1666.72L3446.56,2252.63ZM1680.71,2559.9C1666.7,2570.37 1652.86,2577.22 1638.81,2580.95L1610.62,2588.45L1625.61,2644.82L1653.8,2637.33C1674.48,2631.83 1695.02,2622.04 1715.64,2606.61L1739,2589.14L1704.06,2542.43L1680.71,2559.9ZM1541.62,2570.42C1524.94,2564.58 1507.63,2557.37 1489.49,2549.48L1462.75,2537.84L1439.48,2591.33L1466.22,2602.97C1485.74,2611.46 1504.38,2619.18 1522.33,2625.47L1549.86,2635.12L1569.15,2580.07L1541.62,2570.42ZM1381.21,2503.1C1363.08,2496.04 1344.17,2489.24 1324.38,2483.03L1296.55,2474.29L1279.07,2529.94L1306.9,2538.68C1325.41,2544.49 1343.09,2550.86 1360.05,2557.46L1387.23,2568.04L1408.39,2513.68L1381.21,2503.1ZM1788.46,2430.83C1773.91,2447.61 1761.19,2463.86 1750.55,2479.44L1734.09,2503.52L1782.25,2536.43L1798.71,2512.35C1808.2,2498.46 1819.56,2484 1832.53,2469.04L1851.64,2447.01L1807.57,2408.79L1788.46,2430.83ZM1262.54,2466.49C1243.17,2462.24 1223.71,2458.43 1204.35,2454.87L1175.67,2449.6L1165.12,2506.97L1193.81,2512.24C1212.52,2515.68 1231.32,2519.35 1250.03,2523.46L1278.52,2529.72L1291.03,2472.74L1262.54,2466.49ZM1089.5,2434.66C1070.28,2431.1 1051.6,2427.35 1033.72,2423.15L1005.32,2416.49L992.002,2473.28L1020.4,2479.94C1039.14,2484.34 1058.71,2488.28 1078.86,2492.02L1107.54,2497.34L1118.18,2439.99L1089.5,2434.66ZM932.182,2386.94C917.545,2378.53 904.788,2368.71 894.532,2356.8L875.504,2334.69L831.294,2372.75L850.322,2394.85C864.755,2411.62 882.513,2425.67 903.11,2437.51L928.396,2452.05L957.469,2401.48L932.182,2386.94ZM1917.04,2306.1C1901.59,2319.37 1886.77,2332.5 1872.67,2345.44L1851.18,2365.17L1890.64,2408.14L1912.12,2388.41C1925.76,2375.89 1940.1,2363.19 1955.04,2350.36L1977.17,2331.36L1939.17,2287.1L1917.04,2306.1ZM866.485,2267.79C866.715,2251.85 868.706,2234.39 872.54,2215.21L878.257,2186.61L821.055,2175.17L815.338,2203.77C810.733,2226.81 808.434,2247.8 808.158,2266.94L807.737,2296.11L866.064,2296.95L866.485,2267.79ZM2055.08,2195.63C2039.24,2207.6 2023.66,2219.55 2008.43,2231.46L1985.45,2249.43L2021.38,2295.38L2044.36,2277.42C2059.34,2265.7 2074.66,2253.95 2090.23,2242.18L2113.51,2224.61L2078.35,2178.06L2055.08,2195.63ZM2197.62,2092.3C2181.57,2103.52 2165.6,2114.82 2149.74,2126.16L2126.02,2143.12L2159.95,2190.57L2183.67,2173.61C2199.36,2162.38 2215.18,2151.21 2231.05,2140.1L2254.95,2123.38L2221.52,2075.58L2197.62,2092.3ZM905.788,2108.14C912.858,2088.7 919.236,2069.96 925.03,2051.88L933.93,2024.1L878.378,2006.3L869.478,2034.08C863.905,2051.47 857.769,2069.5 850.968,2088.2L840.998,2115.61L895.817,2135.55L905.788,2108.14ZM2342.87,1993.45C2326.76,2004.15 2310.52,2015.01 2294.22,2026L2270.04,2042.31L2302.65,2090.67L2326.83,2074.37C2343.01,2063.45 2359.14,2052.67 2375.14,2042.04L2399.44,2025.91L2367.17,1977.31L2342.87,1993.45ZM2489.92,1897.67C2473.88,1907.94 2457.46,1918.5 2440.74,1929.32L2416.26,1945.16L2447.95,1994.14L2472.44,1978.29C2489.07,1967.53 2505.41,1957.02 2521.37,1946.8L2545.93,1931.07L2514.48,1881.94L2489.92,1897.67ZM956.972,1937.49C961.849,1917.31 966.133,1898.15 970.079,1879.93L976.253,1851.43L919.241,1839.08L913.067,1867.59C909.215,1885.38 905.033,1904.08 900.271,1923.79L893.42,1952.13L950.121,1965.84L956.972,1937.49ZM2638.01,1803.95C2622.5,1813.69 2605.98,1824.08 2588.59,1835.04L2563.91,1850.59L2595.02,1899.94L2619.69,1884.38C2637.05,1873.44 2653.55,1863.08 2669.03,1853.35L2693.73,1837.84L2662.71,1788.44L2638.01,1803.95ZM2769.59,1708.14C2760.26,1721.07 2748.81,1732.54 2735.03,1742.4L2711.31,1759.37L2745.25,1806.81L2768.97,1789.84C2788.08,1776.17 2803.93,1760.22 2816.88,1742.3L2833.95,1718.65L2786.67,1684.5L2769.59,1708.14ZM995.304,1767.43C1000.24,1748.86 1005.64,1731.66 1012.23,1715.62L1023.31,1688.64L969.359,1666.47L958.273,1693.45C950.767,1711.72 944.551,1731.29 938.928,1752.44L931.436,1780.63L987.812,1795.62L995.304,1767.43ZM1071.42,1633.09C1083.85,1622.63 1098.26,1612.75 1115.07,1603.23L1140.45,1588.86L1111.71,1538.1L1086.33,1552.47C1066.11,1563.92 1048.82,1575.88 1033.86,1588.46L1011.55,1607.24L1049.11,1651.87L1071.42,1633.09ZM2804.87,1559.28C2805.5,1578.06 2804.95,1596.1 2803,1613.27L2799.72,1642.25L2857.68,1648.81L2860.97,1619.83C2863.22,1599.96 2863.9,1579.07 2863.17,1557.33L2862.2,1528.18L2803.9,1530.12L2804.87,1559.28ZM1217.5,1558.88C1236.87,1551.88 1254.98,1545.61 1271.98,1539.88L1299.62,1530.55L1280.97,1475.28L1253.33,1484.6C1235.96,1490.46 1217.45,1496.87 1197.66,1504.02L1170.23,1513.94L1190.07,1568.8L1217.5,1558.88ZM1383.15,1502.63C1403.9,1495.17 1422.61,1487.67 1439.93,1479.27L1466.18,1466.54L1440.73,1414.06L1414.48,1426.78C1398.91,1434.33 1382.06,1441.03 1363.41,1447.74L1335.96,1457.62L1355.71,1512.51L1383.15,1502.63ZM2777.41,1393.4C2782.33,1412.11 2786.73,1430.56 2790.49,1448.67L2796.42,1477.23L2853.54,1465.37L2847.6,1436.81C2843.64,1417.72 2839.01,1398.28 2833.83,1378.57L2826.41,1350.36L2770,1365.19L2777.41,1393.4ZM1541.19,1401.64C1553.52,1387.35 1565.77,1370.94 1578.31,1351.79L1594.28,1327.39L1545.48,1295.44L1529.5,1319.84C1518.52,1336.62 1507.83,1351.02 1497.03,1363.53L1477.97,1385.61L1522.14,1423.72L1541.19,1401.64ZM2725.02,1229.27C2731.61,1247.45 2738.01,1265.61 2744.12,1283.7L2753.45,1311.33L2808.72,1292.66L2799.38,1265.03C2793.13,1246.53 2786.6,1227.96 2779.85,1209.37L2769.9,1181.95L2715.07,1201.86L2725.02,1229.27ZM1636.99,1247.12C1644.26,1232.56 1651.77,1217.04 1659.58,1200.45C1660.59,1198.3 1661.61,1196.15 1662.61,1194.02L1675.08,1167.65L1622.34,1142.72L1609.88,1169.09C1608.86,1171.25 1607.83,1173.42 1606.81,1175.59C1599.2,1191.75 1591.88,1206.88 1584.8,1221.06L1571.77,1247.16L1623.96,1273.21L1636.99,1247.12ZM2251.58,766.326C2320.04,672.986 2430.48,612.355 2554.96,612.355C2762.48,612.355 2930.95,780.83 2930.95,988.344C2930.95,1087.56 2892.44,1177.85 2829.58,1245.06C2804.67,1171.95 2775.67,1097.93 2747.18,1026.98C2699.54,908.311 2654.38,849.115 2602.9,816.501C2565.59,792.868 2523.88,781.903 2471.8,777.274C2416.47,772.355 2346.53,774.829 2251.58,766.326ZM2662.3,1066.95C2669.46,1084.79 2676.66,1102.83 2683.81,1120.98L2694.51,1148.12L2748.78,1126.72L2738.08,1099.59C2730.88,1081.32 2723.64,1063.18 2716.44,1045.23L2705.58,1018.16L2651.44,1039.88L2662.3,1066.95ZM1713.81,1090.65C1723.08,1073.13 1732.27,1056.54 1741.52,1040.87L1756.33,1015.74L1706.08,986.113L1691.27,1011.24C1681.59,1027.65 1671.95,1045.03 1662.25,1063.39L1648.61,1089.17L1700.18,1116.44L1713.81,1090.65ZM2584.06,922.671C2594.47,934.345 2604.5,948.467 2614.55,965.492L2629.38,990.608L2679.62,960.949L2664.79,935.834C2652.56,915.134 2640.26,898.042 2627.6,883.849L2608.19,862.079L2564.65,900.901L2584.06,922.671ZM1805.33,949.853C1817.51,935.859 1830.16,923.259 1843.5,912.06L1865.85,893.314L1828.36,848.625L1806.01,867.372C1790.4,880.469 1775.59,895.178 1761.34,911.545L1742.18,933.541L1786.17,971.849L1805.33,949.853ZM2446.47,869.303C2466.17,870.516 2483.98,872.335 2500.35,875.649L2528.94,881.438L2540.51,824.265L2511.93,818.476C2493.13,814.67 2472.68,812.474 2450.05,811.08L2420.94,809.287L2417.35,867.51L2446.47,869.303ZM1935.15,861.305C1951.44,856.036 1968.78,851.999 1987.35,849.144L2016.18,844.713L2007.32,787.057L1978.49,791.488C1956.68,794.84 1936.32,799.616 1917.19,805.802L1889.44,814.778L1907.39,870.28L1935.15,861.305ZM2271.35,861.832C2292.28,863.33 2311.95,864.351 2330.47,865.114L2359.61,866.316L2362.01,808.032L2332.87,806.83C2314.9,806.09 2295.82,805.1 2275.51,803.648L2246.42,801.567L2242.26,859.751L2271.35,861.832ZM2097.81,844.858C2115.7,845.771 2134.46,847.337 2154.17,849.543L2183.16,852.787L2189.65,794.816L2160.66,791.572C2139.72,789.228 2119.79,787.57 2100.78,786.6L2071.65,785.114L2068.68,843.372L2097.81,844.858Z"})}),Spe=Eu({displayName:"NodesIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M3543.31,770.787C3543.31,515.578 3336.11,308.38 3080.9,308.38L462.407,308.38C207.197,308.38 0,515.578 0,770.787L0,2766.03C0,3021.24 207.197,3228.44 462.407,3228.44L3080.9,3228.44C3336.11,3228.44 3543.31,3021.24 3543.31,2766.03C3543.31,2766.03 3543.31,770.787 3543.31,770.787ZM3427.88,770.787L3427.88,2766.03C3427.88,2957.53 3272.4,3113.01 3080.9,3113.01C3080.9,3113.01 462.407,3113.01 462.407,3113.01C270.906,3113.01 115.431,2957.53 115.431,2766.03L115.431,770.787C115.431,579.286 270.906,423.812 462.407,423.812L3080.9,423.812C3272.4,423.812 3427.88,579.286 3427.88,770.787ZM1214.23,1130.69L1321.47,1130.69C1324.01,1130.69 1326.54,1130.53 1329.05,1130.2C1329.05,1130.2 1367.3,1125.33 1397.94,1149.8C1421.63,1168.72 1437.33,1204.3 1437.33,1265.48L1437.33,2078.74L1220.99,2078.74C1146.83,2078.74 1086.61,2138.95 1086.61,2213.12L1086.61,2762.46C1086.61,2836.63 1146.83,2896.84 1220.99,2896.84L1770.34,2896.84C1844.5,2896.84 1904.71,2836.63 1904.71,2762.46L1904.71,2213.12C1904.71,2138.95 1844.5,2078.74 1770.34,2078.74L1554,2078.74L1554,1604.84C1625.84,1658.19 1703.39,1658.1 1703.39,1658.1C1703.54,1658.1 1703.69,1658.11 1703.84,1658.11L2362.2,1658.11L2362.2,1874.44C2362.2,1948.61 2422.42,2008.82 2496.58,2008.82L3045.93,2008.82C3120.09,2008.82 3180.3,1948.61 3180.3,1874.44L3180.3,1325.1C3180.3,1250.93 3120.09,1190.72 3045.93,1190.72L2496.58,1190.72C2422.42,1190.72 2362.2,1250.93 2362.2,1325.1L2362.2,1558.97L2362.2,1541.44L1704.23,1541.44C1702.2,1541.37 1650.96,1539.37 1609.51,1499.26C1577.72,1468.49 1554,1416.47 1554,1331.69L1554,1265.48C1554,1153.86 1513.98,1093.17 1470.76,1058.64C1411.24,1011.1 1338.98,1012.58 1319.15,1014.03L1214.23,1014.03L1214.23,796.992C1214.23,722.828 1154.02,662.617 1079.85,662.617L530.507,662.617C456.343,662.617 396.131,722.828 396.131,796.992L396.131,1346.34C396.131,1420.5 456.343,1480.71 530.507,1480.71L1079.85,1480.71C1154.02,1480.71 1214.23,1420.5 1214.23,1346.34L1214.23,1130.69Z"})}),wpe=Eu({displayName:"OutpaintIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M3543.31,766.352C3543.31,516.705 3340.63,314.024 3090.98,314.024L452.328,314.024C202.681,314.024 0,516.705 0,766.352L0,2776.95C0,3026.6 202.681,3229.28 452.328,3229.28C452.328,3229.28 3090.98,3229.28 3090.98,3229.28C3340.63,3229.28 3543.31,3026.6 3543.31,2776.95C3543.31,2776.95 3543.31,766.352 3543.31,766.352ZM3454.26,766.352L3454.26,2776.95C3454.26,2977.46 3291.48,3140.24 3090.98,3140.24L452.328,3140.24C251.825,3140.24 89.043,2977.46 89.043,2776.95C89.043,2776.95 89.043,766.352 89.043,766.352C89.043,565.849 251.825,403.067 452.328,403.067C452.328,403.067 3090.98,403.067 3090.98,403.067C3291.48,403.067 3454.26,565.849 3454.26,766.352ZM1294.01,2603.04L1394.01,2603.04L1394.01,2553.04L1294.01,2553.04L1294.01,2603.04ZM2494.01,2603.04L2524.53,2603.04C2541.26,2603.04 2557.62,2601.44 2573.47,2598.39L2598.02,2593.66L2588.56,2544.56L2564.01,2549.29C2551.23,2551.75 2538.03,2553.04 2524.53,2553.04L2494.01,2553.04L2494.01,2603.04ZM2344.01,2603.04L2444.01,2603.04L2444.01,2553.04L2344.01,2553.04L2344.01,2603.04ZM994.01,2603.04L1094.01,2603.04L1094.01,2553.04L994.01,2553.04L994.01,2603.04ZM1144.01,2603.04L1244.01,2603.04L1244.01,2553.04L1144.01,2553.04L1144.01,2603.04ZM2194.01,2603.04L2294.01,2603.04L2294.01,2553.04L2194.01,2553.04L2194.01,2603.04ZM2044.01,2603.04L2144.01,2603.04L2144.01,2553.04L2044.01,2553.04L2044.01,2603.04ZM1894.01,2603.04L1994.01,2603.04L1994.01,2553.04L1894.01,2553.04L1894.01,2603.04ZM1744.01,2603.04L1844.01,2603.04L1844.01,2553.04L1744.01,2553.04L1744.01,2603.04ZM1444.01,2603.04L1544.01,2603.04L1544.01,2553.04L1444.01,2553.04L1444.01,2603.04ZM1594.01,2603.04L1694.01,2603.04L1694.01,2553.04L1594.01,2553.04L1594.01,2603.04ZM864.145,2551.46C878.835,2562.5 894.741,2572 911.624,2579.74L934.352,2590.15L955.18,2544.7L932.452,2534.28C918.844,2528.05 906.024,2520.39 894.185,2511.49L874.199,2496.47L844.16,2536.44L864.145,2551.46ZM2674.44,2554.92C2689.46,2544.16 2703.28,2531.82 2715.65,2518.14L2732.42,2499.61L2695.35,2466.06L2678.58,2484.6C2668.59,2495.63 2657.44,2505.59 2645.32,2514.28L2625,2528.84L2654.12,2569.48L2674.44,2554.92ZM865.632,1911.31L1339.59,1374.15L2030.89,2134.59L2392.97,1713.77L2677.68,2017.9L2677.68,2324.93C2677.68,2424.23 2597.06,2504.85 2497.76,2504.85C2497.76,2504.85 1045.55,2504.85 1045.55,2504.85C946.251,2504.85 865.632,2424.23 865.632,2324.93L865.632,1911.31ZM771.251,2417.22C776.455,2435.14 783.552,2452.26 792.313,2468.35L804.27,2490.3L848.18,2466.39L836.223,2444.43C829.171,2431.49 823.457,2417.7 819.268,2403.28L812.297,2379.27L764.28,2393.21L771.251,2417.22ZM2770.36,2422.83C2775.83,2405.47 2779.52,2387.33 2781.2,2368.61L2783.43,2343.71L2733.64,2339.24L2731.4,2364.14C2730.05,2379.21 2727.08,2393.82 2722.67,2407.79L2715.15,2431.63L2762.84,2446.67L2770.36,2422.83ZM761.068,2236.12L761.068,2336.12L811.068,2336.12L811.068,2236.12L761.068,2236.12ZM2782.24,2291.41L2782.24,2191.41L2732.24,2191.41L2732.24,2291.41L2782.24,2291.41ZM761.068,2086.12L761.068,2186.12L811.068,2186.12L811.068,2086.12L761.068,2086.12ZM2782.24,2141.41L2782.24,2041.4L2732.24,2041.4L2732.24,2141.41L2782.24,2141.41ZM761.068,1936.12L761.068,2036.12L811.068,2036.12L811.068,1936.12L761.068,1936.12ZM2782.24,1991.4L2782.24,1891.4L2732.24,1891.4L2732.24,1991.4L2782.24,1991.4ZM761.068,1786.12L761.068,1886.12L811.068,1886.12L811.068,1786.12L761.068,1786.12ZM2782.24,1841.4L2782.24,1741.41L2732.24,1741.41L2732.24,1841.4L2782.24,1841.4ZM761.068,1636.12L761.068,1736.12L811.068,1736.12L811.068,1636.12L761.068,1636.12ZM2782.24,1691.41L2782.24,1591.41L2732.24,1591.41L2732.24,1691.41L2782.24,1691.41ZM761.068,1486.12L761.068,1586.12L811.068,1586.12L811.068,1486.12L761.068,1486.12ZM2203.72,1132.2C2318.18,1132.2 2411.11,1225.13 2411.11,1339.59C2411.11,1454.05 2318.18,1546.98 2203.72,1546.98C2089.26,1546.98 1996.33,1454.05 1996.33,1339.59C1996.33,1225.13 2089.26,1132.2 2203.72,1132.2ZM2782.24,1541.41L2782.24,1441.41L2732.24,1441.41L2732.24,1541.41L2782.24,1541.41ZM761.068,1336.12L761.068,1436.12L811.068,1436.12L811.068,1336.12L761.068,1336.12ZM2782.24,1391.41L2782.24,1291.41L2732.24,1291.41L2732.24,1391.41L2782.24,1391.41ZM761.068,1186.12L761.068,1286.12L811.068,1286.12L811.068,1186.12L761.068,1186.12ZM2732.24,1197.98L2732.24,1241.41L2782.24,1241.41L2782.24,1172.98L2781.03,1172.98C2780.06,1162.82 2778.49,1152.83 2776.36,1143.04L2771.04,1118.62L2722.18,1129.24L2727.5,1153.67C2730.61,1167.95 2732.24,1182.78 2732.24,1197.98ZM804.386,1055C794.186,1070.26 785.572,1086.67 778.777,1103.99L769.647,1127.26L816.194,1145.52L825.324,1122.25C830.797,1108.3 837.738,1095.08 845.955,1082.79L859.848,1062L818.279,1034.21L804.386,1055ZM2730.5,1043.14C2719.39,1028.39 2706.73,1014.86 2692.77,1002.81L2673.84,986.48L2641.17,1024.34L2660.1,1040.67C2671.37,1050.39 2681.59,1061.31 2690.56,1073.22L2705.6,1093.19L2745.54,1063.11L2730.5,1043.14ZM933.266,954.821C915.698,961.006 898.998,969.041 883.402,978.694L862.144,991.851L888.457,1034.37L909.715,1021.21C922.275,1013.44 935.723,1006.96 949.871,1001.98L973.452,993.681L956.848,946.518L933.266,954.821ZM2596.18,950.378C2578.71,945.327 2560.49,942.072 2541.72,940.832L2516.78,939.183L2513.48,989.074L2538.43,990.723C2553.54,991.722 2568.22,994.341 2582.28,998.409L2606.3,1005.36L2620.19,957.325L2596.18,950.378ZM2165.09,940.265L2065.09,940.265L2065.09,990.265L2165.09,990.265L2165.09,940.265ZM2015.09,940.265L1915.09,940.265L1915.09,990.265L2015.09,990.265L2015.09,940.265ZM1115.08,940.265L1015.08,940.265L1015.08,990.265L1115.08,990.265L1115.08,940.265ZM1865.08,940.265L1765.08,940.265L1765.08,990.265L1865.08,990.265L1865.08,940.265ZM1265.08,940.265L1165.08,940.265L1165.08,990.265L1265.08,990.265L1265.08,940.265ZM1415.08,940.265L1315.08,940.265L1315.08,990.265L1415.08,990.265L1415.08,940.265ZM1565.08,940.265L1465.08,940.265L1465.08,990.265L1565.08,990.265L1565.08,940.265ZM1715.08,940.265L1615.08,940.265L1615.08,990.265L1715.08,990.265L1715.08,940.265ZM2465.09,940.265L2365.09,940.265L2365.09,990.265L2465.09,990.265L2465.09,940.265ZM2315.09,940.265L2215.09,940.265L2215.09,990.265L2315.09,990.265L2315.09,940.265Z"})}),Cpe=Eu({displayName:"PostprocessingIcon",viewBox:"0 0 3543 3543",path:y("path",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",d:"M709.477,1596.53L992.591,1275.66L2239.09,2646.81L2891.95,1888.03L3427.88,2460.51L3427.88,994.78C3427.88,954.66 3421.05,916.122 3408.5,880.254L3521.9,855.419C3535.8,899.386 3543.31,946.214 3543.31,994.78L3543.31,2990.02C3543.31,3245.23 3336.11,3452.43 3080.9,3452.43C3080.9,3452.43 462.407,3452.43 462.407,3452.43C207.197,3452.43 -0,3245.23 -0,2990.02L-0,994.78C-0,739.571 207.197,532.373 462.407,532.373L505.419,532.373L504.644,532.546L807.104,600.085C820.223,601.729 832.422,607.722 841.77,617.116C850.131,625.517 855.784,636.21 858.055,647.804L462.407,647.804C270.906,647.804 115.431,803.279 115.431,994.78L115.431,2075.73L-0,2101.5L115.431,2127.28L115.431,2269.78L220.47,2150.73L482.345,2209.21C503.267,2211.83 522.722,2221.39 537.63,2236.37C552.538,2251.35 562.049,2270.9 564.657,2291.93L671.84,2776.17L779.022,2291.93C781.631,2270.9 791.141,2251.35 806.05,2236.37C820.958,2221.39 840.413,2211.83 861.334,2209.21L1353.15,2101.5L861.334,1993.8C840.413,1991.18 820.958,1981.62 806.05,1966.64C791.141,1951.66 781.631,1932.11 779.022,1911.08L709.477,1596.53ZM671.84,1573.09L725.556,2006.07C726.863,2016.61 731.63,2026.4 739.101,2033.91C746.573,2041.42 756.323,2046.21 766.808,2047.53L1197.68,2101.5L766.808,2155.48C756.323,2156.8 746.573,2161.59 739.101,2169.09C731.63,2176.6 726.863,2186.4 725.556,2196.94L671.84,2629.92L618.124,2196.94C616.817,2186.4 612.05,2176.6 604.579,2169.09C597.107,2161.59 587.357,2156.8 576.872,2155.48L146.001,2101.5L576.872,2047.53C587.357,2046.21 597.107,2041.42 604.579,2033.91C612.05,2026.4 616.817,2016.61 618.124,2006.07L671.84,1573.09ZM609.035,1710.36L564.657,1911.08C562.049,1932.11 552.538,1951.66 537.63,1966.64C522.722,1981.62 503.267,1991.18 482.345,1993.8L328.665,2028.11L609.035,1710.36ZM2297.12,938.615L2451.12,973.003C2480.59,976.695 2507.99,990.158 2528.99,1011.26C2549.99,1032.37 2563.39,1059.9 2567.07,1089.52L2672.73,1566.9C2634.5,1580.11 2593.44,1587.29 2550.72,1587.29C2344.33,1587.29 2176.77,1419.73 2176.77,1213.34C2176.77,1104.78 2223.13,1006.96 2297.12,938.615ZM2718.05,76.925L2793.72,686.847C2795.56,701.69 2802.27,715.491 2812.8,726.068C2823.32,736.644 2837.06,743.391 2851.83,745.242L3458.78,821.28L2851.83,897.318C2837.06,899.168 2823.32,905.916 2812.8,916.492C2802.27,927.068 2795.56,940.87 2793.72,955.712L2718.05,1565.63L2642.38,955.712C2640.54,940.87 2633.83,927.068 2623.3,916.492C2612.78,905.916 2599.04,899.168 2584.27,897.318L1977.32,821.28L2584.27,745.242C2599.04,743.391 2612.78,736.644 2623.3,726.068C2633.83,715.491 2640.54,701.69 2642.38,686.847L2718.05,76.925ZM2883.68,1043.06C2909.88,1094.13 2924.67,1152.02 2924.67,1213.34C2924.67,1335.4 2866.06,1443.88 2775.49,1512.14L2869.03,1089.52C2871.07,1073.15 2876.07,1057.42 2883.68,1043.06ZM925.928,201.2L959.611,472.704C960.431,479.311 963.42,485.455 968.105,490.163C972.79,494.871 978.904,497.875 985.479,498.698L1255.66,532.546L985.479,566.395C978.904,567.218 972.79,570.222 968.105,574.93C963.42,579.638 960.431,585.781 959.611,592.388L925.928,863.893L892.245,592.388C891.425,585.781 888.436,579.638 883.751,574.93C879.066,570.222 872.952,567.218 866.378,566.395L596.195,532.546L866.378,498.698C872.952,497.875 879.066,494.871 883.751,490.163C888.436,485.455 891.425,479.311 892.245,472.704L925.928,201.2ZM2864.47,532.373L3080.9,532.373C3258.7,532.373 3413.2,632.945 3490.58,780.281L3319.31,742.773C3257.14,683.925 3173.2,647.804 3080.9,647.804L2927.07,647.804C2919.95,642.994 2913.25,637.473 2907.11,631.298C2886.11,610.194 2872.71,582.655 2869.03,553.04L2864.47,532.373ZM1352.36,532.373L2571.64,532.373L2567.07,553.04C2563.39,582.655 2549.99,610.194 2528.99,631.298C2522.85,637.473 2516.16,642.994 2509.03,647.804L993.801,647.804C996.072,636.21 1001.73,625.517 1010.09,617.116C1019.43,607.722 1031.63,601.729 1044.75,600.085L1353.15,532.546L1352.36,532.373Z"})}),_pe=Eu({displayName:"TextToImageIcon",viewBox:"0 0 3543 3543",path:y("g",{fill:"currentColor",fillRule:"evenodd",clipRule:"evenodd",transform:"matrix(1.11667,0,0,1.1066,-231.131,-213.062)",children:y("path",{d:"M2209.59,1137.35L2209.59,1098.17C2177.13,1108.99 2125.74,1121.91 2055.41,1136.94C2054.77,1137.08 2054.14,1137.21 2053.49,1137.35L1662.79,1137.35C1687.75,1101.98 1720.8,1074.35 1761.93,1054.44C1808.52,1031.9 1875.69,1012.22 1963.45,995.386C2081.86,973.146 2163.91,952.409 2209.59,933.174L2209.59,907.929C2209.59,859.241 2197.57,824.529 2173.53,803.792C2149.48,783.054 2104.1,772.686 2037.38,772.686C1992.3,772.686 1957.14,781.552 1931.89,799.284C1906.64,817.015 1886.21,848.121 1870.58,892.601L1640.67,851.127C1666.51,758.56 1710.99,690.037 1774.11,645.557C1837.22,601.077 1930.99,578.837 2055.41,578.837C2168.42,578.837 2252.57,592.211 2307.87,618.959C2363.17,645.707 2402.09,679.668 2424.63,720.842C2447.17,762.016 2458.44,837.602 2458.44,947.6L2456.7,1137.35L3021.34,1137.35C3214.79,1137.35 3371.86,1294.41 3371.86,1487.87C3371.86,1487.87 3371.86,3000.32 3371.86,3000.32C3371.86,3193.78 3214.79,3350.84 3021.34,3350.84C3021.34,3350.84 1036.45,3350.84 1036.45,3350.84C842.991,3350.84 685.93,3193.78 685.93,3000.32L685.93,1487.87C685.93,1400.21 718.174,1320.03 771.448,1258.54L772.123,1257.76L607.408,1257.76L498.311,1558L215.202,1558L730.028,236.22L1012.24,236.22L1373.06,1137.35L2209.59,1137.35ZM3284.36,2598.93L3284.36,1487.87C3284.36,1342.71 3166.5,1224.85 3021.34,1224.85C3021.34,1224.85 1036.45,1224.85 1036.45,1224.85C891.284,1224.85 773.43,1342.71 773.43,1487.87L773.43,2454.35L1438.34,1700.79L2383.22,2740.16L2878.11,2164.98L3284.36,2598.93ZM2619.44,1370.08C2775.89,1370.08 2902.91,1497.1 2902.91,1653.54C2902.91,1809.99 2775.89,1937.01 2619.44,1937.01C2462.99,1937.01 2335.98,1809.99 2335.98,1653.54C2335.98,1497.1 2462.99,1370.08 2619.44,1370.08ZM772.877,1256.89L772.849,1256.93L773.167,1256.57L772.877,1256.89ZM773.634,1256.04L773.563,1256.12L773.985,1255.64L773.634,1256.04ZM774.394,1255.18L774.276,1255.31L774.746,1254.78L774.394,1255.18ZM775.157,1254.32L774.988,1254.51L775.493,1253.95L775.157,1254.32ZM775.923,1253.47L775.698,1253.72L776.237,1253.12L775.923,1253.47ZM776.691,1252.62L776.403,1252.94L776.979,1252.3L776.691,1252.62ZM777.462,1251.77L777.098,1252.17L777.723,1251.49L777.462,1251.77ZM925.081,1155.44C868.026,1174.57 817.508,1207.99 777.775,1251.43C817.511,1207.99 868.031,1174.57 925.081,1155.44ZM925.646,1155.25L925.108,1155.43L926.103,1155.1L925.646,1155.25ZM935.286,1152.2C932.214,1153.12 929.159,1154.09 926.13,1155.09C929.165,1154.09 932.219,1153.12 935.286,1152.2ZM935.716,1152.07L935.384,1152.17L936.292,1151.89L935.716,1152.07ZM936.843,1151.73L936.451,1151.85L937.327,1151.59L936.843,1151.73ZM937.972,1151.4L937.514,1151.53L938.377,1151.28L937.972,1151.4ZM939.102,1151.07L938.57,1151.22L939.438,1150.97L939.102,1151.07ZM940.233,1150.74L939.613,1150.92L940.505,1150.67L940.233,1150.74ZM946.659,1148.98C944.639,1149.51 942.626,1150.07 940.626,1150.63C942.631,1150.06 944.642,1149.51 946.659,1148.98ZM947.056,1148.87L946.829,1148.93L947.659,1148.71L947.056,1148.87ZM948.198,1148.57L947.919,1148.65L948.705,1148.44L948.198,1148.57ZM949.342,1148.28L949.008,1148.37L949.771,1148.17L949.342,1148.28ZM950.488,1147.99L950.096,1148.09L950.848,1147.9L950.488,1147.99ZM951.635,1147.7L951.182,1147.81L951.932,1147.63L951.635,1147.7ZM952.783,1147.42L952.262,1147.55L953.022,1147.36L952.783,1147.42ZM953.933,1147.14L953.327,1147.28L954.115,1147.09L953.933,1147.14ZM958.213,1146.13C956.927,1146.42 955.644,1146.73 954.354,1147.04C955.637,1146.73 956.923,1146.43 958.213,1146.13ZM958.547,1146.06L958.409,1146.09L959.174,1145.91L958.547,1146.06ZM959.704,1145.79L959.517,1145.84L960.229,1145.68L959.704,1145.79ZM960.863,1145.54L960.626,1145.59L961.311,1145.44L960.863,1145.54ZM962.023,1145.28L961.736,1145.35L962.406,1145.2L962.023,1145.28ZM963.184,1145.03L962.846,1145.11L963.508,1144.97L963.184,1145.03ZM964.347,1144.79L963.956,1144.87L964.615,1144.73L964.347,1144.79ZM965.511,1144.55L965.066,1144.64L965.725,1144.5L965.511,1144.55ZM966.677,1144.31L966.172,1144.41L966.838,1144.28L966.677,1144.31ZM967.844,1144.08L967.269,1144.19L967.953,1144.05L967.844,1144.08ZM970.183,1143.62C969.793,1143.69 969.403,1143.77 969.013,1143.85L969.055,1143.84C969.413,1143.77 969.771,1143.7 970.129,1143.63L970.183,1143.62ZM971.354,1143.4L971.245,1143.42L971.882,1143.3L971.354,1143.4ZM972.526,1143.18L972.37,1143.21L972.987,1143.09L972.526,1143.18ZM973.7,1142.96L973.496,1143L974.103,1142.89L973.7,1142.96ZM974.876,1142.75L974.624,1142.8L975.225,1142.69L974.876,1142.75ZM976.052,1142.55L975.754,1142.6L976.349,1142.49L976.052,1142.55ZM977.23,1142.34L976.885,1142.4L977.476,1142.3L977.23,1142.34ZM978.41,1142.14L978.019,1142.21L978.605,1142.11L978.41,1142.14ZM979.59,1141.95L979.156,1142.02L979.736,1141.92L979.59,1141.95ZM980.772,1141.76L980.299,1141.83L980.868,1141.74L980.772,1141.76ZM981.955,1141.57L981.464,1141.65L982.002,1141.56L981.955,1141.57ZM983.14,1141.39L983.1,1141.39L983.605,1141.32L983.14,1141.39ZM984.326,1141.21L984.239,1141.22L984.778,1141.14L984.326,1141.21ZM985.513,1141.03L985.379,1141.05L985.928,1140.97L985.513,1141.03ZM986.702,1140.86L986.521,1140.89L987.073,1140.81L986.702,1140.86ZM987.891,1140.69L987.665,1140.73L988.218,1140.65L987.891,1140.69ZM989.082,1140.53L988.811,1140.57L989.363,1140.49L989.082,1140.53ZM990.275,1140.37L989.96,1140.41L990.508,1140.34L990.275,1140.37ZM991.468,1140.22L991.113,1140.26L991.654,1140.19L991.468,1140.22ZM992.663,1140.07L992.273,1140.12L992.8,1140.05L992.663,1140.07ZM993.859,1139.92L993.447,1139.97L993.948,1139.91L993.859,1139.92ZM995.056,1139.78L994.671,1139.82L995.097,1139.77L995.056,1139.78ZM996.255,1139.64L996.23,1139.64L996.578,1139.6L996.255,1139.64ZM997.454,1139.5L997.383,1139.51L997.852,1139.46L997.454,1139.5ZM998.655,1139.37L998.537,1139.38L999.041,1139.33L998.655,1139.37ZM999.857,1139.24L999.693,1139.26L1000.21,1139.21L999.857,1139.24ZM1001.06,1139.12L1000.85,1139.14L1001.38,1139.09L1001.06,1139.12ZM1002.26,1139L1002.01,1139.03L1002.54,1138.98L1002.26,1139ZM1003.47,1138.89L1003.18,1138.91L1003.7,1138.87L1003.47,1138.89ZM1004.68,1138.78L1004.34,1138.81L1004.86,1138.76L1004.68,1138.78ZM1005.89,1138.67L1005.52,1138.7L1006.02,1138.66L1005.89,1138.67ZM1007.1,1138.57L1006.71,1138.6L1007.18,1138.56L1007.1,1138.57ZM1008.31,1138.47L1007.96,1138.5L1008.35,1138.46L1008.31,1138.47ZM1009.52,1138.37L1009.5,1138.38L1009.72,1138.36L1009.52,1138.37ZM1010.73,1138.28L1010.67,1138.29L1011.1,1138.26L1010.73,1138.28ZM1011.94,1138.2L1011.84,1138.2L1012.32,1138.17L1011.94,1138.2ZM1013.16,1138.12L1013,1138.13L1013.51,1138.09L1013.16,1138.12ZM1014.37,1138.04L1014.17,1138.05L1014.69,1138.02L1014.37,1138.04ZM1015.59,1137.96L1015.35,1137.98L1015.86,1137.95L1015.59,1137.96ZM1016.81,1137.89L1016.52,1137.91L1017.04,1137.88L1016.81,1137.89ZM1018.03,1137.83L1017.7,1137.85L1018.21,1137.82L1018.03,1137.83ZM1019.25,1137.77L1018.89,1137.79L1019.39,1137.76L1019.25,1137.77ZM1020.47,1137.71L1020.1,1137.73L1020.56,1137.71L1020.47,1137.71ZM1021.69,1137.66L1021.36,1137.67L1021.74,1137.66L1021.69,1137.66ZM1022.92,1137.61L1022.91,1137.61L1023.02,1137.61L1022.92,1137.61ZM1024.14,1137.57L1024.09,1137.57L1024.49,1137.55L1024.14,1137.57ZM1025.37,1137.52L1025.27,1137.53L1025.74,1137.51L1025.37,1137.52ZM1026.6,1137.49L1026.45,1137.49L1026.94,1137.48L1026.6,1137.49ZM1027.82,1137.46L1027.63,1137.46L1028.14,1137.45L1027.82,1137.46ZM1029.05,1137.43L1028.81,1137.43L1029.33,1137.42L1029.05,1137.43ZM1030.28,1137.41L1030,1137.41L1030.52,1137.4L1030.28,1137.41ZM1031.51,1137.39L1031.19,1137.39L1031.7,1137.38L1031.51,1137.39ZM1032.75,1137.37L1032.39,1137.38L1032.89,1137.37L1032.75,1137.37ZM1033.98,1137.36L1033.61,1137.36L1034.07,1137.36L1033.98,1137.36ZM1035.21,1137.35L1034.87,1137.36L1035.26,1137.35L1035.21,1137.35ZM1050.1,1035.06L867.977,544.575L689.455,1035.06L1050.1,1035.06Z"})})});var T7={path:X("g",{stroke:"currentColor",strokeWidth:"1.5",children:[y("path",{strokeLinecap:"round",fill:"none",d:"M9,9a3,3,0,1,1,4,2.829,1.5,1.5,0,0,0-1,1.415V14.25"}),y("path",{fill:"currentColor",strokeLinecap:"round",d:"M12,17.25a.375.375,0,1,0,.375.375A.375.375,0,0,0,12,17.25h0"}),y("circle",{fill:"none",strokeMiterlimit:"10",cx:"12",cy:"12",r:"11.25"})]}),viewBox:"0 0 24 24"},XT=ue((e,t)=>{const{as:n,viewBox:r,color:o="currentColor",focusable:i=!1,children:s,className:u,__css:c,...f}=e,p=Yt("chakra-icon",u),h={w:"1em",h:"1em",display:"inline-block",lineHeight:"1em",flexShrink:0,color:o,...c},m={ref:t,focusable:i,className:p,__css:h},g=r??T7.viewBox;if(n&&typeof n!="string")return Q.createElement(oe.svg,{as:n,...m,...f});const b=s??T7.path;return Q.createElement(oe.svg,{verticalAlign:"middle",viewBox:g,...m,...f},b)});XT.displayName="Icon";function Ae(e){const{viewBox:t="0 0 24 24",d:n,displayName:r,defaultProps:o={}}=e,i=C.exports.Children.toArray(e.path),s=ue((u,c)=>y(XT,{ref:c,viewBox:t,...o,...u,children:i.length?i:y("path",{fill:"currentColor",d:n})}));return s.displayName=r,s}Ae({d:"M16 1H4c-1.1 0-2 .9-2 2v14h2V3h12V1zm3 4H8c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h11c1.1 0 2-.9 2-2V7c0-1.1-.9-2-2-2zm0 16H8V7h11v14z",displayName:"CopyIcon"});Ae({d:"M23.384,21.619,16.855,15.09a9.284,9.284,0,1,0-1.768,1.768l6.529,6.529a1.266,1.266,0,0,0,1.768,0A1.251,1.251,0,0,0,23.384,21.619ZM2.75,9.5a6.75,6.75,0,1,1,6.75,6.75A6.758,6.758,0,0,1,2.75,9.5Z",displayName:"SearchIcon"});Ae({d:"M23.414,20.591l-4.645-4.645a10.256,10.256,0,1,0-2.828,2.829l4.645,4.644a2.025,2.025,0,0,0,2.828,0A2,2,0,0,0,23.414,20.591ZM10.25,3.005A7.25,7.25,0,1,1,3,10.255,7.258,7.258,0,0,1,10.25,3.005Z",displayName:"Search2Icon"});Ae({d:"M21.4,13.7C20.6,13.9,19.8,14,19,14c-5,0-9-4-9-9c0-0.8,0.1-1.6,0.3-2.4c0.1-0.3,0-0.7-0.3-1 c-0.3-0.3-0.6-0.4-1-0.3C4.3,2.7,1,7.1,1,12c0,6.1,4.9,11,11,11c4.9,0,9.3-3.3,10.6-8.1c0.1-0.3,0-0.7-0.3-1 C22.1,13.7,21.7,13.6,21.4,13.7z",displayName:"MoonIcon"});Ae({displayName:"SunIcon",path:X("g",{strokeLinejoin:"round",strokeLinecap:"round",strokeWidth:"2",fill:"none",stroke:"currentColor",children:[y("circle",{cx:"12",cy:"12",r:"5"}),y("path",{d:"M12 1v2"}),y("path",{d:"M12 21v2"}),y("path",{d:"M4.22 4.22l1.42 1.42"}),y("path",{d:"M18.36 18.36l1.42 1.42"}),y("path",{d:"M1 12h2"}),y("path",{d:"M21 12h2"}),y("path",{d:"M4.22 19.78l1.42-1.42"}),y("path",{d:"M18.36 5.64l1.42-1.42"})]})});Ae({d:"M0,12a1.5,1.5,0,0,0,1.5,1.5h8.75a.25.25,0,0,1,.25.25V22.5a1.5,1.5,0,0,0,3,0V13.75a.25.25,0,0,1,.25-.25H22.5a1.5,1.5,0,0,0,0-3H13.75a.25.25,0,0,1-.25-.25V1.5a1.5,1.5,0,0,0-3,0v8.75a.25.25,0,0,1-.25.25H1.5A1.5,1.5,0,0,0,0,12Z",displayName:"AddIcon"});Ae({displayName:"SmallAddIcon",viewBox:"0 0 20 20",path:y("path",{fill:"currentColor",d:"M14 9h-3V6c0-.55-.45-1-1-1s-1 .45-1 1v3H6c-.55 0-1 .45-1 1s.45 1 1 1h3v3c0 .55.45 1 1 1s1-.45 1-1v-3h3c.55 0 1-.45 1-1s-.45-1-1-1z",fillRule:"evenodd"})});Ae({viewBox:"0 0 14 14",d:"M14,7.77 L14,6.17 L12.06,5.53 L11.61,4.44 L12.49,2.6 L11.36,1.47 L9.55,2.38 L8.46,1.93 L7.77,0.01 L6.17,0.01 L5.54,1.95 L4.43,2.4 L2.59,1.52 L1.46,2.65 L2.37,4.46 L1.92,5.55 L0,6.23 L0,7.82 L1.94,8.46 L2.39,9.55 L1.51,11.39 L2.64,12.52 L4.45,11.61 L5.54,12.06 L6.23,13.98 L7.82,13.98 L8.45,12.04 L9.56,11.59 L11.4,12.47 L12.53,11.34 L11.61,9.53 L12.08,8.44 L14,7.75 L14,7.77 Z M7,10 C5.34,10 4,8.66 4,7 C4,5.34 5.34,4 7,4 C8.66,4 10,5.34 10,7 C10,8.66 8.66,10 7,10 Z",displayName:"SettingsIcon"});Ae({displayName:"CheckCircleIcon",d:"M12,0A12,12,0,1,0,24,12,12.014,12.014,0,0,0,12,0Zm6.927,8.2-6.845,9.289a1.011,1.011,0,0,1-1.43.188L5.764,13.769a1,1,0,1,1,1.25-1.562l4.076,3.261,6.227-8.451A1,1,0,1,1,18.927,8.2Z"});Ae({d:"M19.5,9.5h-.75V6.75a6.75,6.75,0,0,0-13.5,0V9.5H4.5a2,2,0,0,0-2,2V22a2,2,0,0,0,2,2h15a2,2,0,0,0,2-2V11.5A2,2,0,0,0,19.5,9.5Zm-9.5,6a2,2,0,1,1,3,1.723V19.5a1,1,0,0,1-2,0V17.223A1.994,1.994,0,0,1,10,15.5ZM7.75,6.75a4.25,4.25,0,0,1,8.5,0V9a.5.5,0,0,1-.5.5H8.25a.5.5,0,0,1-.5-.5Z",displayName:"LockIcon"});Ae({d:"M19.5,9.5h-.75V6.75A6.751,6.751,0,0,0,5.533,4.811a1.25,1.25,0,1,0,2.395.717A4.251,4.251,0,0,1,16.25,6.75V9a.5.5,0,0,1-.5.5H4.5a2,2,0,0,0-2,2V22a2,2,0,0,0,2,2h15a2,2,0,0,0,2-2V11.5A2,2,0,0,0,19.5,9.5Zm-9.5,6a2,2,0,1,1,3,1.723V19.5a1,1,0,0,1-2,0V17.223A1.994,1.994,0,0,1,10,15.5Z",displayName:"UnlockIcon"});Ae({displayName:"ViewIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M23.432,10.524C20.787,7.614,16.4,4.538,12,4.6,7.6,4.537,3.213,7.615.568,10.524a2.211,2.211,0,0,0,0,2.948C3.182,16.351,7.507,19.4,11.839,19.4h.308c4.347,0,8.671-3.049,11.288-5.929A2.21,2.21,0,0,0,23.432,10.524ZM7.4,12A4.6,4.6,0,1,1,12,16.6,4.6,4.6,0,0,1,7.4,12Z"}),y("circle",{cx:"12",cy:"12",r:"2"})]})});Ae({displayName:"ViewOffIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M23.2,10.549a20.954,20.954,0,0,0-4.3-3.6l4-3.995a1,1,0,1,0-1.414-1.414l-.018.018a.737.737,0,0,1-.173.291l-19.5,19.5c-.008.007-.018.009-.026.017a1,1,0,0,0,1.631,1.088l4.146-4.146a11.26,11.26,0,0,0,4.31.939h.3c4.256,0,8.489-2.984,11.051-5.8A2.171,2.171,0,0,0,23.2,10.549ZM16.313,13.27a4.581,4.581,0,0,1-3,3.028,4.3,4.3,0,0,1-3.1-.19.253.253,0,0,1-.068-.407l5.56-5.559a.252.252,0,0,1,.407.067A4.3,4.3,0,0,1,16.313,13.27Z"}),y("path",{d:"M7.615,13.4a.244.244,0,0,0,.061-.24A4.315,4.315,0,0,1,7.5,12,4.5,4.5,0,0,1,12,7.5a4.276,4.276,0,0,1,1.16.173.244.244,0,0,0,.24-.062l1.941-1.942a.254.254,0,0,0-.1-.421A10.413,10.413,0,0,0,12,4.75C7.7,4.692,3.4,7.7.813,10.549a2.15,2.15,0,0,0-.007,2.9,21.209,21.209,0,0,0,3.438,3.03.256.256,0,0,0,.326-.029Z"})]})});Ae({d:"M11.2857,6.05714 L10.08571,4.85714 L7.85714,7.14786 L7.85714,1 L6.14286,1 L6.14286,7.14786 L3.91429,4.85714 L2.71429,6.05714 L7,10.42857 L11.2857,6.05714 Z M1,11.2857 L1,13 L13,13 L13,11.2857 L1,11.2857 Z",displayName:"DownloadIcon",viewBox:"0 0 14 14"});Ae({displayName:"DeleteIcon",path:y("g",{fill:"currentColor",children:y("path",{d:"M19.452 7.5H4.547a.5.5 0 00-.5.545l1.287 14.136A2 2 0 007.326 24h9.347a2 2 0 001.992-1.819L19.95 8.045a.5.5 0 00-.129-.382.5.5 0 00-.369-.163zm-9.2 13a.75.75 0 01-1.5 0v-9a.75.75 0 011.5 0zm5 0a.75.75 0 01-1.5 0v-9a.75.75 0 011.5 0zM22 4h-4.75a.25.25 0 01-.25-.25V2.5A2.5 2.5 0 0014.5 0h-5A2.5 2.5 0 007 2.5v1.25a.25.25 0 01-.25.25H2a1 1 0 000 2h20a1 1 0 000-2zM9 3.75V2.5a.5.5 0 01.5-.5h5a.5.5 0 01.5.5v1.25a.25.25 0 01-.25.25h-5.5A.25.25 0 019 3.75z"})})});Ae({displayName:"RepeatIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M10.319,4.936a7.239,7.239,0,0,1,7.1,2.252,1.25,1.25,0,1,0,1.872-1.657A9.737,9.737,0,0,0,9.743,2.5,10.269,10.269,0,0,0,2.378,9.61a.249.249,0,0,1-.271.178l-1.033-.13A.491.491,0,0,0,.6,9.877a.5.5,0,0,0-.019.526l2.476,4.342a.5.5,0,0,0,.373.248.43.43,0,0,0,.062,0,.5.5,0,0,0,.359-.152l3.477-3.593a.5.5,0,0,0-.3-.844L5.15,10.172a.25.25,0,0,1-.2-.333A7.7,7.7,0,0,1,10.319,4.936Z"}),y("path",{d:"M23.406,14.1a.5.5,0,0,0,.015-.526l-2.5-4.329A.5.5,0,0,0,20.546,9a.489.489,0,0,0-.421.151l-3.456,3.614a.5.5,0,0,0,.3.842l1.848.221a.249.249,0,0,1,.183.117.253.253,0,0,1,.023.216,7.688,7.688,0,0,1-5.369,4.9,7.243,7.243,0,0,1-7.1-2.253,1.25,1.25,0,1,0-1.872,1.656,9.74,9.74,0,0,0,9.549,3.03,10.261,10.261,0,0,0,7.369-7.12.251.251,0,0,1,.27-.179l1.058.127a.422.422,0,0,0,.06,0A.5.5,0,0,0,23.406,14.1Z"})]})});Ae({displayName:"RepeatClockIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M12.965,6a1,1,0,0,0-1,1v5.5a1,1,0,0,0,1,1h5a1,1,0,0,0,0-2h-3.75a.25.25,0,0,1-.25-.25V7A1,1,0,0,0,12.965,6Z"}),y("path",{d:"M12.567,1.258A10.822,10.822,0,0,0,2.818,8.4a.25.25,0,0,1-.271.163L.858,8.309a.514.514,0,0,0-.485.213.5.5,0,0,0-.021.53l2.679,4.7a.5.5,0,0,0,.786.107l3.77-3.746a.5.5,0,0,0-.279-.85L5.593,9.007a.25.25,0,0,1-.192-.35,8.259,8.259,0,1,1,7.866,11.59,1.25,1.25,0,0,0,.045,2.5h.047a10.751,10.751,0,1,0-.792-21.487Z"})]})});Ae({displayName:"EditIcon",path:X("g",{fill:"none",stroke:"currentColor",strokeLinecap:"round",strokeWidth:"2",children:[y("path",{d:"M11 4H4a2 2 0 0 0-2 2v14a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2v-7"}),y("path",{d:"M18.5 2.5a2.121 2.121 0 0 1 3 3L12 15l-4 1 1-4 9.5-9.5z"})]})});Ae({d:"M15.41 7.41L14 6l-6 6 6 6 1.41-1.41L10.83 12z",displayName:"ChevronLeftIcon"});Ae({d:"M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z",displayName:"ChevronRightIcon"});Ae({displayName:"ChevronDownIcon",d:"M16.59 8.59L12 13.17 7.41 8.59 6 10l6 6 6-6z"});Ae({d:"M12 8l-6 6 1.41 1.41L12 10.83l4.59 4.58L18 14z",displayName:"ChevronUpIcon"});Ae({d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",displayName:"ArrowBackIcon"});Ae({d:"M12 4l-1.41 1.41L16.17 11H4v2h12.17l-5.58 5.59L12 20l8-8z",displayName:"ArrowForwardIcon"});Ae({d:"M4 12l1.41 1.41L11 7.83V20h2V7.83l5.58 5.59L20 12l-8-8-8 8z",displayName:"ArrowUpIcon"});Ae({viewBox:"0 0 16 16",d:"M11.891 9.992a1 1 0 1 1 1.416 1.415l-4.3 4.3a1 1 0 0 1-1.414 0l-4.3-4.3A1 1 0 0 1 4.71 9.992l3.59 3.591 3.591-3.591zm0-3.984L8.3 2.417 4.709 6.008a1 1 0 0 1-1.416-1.415l4.3-4.3a1 1 0 0 1 1.414 0l4.3 4.3a1 1 0 1 1-1.416 1.415z",displayName:"ArrowUpDownIcon"});Ae({d:"M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z",displayName:"ArrowDownIcon"});var QT=Ae({displayName:"ExternalLinkIcon",path:X("g",{fill:"none",stroke:"currentColor",strokeLinecap:"round",strokeWidth:"2",children:[y("path",{d:"M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6"}),y("path",{d:"M15 3h6v6"}),y("path",{d:"M10 14L21 3"})]})});Ae({displayName:"LinkIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M10.458,18.374,7.721,21.11a2.853,2.853,0,0,1-3.942,0l-.892-.891a2.787,2.787,0,0,1,0-3.941l5.8-5.8a2.789,2.789,0,0,1,3.942,0l.893.892A1,1,0,0,0,14.94,9.952l-.893-.892a4.791,4.791,0,0,0-6.771,0l-5.8,5.8a4.787,4.787,0,0,0,0,6.77l.892.891a4.785,4.785,0,0,0,6.771,0l2.736-2.735a1,1,0,1,0-1.414-1.415Z"}),y("path",{d:"M22.526,2.363l-.892-.892a4.8,4.8,0,0,0-6.77,0l-2.905,2.9a1,1,0,0,0,1.414,1.414l2.9-2.9a2.79,2.79,0,0,1,3.941,0l.893.893a2.786,2.786,0,0,1,0,3.942l-5.8,5.8a2.769,2.769,0,0,1-1.971.817h0a2.766,2.766,0,0,1-1.969-.816,1,1,0,1,0-1.415,1.412,4.751,4.751,0,0,0,3.384,1.4h0a4.752,4.752,0,0,0,3.385-1.4l5.8-5.8a4.786,4.786,0,0,0,0-6.771Z"})]})});Ae({displayName:"PlusSquareIcon",path:X("g",{fill:"none",stroke:"currentColor",strokeLinecap:"round",strokeWidth:"2",children:[y("rect",{height:"18",width:"18",rx:"2",ry:"2",x:"3",y:"3"}),y("path",{d:"M12 8v8"}),y("path",{d:"M8 12h8"})]})});Ae({displayName:"CalendarIcon",viewBox:"0 0 14 14",d:"M10.8889,5.5 L3.11111,5.5 L3.11111,7.05556 L10.8889,7.05556 L10.8889,5.5 Z M12.4444,1.05556 L11.6667,1.05556 L11.6667,0 L10.1111,0 L10.1111,1.05556 L3.88889,1.05556 L3.88889,0 L2.33333,0 L2.33333,1.05556 L1.55556,1.05556 C0.692222,1.05556 0.00777777,1.75556 0.00777777,2.61111 L0,12.5 C0,13.3556 0.692222,14 1.55556,14 L12.4444,14 C13.3,14 14,13.3556 14,12.5 L14,2.61111 C14,1.75556 13.3,1.05556 12.4444,1.05556 Z M12.4444,12.5 L1.55556,12.5 L1.55556,3.94444 L12.4444,3.94444 L12.4444,12.5 Z M8.55556,8.61111 L3.11111,8.61111 L3.11111,10.1667 L8.55556,10.1667 L8.55556,8.61111 Z"});Ae({d:"M0.913134,0.920639 C1.49851,0.331726 2.29348,0 3.12342,0 L10.8766,0 C11.7065,0 12.5015,0.331725 13.0869,0.920639 C13.6721,1.50939 14,2.30689 14,3.13746 L14,8.12943 C13.9962,8.51443 13.9059,8.97125 13.7629,9.32852 C13.6128,9.683 13.3552,10.0709 13.0869,10.3462 C12.813,10.6163 12.4265,10.8761 12.0734,11.0274 C11.7172,11.1716 11.2607,11.263 10.8766,11.2669 L10.1234,11.2669 L10.1234,12.5676 L10.1209,12.5676 C10.1204,12.793 10.0633,13.0791 9.97807,13.262 C9.8627,13.466 9.61158,13.7198 9.40818,13.8382 L9.40824,13.8383 C9.4077,13.8386 9.40716,13.8388 9.40661,13.8391 C9.40621,13.8393 9.4058,13.8396 9.40539,13.8398 L9.40535,13.8397 C9.22958,13.9254 8.94505,13.9951 8.75059,14 L8.74789,14 C8.35724,13.9963 7.98473,13.8383 7.71035,13.5617 L5.39553,11.2669 L3.12342,11.2669 C2.29348,11.2669 1.49851,10.9352 0.913134,10.3462 C0.644826,10.0709 0.387187,9.683 0.23711,9.32852 C0.0941235,8.97125 0.00379528,8.51443 0,8.12943 L0,3.13746 C0,2.30689 0.327915,1.50939 0.913134,0.920639 Z M3.12342,1.59494 C2.71959,1.59494 2.33133,1.75628 2.04431,2.04503 C1.75713,2.33395 1.59494,2.72681 1.59494,3.13746 L1.59494,8.12943 C1.59114,8.35901 1.62114,8.51076 1.71193,8.72129 C1.79563,8.9346 1.88065,9.06264 2.04431,9.22185 C2.33133,9.5106 2.71959,9.67195 3.12342,9.67195 L5.72383,9.67195 C5.93413,9.67195 6.13592,9.75502 6.28527,9.90308 L8.52848,12.1269 L8.52848,10.4694 C8.52848,10.029 8.88552,9.67195 9.32595,9.67195 L10.8766,9.67195 C11.1034,9.67583 11.2517,9.64614 11.4599,9.55518 C11.6712,9.47132 11.7976,9.38635 11.9557,9.22185 C12.1193,9.06264 12.2044,8.9346 12.2881,8.72129 C12.3789,8.51076 12.4089,8.35901 12.4051,8.12943 L12.4051,3.13746 C12.4051,2.72681 12.2429,2.33394 11.9557,2.04503 C11.6687,1.75628 11.2804,1.59494 10.8766,1.59494 L3.12342,1.59494 Z",displayName:"ChatIcon",viewBox:"0 0 14 14"});Ae({displayName:"TimeIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M12,0A12,12,0,1,0,24,12,12.014,12.014,0,0,0,12,0Zm0,22A10,10,0,1,1,22,12,10.011,10.011,0,0,1,12,22Z"}),y("path",{d:"M17.134,15.81,12.5,11.561V6.5a1,1,0,0,0-2,0V12a1,1,0,0,0,.324.738l4.959,4.545a1.01,1.01,0,0,0,1.413-.061A1,1,0,0,0,17.134,15.81Z"})]})});Ae({displayName:"ArrowRightIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M13.584,12a2.643,2.643,0,0,1-.775,1.875L3.268,23.416a1.768,1.768,0,0,1-2.5-2.5l8.739-8.739a.25.25,0,0,0,0-.354L.768,3.084a1.768,1.768,0,0,1,2.5-2.5l9.541,9.541A2.643,2.643,0,0,1,13.584,12Z"}),y("path",{d:"M23.75,12a2.643,2.643,0,0,1-.775,1.875l-9.541,9.541a1.768,1.768,0,0,1-2.5-2.5l8.739-8.739a.25.25,0,0,0,0-.354L10.934,3.084a1.768,1.768,0,0,1,2.5-2.5l9.541,9.541A2.643,2.643,0,0,1,23.75,12Z"})]})});Ae({displayName:"ArrowLeftIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M10.416,12a2.643,2.643,0,0,1,.775-1.875L20.732.584a1.768,1.768,0,0,1,2.5,2.5l-8.739,8.739a.25.25,0,0,0,0,.354l8.739,8.739a1.768,1.768,0,0,1-2.5,2.5l-9.541-9.541A2.643,2.643,0,0,1,10.416,12Z"}),y("path",{d:"M.25,12a2.643,2.643,0,0,1,.775-1.875L10.566.584a1.768,1.768,0,0,1,2.5,2.5L4.327,11.823a.25.25,0,0,0,0,.354l8.739,8.739a1.768,1.768,0,0,1-2.5,2.5L1.025,13.875A2.643,2.643,0,0,1,.25,12Z"})]})});Ae({displayName:"AtSignIcon",d:"M12,.5A11.634,11.634,0,0,0,.262,12,11.634,11.634,0,0,0,12,23.5a11.836,11.836,0,0,0,6.624-2,1.25,1.25,0,1,0-1.393-2.076A9.34,9.34,0,0,1,12,21a9.132,9.132,0,0,1-9.238-9A9.132,9.132,0,0,1,12,3a9.132,9.132,0,0,1,9.238,9v.891a1.943,1.943,0,0,1-3.884,0V12A5.355,5.355,0,1,0,12,17.261a5.376,5.376,0,0,0,3.861-1.634,4.438,4.438,0,0,0,7.877-2.736V12A11.634,11.634,0,0,0,12,.5Zm0,14.261A2.763,2.763,0,1,1,14.854,12,2.812,2.812,0,0,1,12,14.761Z"});Ae({displayName:"AttachmentIcon",d:"M21.843,3.455a6.961,6.961,0,0,0-9.846,0L1.619,13.832a5.128,5.128,0,0,0,7.252,7.252L17.3,12.653A3.293,3.293,0,1,0,12.646,8L7.457,13.184A1,1,0,1,0,8.871,14.6L14.06,9.409a1.294,1.294,0,0,1,1.829,1.83L7.457,19.67a3.128,3.128,0,0,1-4.424-4.424L13.411,4.869a4.962,4.962,0,1,1,7.018,7.018L12.646,19.67a1,1,0,1,0,1.414,1.414L21.843,13.3a6.96,6.96,0,0,0,0-9.846Z"});Ae({displayName:"UpDownIcon",viewBox:"-1 -1 9 11",d:"M 3.5 0L 3.98809 -0.569442L 3.5 -0.987808L 3.01191 -0.569442L 3.5 0ZM 3.5 9L 3.01191 9.56944L 3.5 9.98781L 3.98809 9.56944L 3.5 9ZM 0.488094 3.56944L 3.98809 0.569442L 3.01191 -0.569442L -0.488094 2.43056L 0.488094 3.56944ZM 3.01191 0.569442L 6.51191 3.56944L 7.48809 2.43056L 3.98809 -0.569442L 3.01191 0.569442ZM -0.488094 6.56944L 3.01191 9.56944L 3.98809 8.43056L 0.488094 5.43056L -0.488094 6.56944ZM 3.98809 9.56944L 7.48809 6.56944L 6.51191 5.43056L 3.01191 8.43056L 3.98809 9.56944Z"});Ae({d:"M23.555,8.729a1.505,1.505,0,0,0-1.406-.98H16.062a.5.5,0,0,1-.472-.334L13.405,1.222a1.5,1.5,0,0,0-2.81,0l-.005.016L8.41,7.415a.5.5,0,0,1-.471.334H1.85A1.5,1.5,0,0,0,.887,10.4l5.184,4.3a.5.5,0,0,1,.155.543L4.048,21.774a1.5,1.5,0,0,0,2.31,1.684l5.346-3.92a.5.5,0,0,1,.591,0l5.344,3.919a1.5,1.5,0,0,0,2.312-1.683l-2.178-6.535a.5.5,0,0,1,.155-.543l5.194-4.306A1.5,1.5,0,0,0,23.555,8.729Z",displayName:"StarIcon"});Ae({displayName:"EmailIcon",path:X("g",{fill:"currentColor",children:[y("path",{d:"M11.114,14.556a1.252,1.252,0,0,0,1.768,0L22.568,4.87a.5.5,0,0,0-.281-.849A1.966,1.966,0,0,0,22,4H2a1.966,1.966,0,0,0-.289.021.5.5,0,0,0-.281.849Z"}),y("path",{d:"M23.888,5.832a.182.182,0,0,0-.2.039l-6.2,6.2a.251.251,0,0,0,0,.354l5.043,5.043a.75.75,0,1,1-1.06,1.061l-5.043-5.043a.25.25,0,0,0-.354,0l-2.129,2.129a2.75,2.75,0,0,1-3.888,0L7.926,13.488a.251.251,0,0,0-.354,0L2.529,18.531a.75.75,0,0,1-1.06-1.061l5.043-5.043a.251.251,0,0,0,0-.354l-6.2-6.2a.18.18,0,0,0-.2-.039A.182.182,0,0,0,0,6V18a2,2,0,0,0,2,2H22a2,2,0,0,0,2-2V6A.181.181,0,0,0,23.888,5.832Z"})]})});Ae({d:"M2.20731,0.0127209 C2.1105,-0.0066419 1.99432,-0.00664663 1.91687,0.032079 C0.871279,0.438698 0.212942,1.92964 0.0580392,2.95587 C-0.426031,6.28627 2.20731,9.17133 4.62766,11.0689 C6.77694,12.7534 10.9012,15.5223 13.3409,12.8503 C13.6507,12.5211 14.0186,12.037 13.9993,11.553 C13.9412,10.7397 13.186,10.1588 12.6051,9.71349 C12.1598,9.38432 11.2304,8.47427 10.6495,8.49363 C10.1267,8.51299 9.79754,9.05515 9.46837,9.38432 L8.88748,9.96521 C8.79067,10.062 7.55145,9.24878 7.41591,9.15197 C6.91248,8.8228 6.4284,8.45491 6.00242,8.04829 C5.57644,7.64167 5.18919,7.19632 4.86002,6.73161 C4.7632,6.59607 3.96933,5.41495 4.04678,5.31813 C4.04678,5.31813 4.72448,4.58234 4.91811,4.2919 C5.32473,3.67229 5.63453,3.18822 5.16982,2.45243 C4.99556,2.18135 4.78257,1.96836 4.55021,1.73601 C4.14359,1.34875 3.73698,0.942131 3.27227,0.612963 C3.02055,0.419335 2.59457,0.0708094 2.20731,0.0127209 Z",displayName:"PhoneIcon",viewBox:"0 0 14 14"});Ae({viewBox:"0 0 10 10",d:"M3,2 C2.44771525,2 2,1.55228475 2,1 C2,0.44771525 2.44771525,0 3,0 C3.55228475,0 4,0.44771525 4,1 C4,1.55228475 3.55228475,2 3,2 Z M3,6 C2.44771525,6 2,5.55228475 2,5 C2,4.44771525 2.44771525,4 3,4 C3.55228475,4 4,4.44771525 4,5 C4,5.55228475 3.55228475,6 3,6 Z M3,10 C2.44771525,10 2,9.55228475 2,9 C2,8.44771525 2.44771525,8 3,8 C3.55228475,8 4,8.44771525 4,9 C4,9.55228475 3.55228475,10 3,10 Z M7,2 C6.44771525,2 6,1.55228475 6,1 C6,0.44771525 6.44771525,0 7,0 C7.55228475,0 8,0.44771525 8,1 C8,1.55228475 7.55228475,2 7,2 Z M7,6 C6.44771525,6 6,5.55228475 6,5 C6,4.44771525 6.44771525,4 7,4 C7.55228475,4 8,4.44771525 8,5 C8,5.55228475 7.55228475,6 7,6 Z M7,10 C6.44771525,10 6,9.55228475 6,9 C6,8.44771525 6.44771525,8 7,8 C7.55228475,8 8,8.44771525 8,9 C8,9.55228475 7.55228475,10 7,10 Z",displayName:"DragHandleIcon"});Ae({displayName:"SpinnerIcon",path:X(Mn,{children:[y("defs",{children:X("linearGradient",{x1:"28.154%",y1:"63.74%",x2:"74.629%",y2:"17.783%",id:"a",children:[y("stop",{stopColor:"currentColor",offset:"0%"}),y("stop",{stopColor:"#fff",stopOpacity:"0",offset:"100%"})]})}),X("g",{transform:"translate(2)",fill:"none",children:[y("circle",{stroke:"url(#a)",strokeWidth:"4",cx:"10",cy:"12",r:"10"}),y("path",{d:"M10 2C4.477 2 0 6.477 0 12",stroke:"currentColor",strokeWidth:"4"}),y("rect",{fill:"currentColor",x:"8",width:"4",height:"4",rx:"8"})]})]})});Ae({displayName:"CloseIcon",d:"M.439,21.44a1.5,1.5,0,0,0,2.122,2.121L11.823,14.3a.25.25,0,0,1,.354,0l9.262,9.263a1.5,1.5,0,1,0,2.122-2.121L14.3,12.177a.25.25,0,0,1,0-.354l9.263-9.262A1.5,1.5,0,0,0,21.439.44L12.177,9.7a.25.25,0,0,1-.354,0L2.561.44A1.5,1.5,0,0,0,.439,2.561L9.7,11.823a.25.25,0,0,1,0,.354Z"});Ae({displayName:"SmallCloseIcon",viewBox:"0 0 16 16",path:y("path",{d:"M9.41 8l2.29-2.29c.19-.18.3-.43.3-.71a1.003 1.003 0 0 0-1.71-.71L8 6.59l-2.29-2.3a1.003 1.003 0 0 0-1.42 1.42L6.59 8 4.3 10.29c-.19.18-.3.43-.3.71a1.003 1.003 0 0 0 1.71.71L8 9.41l2.29 2.29c.18.19.43.3.71.3a1.003 1.003 0 0 0 .71-1.71L9.41 8z",fillRule:"evenodd",fill:"currentColor"})});Ae({d:"M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm0 18c-4.42 0-8-3.58-8-8 0-1.85.63-3.55 1.69-4.9L16.9 18.31C15.55 19.37 13.85 20 12 20zm6.31-3.1L7.1 5.69C8.45 4.63 10.15 4 12 4c4.42 0 8 3.58 8 8 0 1.85-.63 3.55-1.69 4.9z",displayName:"NotAllowedIcon"});Ae({d:"M21,5H3C2.621,5,2.275,5.214,2.105,5.553C1.937,5.892,1.973,6.297,2.2,6.6l9,12 c0.188,0.252,0.485,0.4,0.8,0.4s0.611-0.148,0.8-0.4l9-12c0.228-0.303,0.264-0.708,0.095-1.047C21.725,5.214,21.379,5,21,5z",displayName:"TriangleDownIcon"});Ae({d:"M12.8,5.4c-0.377-0.504-1.223-0.504-1.6,0l-9,12c-0.228,0.303-0.264,0.708-0.095,1.047 C2.275,18.786,2.621,19,3,19h18c0.379,0,0.725-0.214,0.895-0.553c0.169-0.339,0.133-0.744-0.095-1.047L12.8,5.4z",displayName:"TriangleUpIcon"});Ae({displayName:"InfoOutlineIcon",path:X("g",{fill:"currentColor",stroke:"currentColor",strokeLinecap:"square",strokeWidth:"2",children:[y("circle",{cx:"12",cy:"12",fill:"none",r:"11",stroke:"currentColor"}),y("line",{fill:"none",x1:"11.959",x2:"11.959",y1:"11",y2:"17"}),y("circle",{cx:"11.959",cy:"7",r:"1",stroke:"none"})]})});Ae({displayName:"BellIcon",d:"M12 22c1.1 0 2-.9 2-2h-4c0 1.1.89 2 2 2zm6-6v-5c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2z"});Ae({d:"M12,0A12,12,0,1,0,24,12,12.013,12.013,0,0,0,12,0Zm.25,5a1.5,1.5,0,1,1-1.5,1.5A1.5,1.5,0,0,1,12.25,5ZM14.5,18.5h-4a1,1,0,0,1,0-2h.75a.25.25,0,0,0,.25-.25v-4.5a.25.25,0,0,0-.25-.25H10.5a1,1,0,0,1,0-2h1a2,2,0,0,1,2,2v4.75a.25.25,0,0,0,.25.25h.75a1,1,0,1,1,0,2Z"});Ae({d:"M12,0A12,12,0,1,0,24,12,12.013,12.013,0,0,0,12,0Zm0,19a1.5,1.5,0,1,1,1.5-1.5A1.5,1.5,0,0,1,12,19Zm1.6-6.08a1,1,0,0,0-.6.917,1,1,0,1,1-2,0,3,3,0,0,1,1.8-2.75A2,2,0,1,0,10,9.255a1,1,0,1,1-2,0,4,4,0,1,1,5.6,3.666Z",displayName:"QuestionIcon"});Ae({displayName:"QuestionOutlineIcon",path:X("g",{stroke:"currentColor",strokeWidth:"1.5",children:[y("path",{strokeLinecap:"round",fill:"none",d:"M9,9a3,3,0,1,1,4,2.829,1.5,1.5,0,0,0-1,1.415V14.25"}),y("path",{fill:"none",strokeLinecap:"round",d:"M12,17.25a.375.375,0,1,0,.375.375A.375.375,0,0,0,12,17.25h0"}),y("circle",{fill:"none",strokeMiterlimit:"10",cx:"12",cy:"12",r:"11.25"})]})});Ae({d:"M11.983,0a12.206,12.206,0,0,0-8.51,3.653A11.8,11.8,0,0,0,0,12.207,11.779,11.779,0,0,0,11.8,24h.214A12.111,12.111,0,0,0,24,11.791h0A11.766,11.766,0,0,0,11.983,0ZM10.5,16.542a1.476,1.476,0,0,1,1.449-1.53h.027a1.527,1.527,0,0,1,1.523,1.47,1.475,1.475,0,0,1-1.449,1.53h-.027A1.529,1.529,0,0,1,10.5,16.542ZM11,12.5v-6a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Z",displayName:"WarningIcon"});Ae({displayName:"WarningTwoIcon",d:"M23.119,20,13.772,2.15h0a2,2,0,0,0-3.543,0L.881,20a2,2,0,0,0,1.772,2.928H21.347A2,2,0,0,0,23.119,20ZM11,8.423a1,1,0,0,1,2,0v6a1,1,0,1,1-2,0Zm1.05,11.51h-.028a1.528,1.528,0,0,1-1.522-1.47,1.476,1.476,0,0,1,1.448-1.53h.028A1.527,1.527,0,0,1,13.5,18.4,1.475,1.475,0,0,1,12.05,19.933Z"});Ae({viewBox:"0 0 14 14",path:y("g",{fill:"currentColor",children:y("polygon",{points:"5.5 11.9993304 14 3.49933039 12.5 2 5.5 8.99933039 1.5 4.9968652 0 6.49933039"})})});Ae({displayName:"MinusIcon",path:y("g",{fill:"currentColor",children:y("rect",{height:"4",width:"20",x:"2",y:"10"})})});Ae({displayName:"HamburgerIcon",viewBox:"0 0 24 24",d:"M 3 5 A 1.0001 1.0001 0 1 0 3 7 L 21 7 A 1.0001 1.0001 0 1 0 21 5 L 3 5 z M 3 11 A 1.0001 1.0001 0 1 0 3 13 L 21 13 A 1.0001 1.0001 0 1 0 21 11 L 3 11 z M 3 17 A 1.0001 1.0001 0 1 0 3 19 L 21 19 A 1.0001 1.0001 0 1 0 21 17 L 3 17 z"});function JT(e){return Ft({tag:"svg",attr:{viewBox:"0 0 512 512"},child:[{tag:"path",attr:{d:"M245.09 327.74v-37.32c57.07 0 84.51 13.47 108.58 38.68 5.4 5.65 15 1.32 14.29-6.43-5.45-61.45-34.14-117.09-122.87-117.09v-37.32a8.32 8.32 0 00-14.05-6L146.58 242a8.2 8.2 0 000 11.94L231 333.71a8.32 8.32 0 0014.09-5.97z"}},{tag:"path",attr:{fill:"none",strokeMiterlimit:"10",strokeWidth:"32",d:"M256 64C150 64 64 150 64 256s86 192 192 192 192-86 192-192S362 64 256 64z"}}]})(e)}const en=({label:e,value:t,onClick:n,isLink:r,labelPosition:o})=>X(dt,{gap:2,children:[n&&y(oo,{label:`Recall ${e}`,children:y(er,{"aria-label":"Use this parameter",icon:y(JT,{}),size:"xs",variant:"ghost",fontSize:20,onClick:n})}),X(dt,{direction:o?"column":"row",children:[X(Mr,{fontWeight:"semibold",whiteSpace:"nowrap",pr:2,children:[e,":"]}),r?X(zf,{href:t.toString(),isExternal:!0,wordBreak:"break-all",children:[t.toString()," ",y(QT,{mx:"2px"})]}):y(Mr,{overflowY:"scroll",wordBreak:"break-all",children:t.toString()})]})]}),kpe=(e,t)=>e.image.uuid===t.image.uuid,Epe=C.exports.memo(({image:e})=>{const t=Ue(),n=e?.metadata?.image||{},{type:r,postprocessing:o,sampler:i,prompt:s,seed:u,variations:c,steps:f,cfg_scale:p,seamless:h,width:m,height:g,strength:b,fit:S,init_image_path:E,mask_image_path:w,orig_path:x,scale:_}=n,L=JSON.stringify(n,null,2);return X(dt,{gap:1,direction:"column",width:"100%",children:[X(dt,{gap:2,children:[y(Mr,{fontWeight:"semibold",children:"File:"}),X(zf,{href:e.url,isExternal:!0,children:[e.url,y(QT,{mx:"2px"})]})]}),Object.keys(n).length>0?X(Mn,{children:[r&&y(en,{label:"Generation type",value:r}),["esrgan","gfpgan"].includes(r)&&y(en,{label:"Original image",value:x}),r==="gfpgan"&&b!==void 0&&y(en,{label:"Fix faces strength",value:b,onClick:()=>t(D5(b))}),r==="esrgan"&&_!==void 0&&y(en,{label:"Upscaling scale",value:_,onClick:()=>t(z5(_))}),r==="esrgan"&&b!==void 0&&y(en,{label:"Upscaling strength",value:b,onClick:()=>t(F5(b))}),s&&y(en,{label:"Prompt",labelPosition:"top",value:R5(s),onClick:()=>t(mT(s))}),u!==void 0&&y(en,{label:"Seed",value:u,onClick:()=>t(Sd(u))}),i&&y(en,{label:"Sampler",value:i,onClick:()=>t(bT(i))}),f&&y(en,{label:"Steps",value:f,onClick:()=>t(gT(f))}),p!==void 0&&y(en,{label:"CFG scale",value:p,onClick:()=>t(vT(p))}),c&&c.length>0&&y(en,{label:"Seed-weight pairs",value:O5(c),onClick:()=>t(wT(O5(c)))}),h&&y(en,{label:"Seamless",value:h,onClick:()=>t(N5(h))}),m&&y(en,{label:"Width",value:m,onClick:()=>t(N5(m))}),g&&y(en,{label:"Height",value:g,onClick:()=>t(yT(g))}),E&&y(en,{label:"Initial image",value:E,isLink:!0,onClick:()=>t(xu(E))}),w&&y(en,{label:"Mask image",value:w,isLink:!0,onClick:()=>t(qf(w))}),r==="img2img"&&b&&y(en,{label:"Image to image strength",value:b,onClick:()=>t(xT(b))}),S&&y(en,{label:"Image to image fit",value:S,onClick:()=>t(ST(S))}),o&&o.length>0&&X(Mn,{children:[y(B3,{size:"sm",children:"Postprocessing"}),o.map((T,O)=>{if(T.type==="esrgan"){const{scale:N,strength:F}=T;return X(dt,{pl:"2rem",gap:1,direction:"column",children:[y(Mr,{size:"md",children:`${O+1}: Upscale (ESRGAN)`}),y(en,{label:"Scale",value:N,onClick:()=>t(z5(N))}),y(en,{label:"Strength",value:F,onClick:()=>t(F5(F))})]},O)}else if(T.type==="gfpgan"){const{strength:N}=T;return X(dt,{pl:"2rem",gap:1,direction:"column",children:[y(Mr,{size:"md",children:`${O+1}: Face restoration (GFPGAN)`}),y(en,{label:"Strength",value:N,onClick:()=>t(D5(N))})]},O)}})]}),X(dt,{gap:2,direction:"column",children:[X(dt,{gap:2,children:[y(oo,{label:"Copy metadata JSON",children:y(er,{"aria-label":"Copy metadata JSON",icon:y(Mde,{}),size:"xs",variant:"ghost",fontSize:14,onClick:()=>navigator.clipboard.writeText(L)})}),y(Mr,{fontWeight:"semibold",children:"Metadata JSON:"})]}),y("div",{className:"current-image-json-viewer",children:y("pre",{children:L})})]})]}):y(UL,{width:"100%",pt:10,children:y(Mr,{fontSize:"lg",fontWeight:"semibold",children:"No metadata available"})})]})},kpe),Lpe=Rn(e=>e.system,e=>e.shouldConfirmOnDelete),eI=C.exports.forwardRef(({image:e,children:t},n)=>{const{isOpen:r,onOpen:o,onClose:i}=s5(),s=Ue(),u=Te(Lpe),c=C.exports.useRef(null),f=m=>{m.stopPropagation(),u?o():p()},p=()=>{s(nde(e)),i()},h=m=>s(ET(!m.target.checked));return X(Mn,{children:[C.exports.cloneElement(t,{onClick:f,ref:n}),y(zee,{isOpen:r,leastDestructiveRef:c,onClose:i,children:y(Q1,{children:X(Fee,{children:[y(sb,{fontSize:"lg",fontWeight:"bold",children:"Delete image"}),y(Y1,{children:X(dt,{direction:"column",gap:5,children:[y(Mr,{children:"Are you sure? You can't undo this action afterwards."}),y(qa,{children:X(dt,{alignItems:"center",children:[y(Bs,{mb:0,children:"Don't ask me again"}),y(vm,{checked:!u,onChange:h})]})})]})}),X(ab,{children:[y(Ro,{ref:c,onClick:i,children:"Cancel"}),y(Ro,{colorScheme:"red",onClick:p,ml:3,children:"Delete"})]})]})})})]})}),Sh=e=>{const{label:t,tooltip:n="",size:r="sm",...o}=e;return y(oo,{label:n,children:y(Ro,{size:r,...o,children:t})})},hs=e=>{const{tooltip:t="",onClick:n,...r}=e;return y(oo,{label:t,children:y(er,{...r,cursor:n?"pointer":"unset",onClick:n})})},I7=({title:e="Popup",styleClass:t,delay:n=50,popoverOptions:r,actionButton:o,children:i})=>X(ub,{trigger:"hover",closeDelay:n,children:[y(pb,{children:y(ui,{children:i})}),X(db,{className:`popover-content ${t}`,children:[y(cb,{className:"popover-arrow"}),y(uA,{className:"popover-header",children:e}),X("div",{className:"popover-options",children:[r||null,o]})]})]}),M7=/^-?(0\.)?\.?$/,pi=e=>{const{label:t,styleClass:n,isDisabled:r=!1,showStepper:o=!0,fontSize:i="1rem",size:s="sm",width:u,textAlign:c,isInvalid:f,value:p,onChange:h,min:m,max:g,isInteger:b=!0,...S}=e,[E,w]=C.exports.useState(String(p));C.exports.useEffect(()=>{!E.match(M7)&&p!==Number(E)&&w(String(p))},[p,E]);const x=L=>{w(L),L.match(M7)||h(b?Math.floor(Number(L)):Number(L))},_=L=>{const T=Fce.clamp(b?Math.floor(Number(L.target.value)):Number(L.target.value),m,g);w(String(T)),h(T)};return X(qa,{isDisabled:r,isInvalid:f,className:`number-input ${n}`,children:[t&&y(Bs,{fontSize:i,marginBottom:1,flexGrow:2,whiteSpace:"nowrap",className:"number-input-label",children:t}),X(oA,{size:s,...S,className:"number-input-field",value:E,keepWithinRange:!0,clampValueOnBlur:!1,onChange:x,onBlur:_,children:[y(iA,{fontSize:i,className:"number-input-entry",width:u,textAlign:c}),X("div",{className:"number-input-stepper",style:o?{display:"block"}:{display:"none"},children:[y(lA,{className:"number-input-stepper-button"}),y(sA,{className:"number-input-stepper-button"})]})]})]})},Mm=e=>{const{label:t,isDisabled:n,validValues:r,size:o="sm",fontSize:i="md",styleClass:s,...u}=e;return X(qa,{isDisabled:n,className:`iai-select ${s}`,children:[y(Bs,{fontSize:i,marginBottom:1,flexGrow:2,whiteSpace:"nowrap",className:"iai-select-label",children:t}),y(dA,{fontSize:i,size:o,...u,className:"iai-select-picker",children:r.map(c=>typeof c=="string"||typeof c=="number"?y("option",{value:c,className:"iai-select-option",children:c},c):y("option",{value:c.value,children:c.key},c.value))})]})},Ppe=Rn(e=>e.options,e=>({upscalingLevel:e.upscalingLevel,upscalingStrength:e.upscalingStrength}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Ape=Rn(e=>e.system,e=>({isESRGANAvailable:e.isESRGANAvailable}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),tI=()=>{const e=Ue(),{upscalingLevel:t,upscalingStrength:n}=Te(Ppe),{isESRGANAvailable:r}=Te(Ape);return X("div",{className:"upscale-options",children:[y(Mm,{isDisabled:!r,label:"Scale",value:t,onChange:s=>e(z5(Number(s.target.value))),validValues:dde}),y(pi,{isDisabled:!r,label:"Strength",step:.05,min:0,max:1,onChange:s=>e(F5(s)),value:n,isInteger:!1})]})},Tpe=Rn(e=>e.options,e=>({gfpganStrength:e.gfpganStrength}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Ipe=Rn(e=>e.system,e=>({isGFPGANAvailable:e.isGFPGANAvailable}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),nI=()=>{const e=Ue(),{gfpganStrength:t}=Te(Tpe),{isGFPGANAvailable:n}=Te(Ipe);return y(dt,{direction:"column",gap:2,children:y(pi,{isDisabled:!n,label:"Strength",step:.05,min:0,max:1,onChange:o=>e(D5(o)),value:t,width:"90px",isInteger:!1})})},Mpe=Rn(e=>e.system,e=>({isProcessing:e.isProcessing,isConnected:e.isConnected,isGFPGANAvailable:e.isGFPGANAvailable,isESRGANAvailable:e.isESRGANAvailable}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Rpe=({image:e,shouldShowImageDetails:t,setShouldShowImageDetails:n})=>{const r=Ue(),o=Te(w=>w.gallery.intermediateImage),i=Te(w=>w.options.upscalingLevel),s=Te(w=>w.options.gfpganStrength),{isProcessing:u,isConnected:c,isGFPGANAvailable:f,isESRGANAvailable:p}=Te(Mpe),h=()=>r(xu(e.url)),m=()=>r(CT(e.metadata)),g=()=>r(Sd(e.metadata.image.seed)),b=()=>r(ede(e)),S=()=>r(tde(e)),E=()=>n(!t);return X("div",{className:"current-image-options",children:[y(hs,{icon:y(jde,{}),tooltip:"Use As Initial Image","aria-label":"Use As Initial Image",onClick:h}),y(Sh,{label:"Use All",isDisabled:!["txt2img","img2img"].includes(e?.metadata?.image?.type),onClick:m}),y(Sh,{label:"Use Seed",isDisabled:!e?.metadata?.image?.seed,onClick:g}),y(I7,{title:"Restore Faces",popoverOptions:y(nI,{}),actionButton:y(Sh,{label:"Restore Faces",isDisabled:!f||Boolean(o)||!(c&&!u)||!s,onClick:S}),children:y(hs,{icon:y(Bde,{}),"aria-label":"Restore Faces"})}),y(I7,{title:"Upscale",styleClass:"upscale-popover",popoverOptions:y(tI,{}),actionButton:y(Sh,{label:"Upscale Image",isDisabled:!p||Boolean(o)||!(c&&!u)||!i,onClick:b}),children:y(hs,{icon:y(Wde,{}),"aria-label":"Upscale"})}),y(hs,{icon:y($de,{}),tooltip:"Details","aria-label":"Details",onClick:E}),y(eI,{image:e,children:y(hs,{icon:y(Fde,{}),tooltip:"Delete Image","aria-label":"Delete Image",isDisabled:Boolean(o)})})]})},Ope=()=>{const{currentImage:e,intermediateImage:t}=Te(i=>i.gallery),[n,r]=C.exports.useState(!1),o=t||e;return o?X("div",{className:"current-image-display",children:[y("div",{className:"current-image-tools",children:y(Rpe,{image:o,shouldShowImageDetails:n,setShouldShowImageDetails:r})}),X("div",{className:"current-image-preview",children:[y(Df,{src:o.url,fit:"contain",maxWidth:"100%",maxHeight:"100%"}),n&&y("div",{className:"current-image-metadata-viewer",children:y(Epe,{image:o})})]})]}):y("div",{className:"current-image-display-placeholder",children:y(Gde,{})})},Npe=(e,t)=>e.image.uuid===t.image.uuid&&e.isSelected===t.isSelected,Dpe=C.exports.memo(e=>{const[t,n]=C.exports.useState(!1),r=Ue(),o=Bv("green.600","green.300"),i=Bv("gray.200","gray.700"),s=Bv("radial-gradient(circle, rgba(255,255,255,0.7) 0%, rgba(255,255,255,0.7) 20%, rgba(0,0,0,0) 100%)","radial-gradient(circle, rgba(0,0,0,0.7) 0%, rgba(0,0,0,0.7) 20%, rgba(0,0,0,0) 100%)"),{image:u,isSelected:c}=e,{url:f,uuid:p,metadata:h}=u,m=()=>n(!0),g=()=>n(!1),b=w=>{w.stopPropagation(),r(CT(h))},S=w=>{w.stopPropagation(),r(Sd(u.metadata.image.seed))};return X(ui,{position:"relative",children:[y(Df,{width:120,height:120,objectFit:"cover",rounded:"md",src:f,loading:"lazy",backgroundColor:i}),X(dt,{cursor:"pointer",position:"absolute",top:0,left:0,rounded:"md",width:"100%",height:"100%",alignItems:"center",justifyContent:"center",background:c?s:void 0,onClick:()=>r(Vce(u)),onMouseOver:m,onMouseOut:g,children:[c&&y(Wr,{fill:o,width:"50%",height:"50%",as:Tde}),t&&X(dt,{direction:"column",gap:1,position:"absolute",top:1,right:1,children:[y(oo,{label:"Delete image",children:y(eI,{image:u,children:y(er,{colorScheme:"red","aria-label":"Delete image",icon:y(zde,{}),size:"xs",variant:"imageHoverIconButton",fontSize:14})})}),["txt2img","img2img"].includes(u?.metadata?.image?.type)&&y(oo,{label:"Use all parameters",children:y(er,{"aria-label":"Use all parameters",icon:y(JT,{}),size:"xs",fontSize:18,variant:"imageHoverIconButton",onClickCapture:b})}),u?.metadata?.image?.seed!==void 0&&y(oo,{label:"Use seed",children:y(er,{"aria-label":"Use seed",icon:y(Nde,{}),size:"xs",fontSize:16,variant:"imageHoverIconButton",onClickCapture:S})})]})]})]},p)},Npe),zpe=()=>{const{images:e,currentImageUuid:t,areMoreImagesAvailable:n}=Te(i=>i.gallery),r=Ue(),o=()=>{r(HT())};return X("div",{className:"image-gallery-container",children:[e.length?X(Mn,{children:[y("p",{children:y("strong",{children:"Your Invocations"})}),y("div",{className:"image-gallery",children:e.map(i=>{const{uuid:s}=i;return y(Dpe,{image:i,isSelected:t===s},s)})})]}):X("div",{className:"image-gallery-container-placeholder",children:[y(Ude,{}),y("p",{children:"No Images In Gallery"})]}),y(Ro,{onClick:o,isDisabled:!n,className:"image-gallery-load-more-btn",children:n?"Load More":"All Images Loaded"})]})};function Fpe(){const e=Te(r=>r.options.showAdvancedOptions),t=Ue();return X("div",{className:"advanced_options_checker",children:[y("input",{type:"checkbox",name:"advanced_options",id:"",onChange:r=>t(Dce(r.target.checked)),checked:e}),y("label",{htmlFor:"advanced_options",children:"Advanced Options"})]})}function Bpe(){const e=Ue(),t=Te(r=>r.options.cfgScale);return y(pi,{label:"CFG Scale",step:.5,min:1,max:30,onChange:r=>e(vT(r)),value:t,width:Bb,fontSize:Nu,styleClass:"main-option-block",textAlign:"center",isInteger:!1})}function $pe(){const e=Te(r=>r.options.height),t=Ue();return y(Mm,{label:"Height",value:e,flexGrow:1,onChange:r=>t(yT(Number(r.target.value))),validValues:fde,fontSize:Nu,styleClass:"main-option-block"})}function Vpe(){const e=Ue(),t=Te(r=>r.options.iterations);return y(pi,{label:"Images",step:1,min:1,max:9999,onChange:r=>e(Ece(r)),value:t,width:Bb,fontSize:Nu,styleClass:"main-option-block",textAlign:"center"})}function Wpe(){const e=Te(r=>r.options.sampler),t=Ue();return y(Mm,{label:"Sampler",value:e,onChange:r=>t(bT(r.target.value)),validValues:ude,fontSize:Nu,styleClass:"main-option-block"})}function Hpe(){const e=Ue(),t=Te(r=>r.options.steps);return y(pi,{label:"Steps",min:1,max:9999,step:1,onChange:r=>e(gT(r)),value:t,width:Bb,fontSize:Nu,styleClass:"main-option-block",textAlign:"center"})}function jpe(){const e=Te(r=>r.options.width),t=Ue();return y(Mm,{label:"Width",value:e,flexGrow:1,onChange:r=>t(N5(Number(r.target.value))),validValues:cde,fontSize:Nu,styleClass:"main-option-block"})}const Nu="0.9rem",Bb="auto";function Upe(){return y("div",{className:"main-options",children:X("div",{className:"main-options-list",children:[X("div",{className:"main-options-row",children:[y(Vpe,{}),y(Hpe,{}),y(Bpe,{})]}),X("div",{className:"main-options-row",children:[y(jpe,{}),y($pe,{}),y(Wpe,{})]}),y(Fpe,{})]})})}const js=e=>{const{label:t,isDisabled:n=!1,fontSize:r="md",size:o="md",width:i="auto",...s}=e;return y(qa,{isDisabled:n,width:i,children:X(dt,{justifyContent:"space-between",alignItems:"center",children:[t&&y(Bs,{fontSize:r,marginBottom:1,flexGrow:2,whiteSpace:"nowrap",children:t}),y(vm,{size:o,className:"switch-button",...s})]})})},Gpe=()=>{const e=Ue(),t=Te(r=>r.options.seamless);return y(dt,{gap:2,direction:"column",children:y(js,{label:"Seamless tiling",fontSize:"md",isChecked:t,onChange:r=>e(Ace(r.target.checked))})})};var Zpe=new Map([["aac","audio/aac"],["abw","application/x-abiword"],["arc","application/x-freearc"],["avif","image/avif"],["avi","video/x-msvideo"],["azw","application/vnd.amazon.ebook"],["bin","application/octet-stream"],["bmp","image/bmp"],["bz","application/x-bzip"],["bz2","application/x-bzip2"],["cda","application/x-cdf"],["csh","application/x-csh"],["css","text/css"],["csv","text/csv"],["doc","application/msword"],["docx","application/vnd.openxmlformats-officedocument.wordprocessingml.document"],["eot","application/vnd.ms-fontobject"],["epub","application/epub+zip"],["gz","application/gzip"],["gif","image/gif"],["heic","image/heic"],["heif","image/heif"],["htm","text/html"],["html","text/html"],["ico","image/vnd.microsoft.icon"],["ics","text/calendar"],["jar","application/java-archive"],["jpeg","image/jpeg"],["jpg","image/jpeg"],["js","text/javascript"],["json","application/json"],["jsonld","application/ld+json"],["mid","audio/midi"],["midi","audio/midi"],["mjs","text/javascript"],["mp3","audio/mpeg"],["mp4","video/mp4"],["mpeg","video/mpeg"],["mpkg","application/vnd.apple.installer+xml"],["odp","application/vnd.oasis.opendocument.presentation"],["ods","application/vnd.oasis.opendocument.spreadsheet"],["odt","application/vnd.oasis.opendocument.text"],["oga","audio/ogg"],["ogv","video/ogg"],["ogx","application/ogg"],["opus","audio/opus"],["otf","font/otf"],["png","image/png"],["pdf","application/pdf"],["php","application/x-httpd-php"],["ppt","application/vnd.ms-powerpoint"],["pptx","application/vnd.openxmlformats-officedocument.presentationml.presentation"],["rar","application/vnd.rar"],["rtf","application/rtf"],["sh","application/x-sh"],["svg","image/svg+xml"],["swf","application/x-shockwave-flash"],["tar","application/x-tar"],["tif","image/tiff"],["tiff","image/tiff"],["ts","video/mp2t"],["ttf","font/ttf"],["txt","text/plain"],["vsd","application/vnd.visio"],["wav","audio/wav"],["weba","audio/webm"],["webm","video/webm"],["webp","image/webp"],["woff","font/woff"],["woff2","font/woff2"],["xhtml","application/xhtml+xml"],["xls","application/vnd.ms-excel"],["xlsx","application/vnd.openxmlformats-officedocument.spreadsheetml.sheet"],["xml","application/xml"],["xul","application/vnd.mozilla.xul+xml"],["zip","application/zip"],["7z","application/x-7z-compressed"],["mkv","video/x-matroska"],["mov","video/quicktime"],["msg","application/vnd.ms-outlook"]]);function wd(e,t){var n=qpe(e);if(typeof n.path!="string"){var r=e.webkitRelativePath;Object.defineProperty(n,"path",{value:typeof t=="string"?t:typeof r=="string"&&r.length>0?r:e.name,writable:!1,configurable:!1,enumerable:!0})}return n}function qpe(e){var t=e.name,n=t&&t.lastIndexOf(".")!==-1;if(n&&!e.type){var r=t.split(".").pop().toLowerCase(),o=Zpe.get(r);o&&Object.defineProperty(e,"type",{value:o,writable:!1,configurable:!1,enumerable:!0})}return e}var Kpe=[".DS_Store","Thumbs.db"];function Ype(e){return Pu(this,void 0,void 0,function(){return Au(this,function(t){return u0(e)&&Xpe(e.dataTransfer)?[2,the(e.dataTransfer,e.type)]:Qpe(e)?[2,Jpe(e)]:Array.isArray(e)&&e.every(function(n){return"getFile"in n&&typeof n.getFile=="function"})?[2,ehe(e)]:[2,[]]})})}function Xpe(e){return u0(e)}function Qpe(e){return u0(e)&&u0(e.target)}function u0(e){return typeof e=="object"&&e!==null}function Jpe(e){return G5(e.target.files).map(function(t){return wd(t)})}function ehe(e){return Pu(this,void 0,void 0,function(){var t;return Au(this,function(n){switch(n.label){case 0:return[4,Promise.all(e.map(function(r){return r.getFile()}))];case 1:return t=n.sent(),[2,t.map(function(r){return wd(r)})]}})})}function the(e,t){return Pu(this,void 0,void 0,function(){var n,r;return Au(this,function(o){switch(o.label){case 0:return e.items?(n=G5(e.items).filter(function(i){return i.kind==="file"}),t!=="drop"?[2,n]:[4,Promise.all(n.map(nhe))]):[3,2];case 1:return r=o.sent(),[2,R7(rI(r))];case 2:return[2,R7(G5(e.files).map(function(i){return wd(i)}))]}})})}function R7(e){return e.filter(function(t){return Kpe.indexOf(t.name)===-1})}function G5(e){if(e===null)return[];for(var t=[],n=0;n<e.length;n++){var r=e[n];t.push(r)}return t}function nhe(e){if(typeof e.webkitGetAsEntry!="function")return O7(e);var t=e.webkitGetAsEntry();return t&&t.isDirectory?oI(t):O7(e)}function rI(e){return e.reduce(function(t,n){return Fy(Fy([],IS(t),!1),IS(Array.isArray(n)?rI(n):[n]),!1)},[])}function O7(e){var t=e.getAsFile();if(!t)return Promise.reject("".concat(e," is not a File"));var n=wd(t);return Promise.resolve(n)}function rhe(e){return Pu(this,void 0,void 0,function(){return Au(this,function(t){return[2,e.isDirectory?oI(e):ohe(e)]})})}function oI(e){var t=e.createReader();return new Promise(function(n,r){var o=[];function i(){var s=this;t.readEntries(function(u){return Pu(s,void 0,void 0,function(){var c,f,p;return Au(this,function(h){switch(h.label){case 0:if(u.length)return[3,5];h.label=1;case 1:return h.trys.push([1,3,,4]),[4,Promise.all(o)];case 2:return c=h.sent(),n(c),[3,4];case 3:return f=h.sent(),r(f),[3,4];case 4:return[3,6];case 5:p=Promise.all(u.map(rhe)),o.push(p),i(),h.label=6;case 6:return[2]}})})},function(u){r(u)})}i()})}function ohe(e){return Pu(this,void 0,void 0,function(){return Au(this,function(t){return[2,new Promise(function(n,r){e.file(function(o){var i=wd(o,e.fullPath);n(i)},function(o){r(o)})})]})})}var ihe=function(e,t){if(e&&t){var n=Array.isArray(t)?t:t.split(","),r=e.name||"",o=(e.type||"").toLowerCase(),i=o.replace(/\/.*$/,"");return n.some(function(s){var u=s.trim().toLowerCase();return u.charAt(0)==="."?r.toLowerCase().endsWith(u):u.endsWith("/*")?i===u.replace(/\/.*$/,""):o===u})}return!0};function N7(e){return lhe(e)||she(e)||aI(e)||ahe()}function ahe(){throw new TypeError(`Invalid attempt to spread non-iterable instance. -In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function she(e){if(typeof Symbol<"u"&&e[Symbol.iterator]!=null||e["@@iterator"]!=null)return Array.from(e)}function lhe(e){if(Array.isArray(e))return Z5(e)}function D7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function z7(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?D7(Object(n),!0).forEach(function(r){iI(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):D7(Object(n)).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function iI(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Kf(e,t){return fhe(e)||che(e,t)||aI(e,t)||uhe()}function uhe(){throw new TypeError(`Invalid attempt to destructure non-iterable instance. -In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function aI(e,t){if(!!e){if(typeof e=="string")return Z5(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);if(n==="Object"&&e.constructor&&(n=e.constructor.name),n==="Map"||n==="Set")return Array.from(e);if(n==="Arguments"||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return Z5(e,t)}}function Z5(e,t){(t==null||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function che(e,t){var n=e==null?null:typeof Symbol<"u"&&e[Symbol.iterator]||e["@@iterator"];if(n!=null){var r=[],o=!0,i=!1,s,u;try{for(n=n.call(e);!(o=(s=n.next()).done)&&(r.push(s.value),!(t&&r.length===t));o=!0);}catch(c){i=!0,u=c}finally{try{!o&&n.return!=null&&n.return()}finally{if(i)throw u}}return r}}function fhe(e){if(Array.isArray(e))return e}var dhe="file-invalid-type",phe="file-too-large",hhe="file-too-small",mhe="too-many-files",ghe=function(t){t=Array.isArray(t)&&t.length===1?t[0]:t;var n=Array.isArray(t)?"one of ".concat(t.join(", ")):t;return{code:dhe,message:"File type must be ".concat(n)}},F7=function(t){return{code:phe,message:"File is larger than ".concat(t," ").concat(t===1?"byte":"bytes")}},B7=function(t){return{code:hhe,message:"File is smaller than ".concat(t," ").concat(t===1?"byte":"bytes")}},vhe={code:mhe,message:"Too many files"};function sI(e,t){var n=e.type==="application/x-moz-file"||ihe(e,t);return[n,n?null:ghe(t)]}function lI(e,t,n){if(ms(e.size))if(ms(t)&&ms(n)){if(e.size>n)return[!1,F7(n)];if(e.size<t)return[!1,B7(t)]}else{if(ms(t)&&e.size<t)return[!1,B7(t)];if(ms(n)&&e.size>n)return[!1,F7(n)]}return[!0,null]}function ms(e){return e!=null}function yhe(e){var t=e.files,n=e.accept,r=e.minSize,o=e.maxSize,i=e.multiple,s=e.maxFiles,u=e.validator;return!i&&t.length>1||i&&s>=1&&t.length>s?!1:t.every(function(c){var f=sI(c,n),p=Kf(f,1),h=p[0],m=lI(c,r,o),g=Kf(m,1),b=g[0],S=u?u(c):null;return h&&b&&!S})}function c0(e){return typeof e.isPropagationStopped=="function"?e.isPropagationStopped():typeof e.cancelBubble<"u"?e.cancelBubble:!1}function wh(e){return e.dataTransfer?Array.prototype.some.call(e.dataTransfer.types,function(t){return t==="Files"||t==="application/x-moz-file"}):!!e.target&&!!e.target.files}function $7(e){e.preventDefault()}function bhe(e){return e.indexOf("MSIE")!==-1||e.indexOf("Trident/")!==-1}function xhe(e){return e.indexOf("Edge/")!==-1}function She(){var e=arguments.length>0&&arguments[0]!==void 0?arguments[0]:window.navigator.userAgent;return bhe(e)||xhe(e)}function Wo(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(r){for(var o=arguments.length,i=new Array(o>1?o-1:0),s=1;s<o;s++)i[s-1]=arguments[s];return t.some(function(u){return!c0(r)&&u&&u.apply(void 0,[r].concat(i)),c0(r)})}}function whe(){return"showOpenFilePicker"in window}function Che(e){if(ms(e)){var t=Object.entries(e).filter(function(n){var r=Kf(n,2),o=r[0],i=r[1],s=!0;return uI(o)||(console.warn('Skipped "'.concat(o,'" because it is not a valid MIME type. Check https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/MIME_types/Common_types for a list of valid MIME types.')),s=!1),(!Array.isArray(i)||!i.every(cI))&&(console.warn('Skipped "'.concat(o,'" because an invalid file extension was provided.')),s=!1),s}).reduce(function(n,r){var o=Kf(r,2),i=o[0],s=o[1];return z7(z7({},n),{},iI({},i,s))},{});return[{accept:t}]}return e}function _he(e){if(ms(e))return Object.entries(e).reduce(function(t,n){var r=Kf(n,2),o=r[0],i=r[1];return[].concat(N7(t),[o],N7(i))},[]).filter(function(t){return uI(t)||cI(t)}).join(",")}function khe(e){return e instanceof DOMException&&(e.name==="AbortError"||e.code===e.ABORT_ERR)}function Ehe(e){return e instanceof DOMException&&(e.name==="SecurityError"||e.code===e.SECURITY_ERR)}function uI(e){return e==="audio/*"||e==="video/*"||e==="image/*"||e==="text/*"||/\w+\/[-+.\w]+/g.test(e)}function cI(e){return/^.*\.[\w]+$/.test(e)}var Lhe=["children"],Phe=["open"],Ahe=["refKey","role","onKeyDown","onFocus","onBlur","onClick","onDragEnter","onDragOver","onDragLeave","onDrop"],The=["refKey","onChange","onClick"];function Ihe(e){return Ohe(e)||Rhe(e)||fI(e)||Mhe()}function Mhe(){throw new TypeError(`Invalid attempt to spread non-iterable instance. -In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function Rhe(e){if(typeof Symbol<"u"&&e[Symbol.iterator]!=null||e["@@iterator"]!=null)return Array.from(e)}function Ohe(e){if(Array.isArray(e))return q5(e)}function A2(e,t){return zhe(e)||Dhe(e,t)||fI(e,t)||Nhe()}function Nhe(){throw new TypeError(`Invalid attempt to destructure non-iterable instance. -In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function fI(e,t){if(!!e){if(typeof e=="string")return q5(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);if(n==="Object"&&e.constructor&&(n=e.constructor.name),n==="Map"||n==="Set")return Array.from(e);if(n==="Arguments"||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return q5(e,t)}}function q5(e,t){(t==null||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function Dhe(e,t){var n=e==null?null:typeof Symbol<"u"&&e[Symbol.iterator]||e["@@iterator"];if(n!=null){var r=[],o=!0,i=!1,s,u;try{for(n=n.call(e);!(o=(s=n.next()).done)&&(r.push(s.value),!(t&&r.length===t));o=!0);}catch(c){i=!0,u=c}finally{try{!o&&n.return!=null&&n.return()}finally{if(i)throw u}}return r}}function zhe(e){if(Array.isArray(e))return e}function V7(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter(function(o){return Object.getOwnPropertyDescriptor(e,o).enumerable})),n.push.apply(n,r)}return n}function Vt(e){for(var t=1;t<arguments.length;t++){var n=arguments[t]!=null?arguments[t]:{};t%2?V7(Object(n),!0).forEach(function(r){K5(e,r,n[r])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):V7(Object(n)).forEach(function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(n,r))})}return e}function K5(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function f0(e,t){if(e==null)return{};var n=Fhe(e,t),r,o;if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(e);for(o=0;o<i.length;o++)r=i[o],!(t.indexOf(r)>=0)&&(!Object.prototype.propertyIsEnumerable.call(e,r)||(n[r]=e[r]))}return n}function Fhe(e,t){if(e==null)return{};var n={},r=Object.keys(e),o,i;for(i=0;i<r.length;i++)o=r[i],!(t.indexOf(o)>=0)&&(n[o]=e[o]);return n}var $b=C.exports.forwardRef(function(e,t){var n=e.children,r=f0(e,Lhe),o=pI(r),i=o.open,s=f0(o,Phe);return C.exports.useImperativeHandle(t,function(){return{open:i}},[i]),y(C.exports.Fragment,{children:n(Vt(Vt({},s),{},{open:i}))})});$b.displayName="Dropzone";var dI={disabled:!1,getFilesFromEvent:Ype,maxSize:1/0,minSize:0,multiple:!0,maxFiles:0,preventDropOnDocument:!0,noClick:!1,noKeyboard:!1,noDrag:!1,noDragEventsBubbling:!1,validator:null,useFsAccessApi:!0,autoFocus:!1};$b.defaultProps=dI;$b.propTypes={children:wt.exports.func,accept:wt.exports.objectOf(wt.exports.arrayOf(wt.exports.string)),multiple:wt.exports.bool,preventDropOnDocument:wt.exports.bool,noClick:wt.exports.bool,noKeyboard:wt.exports.bool,noDrag:wt.exports.bool,noDragEventsBubbling:wt.exports.bool,minSize:wt.exports.number,maxSize:wt.exports.number,maxFiles:wt.exports.number,disabled:wt.exports.bool,getFilesFromEvent:wt.exports.func,onFileDialogCancel:wt.exports.func,onFileDialogOpen:wt.exports.func,useFsAccessApi:wt.exports.bool,autoFocus:wt.exports.bool,onDragEnter:wt.exports.func,onDragLeave:wt.exports.func,onDragOver:wt.exports.func,onDrop:wt.exports.func,onDropAccepted:wt.exports.func,onDropRejected:wt.exports.func,onError:wt.exports.func,validator:wt.exports.func};var Y5={isFocused:!1,isFileDialogActive:!1,isDragActive:!1,isDragAccept:!1,isDragReject:!1,acceptedFiles:[],fileRejections:[]};function pI(){var e=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},t=Vt(Vt({},dI),e),n=t.accept,r=t.disabled,o=t.getFilesFromEvent,i=t.maxSize,s=t.minSize,u=t.multiple,c=t.maxFiles,f=t.onDragEnter,p=t.onDragLeave,h=t.onDragOver,m=t.onDrop,g=t.onDropAccepted,b=t.onDropRejected,S=t.onFileDialogCancel,E=t.onFileDialogOpen,w=t.useFsAccessApi,x=t.autoFocus,_=t.preventDropOnDocument,L=t.noClick,T=t.noKeyboard,O=t.noDrag,N=t.noDragEventsBubbling,F=t.onError,q=t.validator,W=C.exports.useMemo(function(){return _he(n)},[n]),J=C.exports.useMemo(function(){return Che(n)},[n]),ve=C.exports.useMemo(function(){return typeof E=="function"?E:W7},[E]),xe=C.exports.useMemo(function(){return typeof S=="function"?S:W7},[S]),he=C.exports.useRef(null),fe=C.exports.useRef(null),me=C.exports.useReducer(Bhe,Y5),ne=A2(me,2),H=ne[0],K=ne[1],Z=H.isFocused,M=H.isFileDialogActive,j=C.exports.useRef(typeof window<"u"&&window.isSecureContext&&w&&whe()),se=function(){!j.current&&M&&setTimeout(function(){if(fe.current){var Ee=fe.current.files;Ee.length||(K({type:"closeDialog"}),xe())}},300)};C.exports.useEffect(function(){return window.addEventListener("focus",se,!1),function(){window.removeEventListener("focus",se,!1)}},[fe,M,xe,j]);var ce=C.exports.useRef([]),ye=function(Ee){he.current&&he.current.contains(Ee.target)||(Ee.preventDefault(),ce.current=[])};C.exports.useEffect(function(){return _&&(document.addEventListener("dragover",$7,!1),document.addEventListener("drop",ye,!1)),function(){_&&(document.removeEventListener("dragover",$7),document.removeEventListener("drop",ye))}},[he,_]),C.exports.useEffect(function(){return!r&&x&&he.current&&he.current.focus(),function(){}},[he,x,r]);var be=C.exports.useCallback(function(pe){F?F(pe):console.error(pe)},[F]),Le=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe),ce.current=[].concat(Ihe(ce.current),[pe.target]),wh(pe)&&Promise.resolve(o(pe)).then(function(Ee){if(!(c0(pe)&&!N)){var pt=Ee.length,ut=pt>0&&yhe({files:Ee,accept:W,minSize:s,maxSize:i,multiple:u,maxFiles:c,validator:q}),ie=pt>0&&!ut;K({isDragAccept:ut,isDragReject:ie,isDragActive:!0,type:"setDraggedFiles"}),f&&f(pe)}}).catch(function(Ee){return be(Ee)})},[o,f,be,N,W,s,i,u,c,q]),de=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe);var Ee=wh(pe);if(Ee&&pe.dataTransfer)try{pe.dataTransfer.dropEffect="copy"}catch{}return Ee&&h&&h(pe),!1},[h,N]),_e=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe);var Ee=ce.current.filter(function(ut){return he.current&&he.current.contains(ut)}),pt=Ee.indexOf(pe.target);pt!==-1&&Ee.splice(pt,1),ce.current=Ee,!(Ee.length>0)&&(K({type:"setDraggedFiles",isDragActive:!1,isDragAccept:!1,isDragReject:!1}),wh(pe)&&p&&p(pe))},[he,p,N]),De=C.exports.useCallback(function(pe,Ee){var pt=[],ut=[];pe.forEach(function(ie){var Ge=sI(ie,W),Et=A2(Ge,2),wn=Et[0],On=Et[1],wr=lI(ie,s,i),Oo=A2(wr,2),hi=Oo[0],jn=Oo[1],Hr=q?q(ie):null;if(wn&&hi&&!Hr)pt.push(ie);else{var Ya=[On,jn];Hr&&(Ya=Ya.concat(Hr)),ut.push({file:ie,errors:Ya.filter(function(Us){return Us})})}}),(!u&&pt.length>1||u&&c>=1&&pt.length>c)&&(pt.forEach(function(ie){ut.push({file:ie,errors:[vhe]})}),pt.splice(0)),K({acceptedFiles:pt,fileRejections:ut,type:"setFiles"}),m&&m(pt,ut,Ee),ut.length>0&&b&&b(ut,Ee),pt.length>0&&g&&g(pt,Ee)},[K,u,W,s,i,c,m,g,b,q]),st=C.exports.useCallback(function(pe){pe.preventDefault(),pe.persist(),lt(pe),ce.current=[],wh(pe)&&Promise.resolve(o(pe)).then(function(Ee){c0(pe)&&!N||De(Ee,pe)}).catch(function(Ee){return be(Ee)}),K({type:"reset"})},[o,De,be,N]),Tt=C.exports.useCallback(function(){if(j.current){K({type:"openDialog"}),ve();var pe={multiple:u,types:J};window.showOpenFilePicker(pe).then(function(Ee){return o(Ee)}).then(function(Ee){De(Ee,null),K({type:"closeDialog"})}).catch(function(Ee){khe(Ee)?(xe(Ee),K({type:"closeDialog"})):Ehe(Ee)?(j.current=!1,fe.current?(fe.current.value=null,fe.current.click()):be(new Error("Cannot open the file picker because the https://developer.mozilla.org/en-US/docs/Web/API/File_System_Access_API is not supported and no <input> was provided."))):be(Ee)});return}fe.current&&(K({type:"openDialog"}),ve(),fe.current.value=null,fe.current.click())},[K,ve,xe,w,De,be,J,u]),hn=C.exports.useCallback(function(pe){!he.current||!he.current.isEqualNode(pe.target)||(pe.key===" "||pe.key==="Enter"||pe.keyCode===32||pe.keyCode===13)&&(pe.preventDefault(),Tt())},[he,Tt]),Se=C.exports.useCallback(function(){K({type:"focus"})},[]),Ie=C.exports.useCallback(function(){K({type:"blur"})},[]),tt=C.exports.useCallback(function(){L||(She()?setTimeout(Tt,0):Tt())},[L,Tt]),ze=function(Ee){return r?null:Ee},Bt=function(Ee){return T?null:ze(Ee)},mn=function(Ee){return O?null:ze(Ee)},lt=function(Ee){N&&Ee.stopPropagation()},Ct=C.exports.useMemo(function(){return function(){var pe=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},Ee=pe.refKey,pt=Ee===void 0?"ref":Ee,ut=pe.role,ie=pe.onKeyDown,Ge=pe.onFocus,Et=pe.onBlur,wn=pe.onClick,On=pe.onDragEnter,wr=pe.onDragOver,Oo=pe.onDragLeave,hi=pe.onDrop,jn=f0(pe,Ahe);return Vt(Vt(K5({onKeyDown:Bt(Wo(ie,hn)),onFocus:Bt(Wo(Ge,Se)),onBlur:Bt(Wo(Et,Ie)),onClick:ze(Wo(wn,tt)),onDragEnter:mn(Wo(On,Le)),onDragOver:mn(Wo(wr,de)),onDragLeave:mn(Wo(Oo,_e)),onDrop:mn(Wo(hi,st)),role:typeof ut=="string"&&ut!==""?ut:"presentation"},pt,he),!r&&!T?{tabIndex:0}:{}),jn)}},[he,hn,Se,Ie,tt,Le,de,_e,st,T,O,r]),Xt=C.exports.useCallback(function(pe){pe.stopPropagation()},[]),Ut=C.exports.useMemo(function(){return function(){var pe=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},Ee=pe.refKey,pt=Ee===void 0?"ref":Ee,ut=pe.onChange,ie=pe.onClick,Ge=f0(pe,The),Et=K5({accept:W,multiple:u,type:"file",style:{display:"none"},onChange:ze(Wo(ut,st)),onClick:ze(Wo(ie,Xt)),tabIndex:-1},pt,fe);return Vt(Vt({},Et),Ge)}},[fe,n,u,st,r]);return Vt(Vt({},H),{},{isFocused:Z&&!r,getRootProps:Ct,getInputProps:Ut,rootRef:he,inputRef:fe,open:ze(Tt)})}function Bhe(e,t){switch(t.type){case"focus":return Vt(Vt({},e),{},{isFocused:!0});case"blur":return Vt(Vt({},e),{},{isFocused:!1});case"openDialog":return Vt(Vt({},Y5),{},{isFileDialogActive:!0});case"closeDialog":return Vt(Vt({},e),{},{isFileDialogActive:!1});case"setDraggedFiles":return Vt(Vt({},e),{},{isDragActive:t.isDragActive,isDragAccept:t.isDragAccept,isDragReject:t.isDragReject});case"setFiles":return Vt(Vt({},e),{},{acceptedFiles:t.acceptedFiles,fileRejections:t.fileRejections});case"reset":return Vt({},Y5);default:return e}}function W7(){}const H7=({children:e,fileAcceptedCallback:t,fileRejectionCallback:n})=>{const r=C.exports.useCallback((c,f)=>{f.forEach(p=>{n(p)}),c.forEach(p=>{t(p)})},[t,n]),{getRootProps:o,getInputProps:i,open:s}=pI({onDrop:r,accept:{"image/jpeg":[".jpg",".jpeg",".png"]}}),u=c=>{c.stopPropagation(),s()};return X(ui,{...o(),flexGrow:3,children:[y("input",{...i({multiple:!1})}),C.exports.cloneElement(e,{onClick:u})]})},$he=Rn(e=>e.options,e=>({initialImagePath:e.initialImagePath,maskPath:e.maskPath}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Vhe=({setShouldShowMask:e})=>{const t=Ue(),{initialImagePath:n,maskPath:r}=Te($he),o=yle(),i=b=>{b.stopPropagation(),t(xu(""))},s=b=>{b.stopPropagation(),t(qf(""))},u=()=>e(!1),c=()=>e(!0),f=()=>e(!0),p=()=>e(!0),h=C.exports.useCallback(b=>t(ide(b)),[t]),m=C.exports.useCallback(b=>t(ade(b)),[t]),g=C.exports.useCallback(b=>{const S=b.errors.reduce((E,w)=>E+` -`+w.message,"");o({title:"Upload failed",description:S,status:"error",isClosable:!0})},[o]);return X(dt,{gap:2,justifyContent:"space-between",width:"100%",children:[y(H7,{fileAcceptedCallback:h,fileRejectionCallback:g,children:y(Ro,{size:"sm",fontSize:"md",fontWeight:"normal",onMouseOver:u,onMouseOut:c,leftIcon:y(_7,{}),width:"100%",children:"Image"})}),y(er,{isDisabled:!n,size:"sm","aria-label":"Reset mask",onClick:i,icon:y(C7,{})}),y(H7,{fileAcceptedCallback:m,fileRejectionCallback:g,children:y(Ro,{isDisabled:!n,size:"sm",fontSize:"md",fontWeight:"normal",onMouseOver:f,onMouseOut:p,leftIcon:y(_7,{}),width:"100%",children:"Mask"})}),y(er,{isDisabled:!r,size:"sm","aria-label":"Reset mask",onClick:s,icon:y(C7,{})})]})},Whe=Rn(e=>e.options,e=>({initialImagePath:e.initialImagePath,maskPath:e.maskPath}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Hhe=()=>{const e=Ue(),{initialImagePath:t,maskPath:n}=Te(Whe),[r,o]=C.exports.useState(!1);return X(dt,{direction:"column",alignItems:"center",gap:2,children:[y(Vhe,{setShouldShowMask:o}),t&&X(dt,{position:"relative",width:"100%",children:[y(Df,{fit:"contain",src:t,rounded:"md",className:"checkerboard",maxWidth:320,onError:()=>{e(xu(""))}}),r&&n&&y(Df,{position:"absolute",top:0,left:0,maxWidth:320,fit:"contain",src:n,rounded:"md",zIndex:1,onError:()=>{e(qf(""))}})]})]})};function jhe(){const e=Ue(),t=Te(r=>r.options.shouldFitToWidthHeight);return y(js,{label:"Fit initial image to output size",isChecked:t,onChange:r=>e(ST(r.target.checked))})}function Uhe(){const e=Te(r=>r.options.img2imgStrength),t=Ue();return y(pi,{label:"Strength",step:.01,min:.01,max:.99,onChange:r=>t(xT(r)),value:e,width:"90px",isInteger:!1})}const Ghe=()=>X(dt,{direction:"column",gap:2,children:[y(Uhe,{}),y(jhe,{}),y(Hhe,{})]});var fs=(e=>(e[e.PROMPT=0]="PROMPT",e[e.GALLERY=1]="GALLERY",e[e.OTHER=2]="OTHER",e[e.SEED=3]="SEED",e[e.VARIATIONS=4]="VARIATIONS",e[e.UPSCALE=5]="UPSCALE",e[e.FACE_CORRECTION=6]="FACE_CORRECTION",e[e.IMAGE_TO_IMAGE=7]="IMAGE_TO_IMAGE",e))(fs||{});const Zhe={[0]:{text:"This field will take all prompt text, including both content and stylistic terms. CLI Commands will not work in the prompt.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[1]:{text:"As new invocations are generated, files from the output directory will be displayed here. Generations have additional options to configure new generations.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[2]:{text:"Additional Options",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[3]:{text:"Seed values provide an initial set of noise which guide the denoising process.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[4]:{text:"Try a variation with an amount of between 0 and 1 to change the output image for the set seed.",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"},[5]:{text:"Using ESRGAN you can increase the output resolution without requiring a higher width/height in the initial generation.",href:"link/to/docs/feature1.html",guideImage:"asset/path.gif"},[6]:{text:"Using GFPGAN or CodeFormer, Face Correction will attempt to identify faces in outputs, and correct any defects/abnormalities. Higher values will apply a stronger corrective pressure on outputs.",href:"link/to/docs/feature2.html",guideImage:"asset/path.gif"},[7]:{text:"ImageToImage allows the upload of an initial image, which InvokeAI will use to guide the generation process, along with a prompt. A lower value for this setting will more closely resemble the original image. Values between 0-1 are accepted, and a range of .25-.75 is recommended ",href:"link/to/docs/feature3.html",guideImage:"asset/path.gif"}};function qhe(){const e=Ue(),t=Te(r=>r.options.shouldRandomizeSeed);return y(js,{label:"Randomize Seed",isChecked:t,onChange:r=>e(Nce(r.target.checked))})}function Khe(){const e=Te(i=>i.options.seed),t=Te(i=>i.options.shouldRandomizeSeed),n=Te(i=>i.options.shouldGenerateVariations),r=Ue(),o=i=>r(Sd(i));return y(pi,{label:"Seed",step:1,precision:0,flexGrow:1,min:zb,max:Fb,isDisabled:t,isInvalid:e<0&&n,onChange:o,value:e,width:"10rem"})}function Yhe(){const e=Ue(),t=Te(r=>r.options.shouldRandomizeSeed);return y(Ro,{size:"sm",isDisabled:t,onClick:()=>e(Sd(jT(zb,Fb))),children:y("p",{children:"Shuffle"})})}function Xhe(){const e=Ue(),t=Te(r=>r.options.threshold);return y(pi,{label:"Threshold",min:0,max:1e3,step:.1,onChange:r=>e(Lce(r)),value:t,isInteger:!1})}function Qhe(){const e=Ue(),t=Te(r=>r.options.perlin);return y(pi,{label:"Perlin",min:0,max:1,step:.05,onChange:r=>e(Pce(r)),value:t,isInteger:!1})}const Jhe=()=>X(dt,{gap:2,direction:"column",children:[y(qhe,{}),X(dt,{gap:2,children:[y(Khe,{}),y(Yhe,{})]}),X(dt,{gap:2,children:[y(Xhe,{}),y(Qhe,{})]})]});function e1e(){const e=Te(o=>o.system.isESRGANAvailable),t=Te(o=>o.options.shouldRunESRGAN),n=Ue();return X(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Upscale"}),y(js,{isDisabled:!e,isChecked:t,onChange:o=>n(Oce(o.target.checked))})]})}function t1e(){const e=Te(o=>o.system.isGFPGANAvailable),t=Te(o=>o.options.shouldRunGFPGAN),n=Ue();return X(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Restore Face"}),y(js,{isDisabled:!e,isChecked:t,onChange:o=>n(Rce(o.target.checked))})]})}function n1e(){const e=Ue(),t=Te(o=>o.options.initialImagePath),n=Te(o=>o.options.shouldUseInitImage);return X(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Image to Image"}),y(js,{isDisabled:!t,isChecked:n,onChange:o=>e(Tce(o.target.checked))})]})}const r1e=Rn(e=>e.system,e=>e.shouldDisplayGuides),o1e=({children:e,feature:t})=>{const n=Te(r1e),{text:r}=Zhe[t];return n?X(ub,{trigger:"hover",children:[y(pb,{children:y(ui,{children:e})}),X(db,{className:"guide-popover-content",maxWidth:"400px",onClick:o=>o.preventDefault(),cursor:"initial",children:[y(cb,{className:"guide-popover-arrow"}),y("div",{className:"guide-popover-guide-content",children:r})]})]}):y(Mn,{})},i1e=ue(({feature:e,icon:t=YT},n)=>y(o1e,{feature:e,children:y(ui,{ref:n,children:y(Wr,{as:t})})}));function _l(e){const{header:t,feature:n,options:r}=e;return X(xL,{className:"advanced-settings-item",children:[y("h2",{children:X(yL,{className:"advanced-settings-header",children:[t,y(i1e,{feature:n}),y(bL,{})]})}),y(SL,{className:"advanced-settings-panel",children:r})]})}function a1e(){const e=Te(r=>r.options.shouldGenerateVariations),t=Ue();return y(js,{isChecked:e,width:"auto",onChange:r=>t(Ice(r.target.checked))})}function s1e(){return X(dt,{justifyContent:"space-between",alignItems:"center",width:"100%",mr:2,children:[y("p",{children:"Variations"}),y(a1e,{})]})}function l1e(e){const{label:t,styleClass:n,isDisabled:r=!1,fontSize:o="1rem",width:i,isInvalid:s,...u}=e;return X(qa,{className:`input ${n}`,isInvalid:s,isDisabled:r,flexGrow:1,children:[y(Bs,{fontSize:o,marginBottom:1,whiteSpace:"nowrap",className:"input-label",children:t}),y(z3,{...u,className:"input-entry",size:"sm",width:i})]})}function u1e(){const e=Te(o=>o.options.seedWeights),t=Te(o=>o.options.shouldGenerateVariations),n=Ue(),r=o=>n(wT(o.target.value));return y(l1e,{label:"Seed Weights",value:e,isInvalid:t&&!(Ob(e)||e===""),isDisabled:!t,onChange:r})}function c1e(){const e=Te(o=>o.options.variationAmount),t=Te(o=>o.options.shouldGenerateVariations),n=Ue();return y(pi,{label:"Variation Amount",value:e,step:.01,min:0,max:1,isDisabled:!t,onChange:o=>n(Mce(o)),isInteger:!1})}const f1e=()=>X(dt,{gap:2,direction:"column",children:[y(c1e,{}),y(u1e,{})]}),d1e=()=>{const e=Te(r=>r.system.openAccordions),t=Ue();return X(wL,{defaultIndex:e,allowMultiple:!0,reduceMotion:!0,onChange:r=>t(Kce(r)),className:"advanced-settings",children:[y(_l,{header:y(ui,{flex:"1",textAlign:"left",children:"Seed"}),feature:fs.SEED,options:y(Jhe,{})}),y(_l,{header:y(s1e,{}),feature:fs.VARIATIONS,options:y(f1e,{})}),y(_l,{header:y(t1e,{}),feature:fs.FACE_CORRECTION,options:y(nI,{})}),y(_l,{header:y(e1e,{}),feature:fs.UPSCALE,options:y(tI,{})}),y(_l,{header:y(n1e,{}),feature:fs.IMAGE_TO_IMAGE,options:y(Ghe,{})}),y(_l,{header:y(ui,{flex:"1",textAlign:"left",children:"Other"}),feature:fs.OTHER,options:y(Gpe,{})})]})},j7=Rn(e=>e.options,e=>({prompt:e.prompt,shouldGenerateVariations:e.shouldGenerateVariations,seedWeights:e.seedWeights,maskPath:e.maskPath,initialImagePath:e.initialImagePath,seed:e.seed}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),Vb=Rn(e=>e.system,e=>({isProcessing:e.isProcessing,isConnected:e.isConnected}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),hI=()=>{const{prompt:e}=Te(j7),{shouldGenerateVariations:t,seedWeights:n,maskPath:r,initialImagePath:o,seed:i}=Te(j7),{isProcessing:s,isConnected:u}=Te(Vb);return C.exports.useMemo(()=>!(!e||Boolean(e.match(/^[\s\r\n]+$/))||r&&!o||s||!u||t&&(!(Ob(n)||n==="")||i===-1)),[e,r,o,s,u,t,n,i])};function p1e(){const e=Ue(),t=hI();return y(hs,{icon:y(Hde,{}),tooltip:"Invoke","aria-label":"Invoke",type:"submit",isDisabled:!t,onClick:()=>{e(WT())},className:"invoke-btn"})}function h1e(){const e=Ue(),{isProcessing:t,isConnected:n}=Te(Vb);return y(hs,{icon:y(Zde,{}),tooltip:"Cancel","aria-label":"Cancel",isDisabled:!n||!t,onClick:()=>e(ode()),className:"cancel-btn"})}const m1e=()=>X("div",{className:"process-buttons",children:[y(p1e,{}),y(h1e,{})]}),g1e=Rn(e=>e.options,e=>({prompt:e.prompt}),{memoizeOptions:{resultEqualityCheck:xn.exports.isEqual}}),v1e=()=>{const{prompt:e}=Te(g1e),{isProcessing:t}=Te(Vb),n=Ue(),r=hI(),o=s=>{n(mT(s.target.value))},i=s=>{s.key==="Enter"&&s.shiftKey===!1&&r&&(s.preventDefault(),n(WT()))};return y("div",{className:"prompt-bar",children:y(qa,{isInvalid:e.length===0||Boolean(e.match(/^[\s\r\n]+$/)),isDisabled:t,children:y(SA,{id:"prompt",name:"prompt",placeholder:"I'm dreaming of...",size:"lg",value:e,onChange:o,onKeyDown:i,resize:"vertical",height:30})})})};function y1e(){const e=Te(t=>t.options.showAdvancedOptions);return X("div",{className:"text-to-image-panel",children:[y(v1e,{}),y(m1e,{}),y(Upe,{}),e?y(d1e,{}):null]})}function b1e(){return X("div",{className:"text-to-image-workarea",children:[y(y1e,{}),y(Ope,{}),y(zpe,{})]})}function x1e(){const e={txt2img:{title:y(_pe,{fill:"black",boxSize:"2.5rem"}),panel:y(b1e,{}),tooltip:"Text To Image"},img2img:{title:y(bpe,{fill:"black",boxSize:"2.5rem"}),panel:y(hpe,{}),tooltip:"Image To Image"},inpainting:{title:y(xpe,{fill:"black",boxSize:"2.5rem"}),panel:y(mpe,{}),tooltip:"Inpainting"},outpainting:{title:y(wpe,{fill:"black",boxSize:"2.5rem"}),panel:y(vpe,{}),tooltip:"Outpainting"},nodes:{title:y(Spe,{fill:"black",boxSize:"2.5rem"}),panel:y(gpe,{}),tooltip:"Nodes"},postprocess:{title:y(Cpe,{fill:"black",boxSize:"2.5rem"}),panel:y(ype,{}),tooltip:"Post Processing"}},t=()=>{const r=[];return Object.keys(e).forEach(o=>{r.push(y(oo,{label:e[o].tooltip,placement:"right",children:y(xA,{children:e[o].title})},o))}),r},n=()=>{const r=[];return Object.keys(e).forEach(o=>{r.push(y(yA,{className:"app-tabs-panel",children:e[o].panel},o))}),r};return X(vA,{className:"app-tabs",variant:"unstyled",children:[y("div",{className:"app-tabs-list",children:t()}),y(bA,{className:"app-tabs-panels",children:n()})]})}dpe();const S1e=()=>{const e=Ue(),[t,n]=C.exports.useState(!1);return C.exports.useEffect(()=>{e(sde()),n(!0)},[e]),t?X("div",{className:"App",children:[y(kde,{}),X("div",{className:"app-content",children:[y(Jde,{}),y(x1e,{})]}),y(fpe,{})]}):y(ZT,{})};const mI=pce(UT);T2.createRoot(document.getElementById("root")).render(y(Q.StrictMode,{children:y(jue,{store:UT,children:y(GT,{loading:y(ZT,{}),persistor:mI,children:X(Ple,{theme:S7,children:[y(k$,{initialColorMode:S7.config.initialColorMode}),y(S1e,{})]})})})})); diff --git a/frontend/dist/index.html b/frontend/dist/index.html index a65f014dae..bdbc102777 100644 --- a/frontend/dist/index.html +++ b/frontend/dist/index.html @@ -6,8 +6,8 @@ <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <title>InvokeAI - A Stable Diffusion Toolkit</title> <link rel="shortcut icon" type="icon" href="/assets/favicon.0d253ced.ico" /> - <script type="module" crossorigin src="/assets/index.d9916e7a.js"></script> - <link rel="stylesheet" href="/assets/index.853a336f.css"> + <script type="module" crossorigin src="/assets/index.d6634413.js"></script> + <link rel="stylesheet" href="/assets/index.c485ac40.css"> </head> <body> diff --git a/frontend/package.json b/frontend/package.json index 365bc908d5..d255490e79 100644 --- a/frontend/package.json +++ b/frontend/package.json @@ -23,6 +23,7 @@ "react": "^18.2.0", "react-dom": "^18.2.0", "react-dropzone": "^14.2.2", + "react-hotkeys-hook": "^3.4.7", "react-icons": "^4.4.0", "react-redux": "^8.0.2", "redux-persist": "^6.0.0", diff --git a/frontend/src/features/gallery/CurrentImageButtons.tsx b/frontend/src/features/gallery/CurrentImageButtons.tsx index 13502ac5be..5ddd838228 100644 --- a/frontend/src/features/gallery/CurrentImageButtons.tsx +++ b/frontend/src/features/gallery/CurrentImageButtons.tsx @@ -19,6 +19,8 @@ import { MdDelete, MdFace, MdHd, MdImage, MdInfo } from 'react-icons/md'; import InvokePopover from './InvokePopover'; import UpscaleOptions from '../options/AdvancedOptions/Upscale/UpscaleOptions'; import FaceRestoreOptions from '../options/AdvancedOptions/FaceRestore/FaceRestoreOptions'; +import { useHotkeys } from 'react-hotkeys-hook'; +import { useToast } from '@chakra-ui/react'; const systemSelector = createSelector( (state: RootState) => state.system, @@ -54,6 +56,8 @@ const CurrentImageButtons = ({ }: CurrentImageButtonsProps) => { const dispatch = useAppDispatch(); + const toast = useToast(); + const intermediateImage = useAppSelector( (state: RootState) => state.gallery.intermediateImage ); @@ -71,19 +75,163 @@ const CurrentImageButtons = ({ const handleClickUseAsInitialImage = () => dispatch(setInitialImagePath(image.url)); + useHotkeys( + 'shift+i', + () => { + if (image) { + handleClickUseAsInitialImage(); + toast({ + title: 'Sent To Image To Image', + status: 'success', + duration: 2500, + isClosable: true, + }); + } else { + toast({ + title: 'No Image Loaded', + description: 'No image found to send to image to image module.', + status: 'error', + duration: 2500, + isClosable: true, + }); + } + }, + [image] + ); const handleClickUseAllParameters = () => dispatch(setAllParameters(image.metadata)); + useHotkeys( + 'a', + () => { + if (['txt2img', 'img2img'].includes(image?.metadata?.image?.type)) { + handleClickUseAllParameters(); + toast({ + title: 'Parameters Set', + status: 'success', + duration: 2500, + isClosable: true, + }); + } else { + toast({ + title: 'Parameters Not Set', + description: 'No metadata found for this image.', + status: 'error', + duration: 2500, + isClosable: true, + }); + } + }, + [image] + ); // Non-null assertion: this button is disabled if there is no seed. // eslint-disable-next-line @typescript-eslint/no-non-null-assertion const handleClickUseSeed = () => dispatch(setSeed(image.metadata.image.seed)); + useHotkeys( + 's', + () => { + if (image?.metadata?.image?.seed) { + handleClickUseSeed(); + toast({ + title: 'Seed Set', + status: 'success', + duration: 2500, + isClosable: true, + }); + } else { + toast({ + title: 'Seed Not Set', + description: 'Could not find seed for this image.', + status: 'error', + duration: 2500, + isClosable: true, + }); + } + }, + [image] + ); + const handleClickUpscale = () => dispatch(runESRGAN(image)); + useHotkeys( + 'u', + () => { + if ( + isESRGANAvailable && + Boolean(!intermediateImage) && + isConnected && + !isProcessing && + upscalingLevel + ) { + handleClickUpscale(); + } else { + toast({ + title: 'Upscaling Failed', + status: 'error', + duration: 2500, + isClosable: true, + }); + } + }, + [ + image, + isESRGANAvailable, + intermediateImage, + isConnected, + isProcessing, + upscalingLevel, + ] + ); const handleClickFixFaces = () => dispatch(runGFPGAN(image)); + useHotkeys( + 'r', + () => { + if ( + isGFPGANAvailable && + Boolean(!intermediateImage) && + isConnected && + !isProcessing && + gfpganStrength + ) { + handleClickFixFaces(); + } else { + toast({ + title: 'Face Restoration Failed', + status: 'error', + duration: 2500, + isClosable: true, + }); + } + }, + [ + image, + isGFPGANAvailable, + intermediateImage, + isConnected, + isProcessing, + gfpganStrength, + ] + ); const handleClickShowImageDetails = () => setShouldShowImageDetails(!shouldShowImageDetails); + useHotkeys( + 'i', + () => { + if (image) { + handleClickShowImageDetails(); + } else { + toast({ + title: 'Failed to load metadata', + status: 'error', + duration: 2500, + isClosable: true, + }); + } + }, + [image, shouldShowImageDetails] + ); return ( <div className="current-image-options"> diff --git a/frontend/src/features/gallery/DeleteImageModal.tsx b/frontend/src/features/gallery/DeleteImageModal.tsx index 91ff3f8885..87e5270faa 100644 --- a/frontend/src/features/gallery/DeleteImageModal.tsx +++ b/frontend/src/features/gallery/DeleteImageModal.tsx @@ -27,6 +27,7 @@ import { deleteImage } from '../../app/socketio/actions'; import { RootState } from '../../app/store'; import { setShouldConfirmOnDelete, SystemState } from '../system/systemSlice'; import * as InvokeAI from '../../app/invokeai'; +import { useHotkeys } from 'react-hotkeys-hook'; interface DeleteImageModalProps { /** @@ -67,6 +68,14 @@ const DeleteImageModal = forwardRef( onClose(); }; + useHotkeys( + 'del', + () => { + shouldConfirmOnDelete ? onOpen() : handleDelete(); + }, + [image, shouldConfirmOnDelete] + ); + const handleChangeShouldConfirmOnDelete = ( e: ChangeEvent<HTMLInputElement> ) => dispatch(setShouldConfirmOnDelete(!e.target.checked)); diff --git a/frontend/src/features/options/ProcessButtons/CancelButton.tsx b/frontend/src/features/options/ProcessButtons/CancelButton.tsx index 58c6878b5b..34c96d5c29 100644 --- a/frontend/src/features/options/ProcessButtons/CancelButton.tsx +++ b/frontend/src/features/options/ProcessButtons/CancelButton.tsx @@ -4,12 +4,23 @@ import { cancelProcessing } from '../../../app/socketio/actions'; import { useAppDispatch, useAppSelector } from '../../../app/store'; import IAIIconButton from '../../../common/components/IAIIconButton'; import { systemSelector } from '../../../common/hooks/useCheckParameters'; +import { useHotkeys } from 'react-hotkeys-hook'; export default function CancelButton() { const dispatch = useAppDispatch(); const { isProcessing, isConnected } = useAppSelector(systemSelector); const handleClickCancel = () => dispatch(cancelProcessing()); + useHotkeys( + 'shift+x', + () => { + if (isConnected || isProcessing) { + handleClickCancel(); + } + }, + [isConnected, isProcessing] + ); + return ( <IAIIconButton icon={<MdCancel />} diff --git a/frontend/src/features/options/PromptInput/PromptInput.tsx b/frontend/src/features/options/PromptInput/PromptInput.tsx index 876a78d34e..92201b6f87 100644 --- a/frontend/src/features/options/PromptInput/PromptInput.tsx +++ b/frontend/src/features/options/PromptInput/PromptInput.tsx @@ -1,5 +1,5 @@ import { FormControl, Textarea } from '@chakra-ui/react'; -import { ChangeEvent, KeyboardEvent } from 'react'; +import { ChangeEvent, KeyboardEvent, useRef } from 'react'; import { RootState, useAppDispatch, useAppSelector } from '../../../app/store'; import { generateImage } from '../../../app/socketio/actions'; @@ -9,6 +9,7 @@ import { isEqual } from 'lodash'; import useCheckParameters, { systemSelector, } from '../../../common/hooks/useCheckParameters'; +import { useHotkeys } from 'react-hotkeys-hook'; export const optionsSelector = createSelector( (state: RootState) => state.options, @@ -28,6 +29,7 @@ export const optionsSelector = createSelector( * Prompt input text area. */ const PromptInput = () => { + const promptRef = useRef<HTMLTextAreaElement>(null); const { prompt } = useAppSelector(optionsSelector); const { isProcessing } = useAppSelector(systemSelector); const dispatch = useAppDispatch(); @@ -37,6 +39,24 @@ const PromptInput = () => { dispatch(setPrompt(e.target.value)); }; + useHotkeys( + 'ctrl+enter', + () => { + if (isReady) { + dispatch(generateImage()); + } + }, + [isReady] + ); + + useHotkeys( + 'alt+a', + () => { + promptRef.current?.focus(); + }, + [] + ); + const handleKeyDown = (e: KeyboardEvent<HTMLTextAreaElement>) => { if (e.key === 'Enter' && e.shiftKey === false && isReady) { e.preventDefault(); @@ -60,6 +80,7 @@ const PromptInput = () => { onKeyDown={handleKeyDown} resize="vertical" height={30} + ref={promptRef} /> </FormControl> </div> diff --git a/frontend/src/features/system/HotkeysModal/HotkeysModal.scss b/frontend/src/features/system/HotkeysModal/HotkeysModal.scss new file mode 100644 index 0000000000..07dd4e0d14 --- /dev/null +++ b/frontend/src/features/system/HotkeysModal/HotkeysModal.scss @@ -0,0 +1,53 @@ +@use '../../../styles/Mixins/' as *; + +.hotkeys-modal { + display: grid; + padding: 1rem; + background-color: var(--settings-modal-bg) !important; + row-gap: 1rem; + font-family: Inter; + + h1 { + font-size: 1.2rem; + font-weight: bold; + } +} + +.hotkeys-modal-items { + display: grid; + row-gap: 0.5rem; + max-height: 32rem; + overflow-y: scroll; + @include HideScrollbar; +} + +.hotkey-modal-item { + display: grid; + grid-template-columns: auto max-content; + justify-content: space-between; + align-items: center; + background-color: var(--background-color); + padding: 0.5rem 1rem; + border-radius: 0.3rem; + + .hotkey-info { + display: grid; + + .hotkey-title { + font-weight: bold; + } + + .hotkey-description { + font-size: 0.9rem; + color: var(--text-color-secondary); + } + } + + .hotkey-key { + font-size: 0.8rem; + font-weight: bold; + border: 2px solid var(--settings-modal-bg); + padding: 0.2rem 0.5rem; + border-radius: 0.3rem; + } +} diff --git a/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx b/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx new file mode 100644 index 0000000000..532a38adeb --- /dev/null +++ b/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx @@ -0,0 +1,88 @@ +import { + Modal, + ModalCloseButton, + ModalContent, + ModalOverlay, + useDisclosure, +} from '@chakra-ui/react'; +import React, { cloneElement, ReactElement } from 'react'; +import HotkeysModalItem from './HotkeysModalItem'; + +type HotkeysModalProps = { + /* The button to open the Settings Modal */ + children: ReactElement; +}; + +export default function HotkeysModal({ children }: HotkeysModalProps) { + const { + isOpen: isHotkeyModalOpen, + onOpen: onHotkeysModalOpen, + onClose: onHotkeysModalClose, + } = useDisclosure(); + + const hotkeys = [ + { title: 'Invoke', desc: 'Generate an image', hotkey: 'Ctrl+Enter' }, + { title: 'Cancel', desc: 'Cancel image generation', hotkey: 'Shift+X' }, + { + title: 'Set Seed', + desc: 'Use the seed of the current image', + hotkey: 'S', + }, + { + title: 'Set Parameters', + desc: 'Use all parameters of the current image', + hotkey: 'A', + }, + { title: 'Restore Faces', desc: 'Restore the current image', hotkey: 'R' }, + { title: 'Upscale', desc: 'Upscale the current image', hotkey: 'U' }, + { + title: 'Show Info', + desc: 'Show metadata info of the current image', + hotkey: 'I', + }, + { + title: 'Send To Image To Image', + desc: 'Send the current image to Image to Image module', + hotkey: 'Shift+I', + }, + { title: 'Delete Image', desc: 'Delete the current image', hotkey: 'Del' }, + { + title: 'Focus Prompt', + desc: 'Focus the prompt input area', + hotkey: 'Alt+A', + }, + ]; + + const renderHotkeyModalItems = () => { + const hotkeyModalItemsToRender: ReactElement[] = []; + + hotkeys.forEach((hotkey, i) => { + hotkeyModalItemsToRender.push( + <HotkeysModalItem + key={i} + title={hotkey.title} + description={hotkey.desc} + hotkey={hotkey.hotkey} + /> + ); + }); + + return hotkeyModalItemsToRender; + }; + + return ( + <> + {cloneElement(children, { + onClick: onHotkeysModalOpen, + })} + <Modal isOpen={isHotkeyModalOpen} onClose={onHotkeysModalClose}> + <ModalOverlay /> + <ModalContent className="hotkeys-modal"> + <ModalCloseButton /> + <h1>Keyboard Shorcuts</h1> + <div className="hotkeys-modal-items">{renderHotkeyModalItems()}</div> + </ModalContent> + </Modal> + </> + ); +} diff --git a/frontend/src/features/system/HotkeysModal/HotkeysModalItem.tsx b/frontend/src/features/system/HotkeysModal/HotkeysModalItem.tsx new file mode 100644 index 0000000000..b031573f61 --- /dev/null +++ b/frontend/src/features/system/HotkeysModal/HotkeysModalItem.tsx @@ -0,0 +1,20 @@ +import React from 'react'; + +interface HotkeysModalProps { + hotkey: string; + title: string; + description?: string; +} + +export default function HotkeysModalItem(props: HotkeysModalProps) { + const { title, hotkey, description } = props; + return ( + <div className="hotkey-modal-item"> + <div className="hotkey-info"> + <p className="hotkey-title">{title}</p> + {description && <p className="hotkey-description">{description}</p>} + </div> + <div className="hotkey-key">{hotkey}</div> + </div> + ); +} diff --git a/frontend/src/features/system/SettingsModal/SettingsModal.scss b/frontend/src/features/system/SettingsModal/SettingsModal.scss index 5b3ab50d87..b969523fb9 100644 --- a/frontend/src/features/system/SettingsModal/SettingsModal.scss +++ b/frontend/src/features/system/SettingsModal/SettingsModal.scss @@ -2,6 +2,7 @@ .settings-modal { background-color: var(--settings-modal-bg) !important; + font-family: Inter; .settings-modal-content { display: grid; diff --git a/frontend/src/features/system/SiteHeader.scss b/frontend/src/features/system/SiteHeader.scss index 7adb626150..fa2b9f77df 100644 --- a/frontend/src/features/system/SiteHeader.scss +++ b/frontend/src/features/system/SiteHeader.scss @@ -21,7 +21,7 @@ .site-header-right-side { display: grid; - grid-template-columns: repeat(5, max-content); + grid-template-columns: repeat(6, max-content); align-items: center; column-gap: 0.5rem; } diff --git a/frontend/src/features/system/SiteHeader.tsx b/frontend/src/features/system/SiteHeader.tsx index 6d94622cfc..800870cdde 100644 --- a/frontend/src/features/system/SiteHeader.tsx +++ b/frontend/src/features/system/SiteHeader.tsx @@ -1,9 +1,11 @@ import { IconButton, Link, useColorMode } from '@chakra-ui/react'; import { FaSun, FaMoon, FaGithub } from 'react-icons/fa'; -import { MdHelp, MdSettings } from 'react-icons/md'; +import { MdHelp, MdKeyboard, MdSettings } from 'react-icons/md'; import InvokeAILogo from '../../assets/images/logo.png'; +import HotkeysModal from './HotkeysModal/HotkeysModal'; + import SettingsModal from './SettingsModal/SettingsModal'; import StatusIndicator from './StatusIndicator'; @@ -40,6 +42,16 @@ const SiteHeader = () => { /> </SettingsModal> + <HotkeysModal> + <IconButton + aria-label="Hotkeys" + variant="link" + fontSize={24} + size={'sm'} + icon={<MdKeyboard />} + /> + </HotkeysModal> + <IconButton aria-label="Link to Github Issues" variant="link" diff --git a/frontend/src/styles/index.scss b/frontend/src/styles/index.scss index 8eac77bbfa..452787a8c4 100644 --- a/frontend/src/styles/index.scss +++ b/frontend/src/styles/index.scss @@ -11,6 +11,7 @@ @use '../features/system/SiteHeader.scss'; @use '../features/system/StatusIndicator.scss'; @use '../features/system/SettingsModal/SettingsModal.scss'; +@use '../features/system/HotkeysModal/HotkeysModal.scss'; @use '../features/system/Console.scss'; // options diff --git a/frontend/yarn.lock b/frontend/yarn.lock index 6fddebfd16..7780b4125d 100644 --- a/frontend/yarn.lock +++ b/frontend/yarn.lock @@ -1582,6 +1582,11 @@ balanced-match@^1.0.0: resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee" integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== +base64id@2.0.0, base64id@~2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/base64id/-/base64id-2.0.0.tgz#2770ac6bc47d312af97a8bf9a634342e0cd25cb6" + integrity sha512-lGe34o6EHj9y3Kts9R4ZYs/Gr+6N7MCaMlIFA3F1R2O5/m7K06AxfSeO5530PEERE6/WyEg3lsuyw4GHlPZHog== + binary-extensions@^2.0.0: version "2.2.0" resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d" @@ -2359,6 +2364,11 @@ hoist-non-react-statics@^3.3.0, hoist-non-react-statics@^3.3.1, hoist-non-react- dependencies: react-is "^16.7.0" +hotkeys-js@3.9.4: + version "3.9.4" + resolved "https://registry.yarnpkg.com/hotkeys-js/-/hotkeys-js-3.9.4.tgz#ce1aa4c3a132b6a63a9dd5644fc92b8a9b9cbfb9" + integrity sha512-2zuLt85Ta+gIyvs4N88pCYskNrxf1TFv3LR9t5mdAZIX8BcgQQ48F2opUptvHa6m8zsy5v/a0i9mWzTrlNWU0Q== + ignore@^5.2.0: version "5.2.0" resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.0.tgz#6d3bac8fa7fe0d45d9f9be7bac2fc279577e345a" @@ -2618,7 +2628,7 @@ normalize-path@^3.0.0, normalize-path@~3.0.0: resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65" integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== -object-assign@^4.1.1: +object-assign@^4, object-assign@^4.1.1: version "4.1.1" resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" integrity sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg== @@ -2818,6 +2828,13 @@ react-focus-lock@^2.9.1: use-callback-ref "^1.3.0" use-sidecar "^1.1.2" +react-hotkeys-hook@^3.4.7: + version "3.4.7" + resolved "https://registry.yarnpkg.com/react-hotkeys-hook/-/react-hotkeys-hook-3.4.7.tgz#e16a0a85f59feed9f48d12cfaf166d7df4c96b7a" + integrity sha512-+bbPmhPAl6ns9VkXkNNyxlmCAIyDAcWbB76O4I0ntr3uWCRuIQf/aRLartUahe9chVMPj+OEzzfk3CQSjclUEQ== + dependencies: + hotkeys-js "3.9.4" + react-icons@^4.4.0: version "4.4.0" resolved "https://registry.yarnpkg.com/react-icons/-/react-icons-4.4.0.tgz#a13a8a20c254854e1ec9aecef28a95cdf24ef703" @@ -3044,6 +3061,18 @@ socket.io-parser@~4.2.0: "@socket.io/component-emitter" "~3.1.0" debug "~4.3.1" +socket.io@^4.5.2: + version "4.5.2" + resolved "https://registry.yarnpkg.com/socket.io/-/socket.io-4.5.2.tgz#1eb25fd380ab3d63470aa8279f8e48d922d443ac" + integrity sha512-6fCnk4ARMPZN448+SQcnn1u8OHUC72puJcNtSgg2xS34Cu7br1gQ09YKkO1PFfDn/wyUE9ZgMAwosJed003+NQ== + dependencies: + accepts "~1.3.4" + base64id "~2.0.0" + debug "~4.3.2" + engine.io "~6.2.0" + socket.io-adapter "~2.4.0" + socket.io-parser "~4.2.0" + "source-map-js@>=0.6.2 <2.0.0", source-map-js@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c" From 6542556ebdd393327227581cb5fe57c4bcce9aab Mon Sep 17 00:00:00 2001 From: psychedelicious <4822129+psychedelicious@users.noreply.github.com> Date: Thu, 6 Oct 2022 18:24:40 +0800 Subject: [PATCH 7/8] Adds next/prev image buttons/hotkeys --- .../features/gallery/CurrentImageDisplay.scss | 38 ++++++++++++ .../features/gallery/CurrentImageDisplay.tsx | 58 ++++++++++++++++++- .../src/features/gallery/ImageGallery.tsx | 18 ++++++ frontend/src/features/gallery/gallerySlice.ts | 30 +++++++++- 4 files changed, 141 insertions(+), 3 deletions(-) diff --git a/frontend/src/features/gallery/CurrentImageDisplay.scss b/frontend/src/features/gallery/CurrentImageDisplay.scss index 05590f3274..6187582b34 100644 --- a/frontend/src/features/gallery/CurrentImageDisplay.scss +++ b/frontend/src/features/gallery/CurrentImageDisplay.scss @@ -67,6 +67,44 @@ } } +.current-image-next-prev-buttons { + position: absolute; + top: 0; + left: 0; + display: flex; + align-items: center; + justify-content: space-between; + width: calc(100% - 2rem); + padding: 0.5rem; + margin-left: 1rem; + z-index: 1; + height: calc($app-metadata-height - 1rem); + pointer-events: none; +} + +.next-prev-button-trigger-area { + width: 7rem; + height: 100%; + display: flex; + align-items: center; + pointer-events: auto; + + &.prev-button-trigger-area { + justify-content: flex-start; + } + + &.next-button-trigger-area { + justify-content: flex-end; + } +} + +.next-prev-button { + font-size: 5rem; + fill: var(--text-color-secondary); + filter: drop-shadow(0 0 1rem var(--text-color-secondary)); + opacity: 70%; +} + .current-image-metadata-viewer { border-radius: 0.5rem; position: absolute; diff --git a/frontend/src/features/gallery/CurrentImageDisplay.tsx b/frontend/src/features/gallery/CurrentImageDisplay.tsx index 5af95b2fbe..2850c9fbf5 100644 --- a/frontend/src/features/gallery/CurrentImageDisplay.tsx +++ b/frontend/src/features/gallery/CurrentImageDisplay.tsx @@ -1,15 +1,21 @@ -import { Image } from '@chakra-ui/react'; -import { useAppSelector } from '../../app/store'; +import { IconButton, Image } from '@chakra-ui/react'; +import { useAppDispatch, useAppSelector } from '../../app/store'; import { RootState } from '../../app/store'; import { useState } from 'react'; import ImageMetadataViewer from './ImageMetadataViewer'; import CurrentImageButtons from './CurrentImageButtons'; import { MdPhoto } from 'react-icons/md'; +import { FaAngleLeft, FaAngleRight } from 'react-icons/fa'; +import { selectNextImage, selectPrevImage } from './gallerySlice'; /** * Displays the current image if there is one, plus associated actions. */ const CurrentImageDisplay = () => { + const dispatch = useAppDispatch(); + const [shouldShowNextPrevButtons, setShouldShowNextPrevButtons] = + useState<boolean>(false); + const { currentImage, intermediateImage } = useAppSelector( (state: RootState) => state.gallery ); @@ -19,6 +25,22 @@ const CurrentImageDisplay = () => { const imageToDisplay = intermediateImage || currentImage; + const handleCurrentImagePreviewMouseOver = () => { + setShouldShowNextPrevButtons(true); + }; + + const handleCurrentImagePreviewMouseOut = () => { + setShouldShowNextPrevButtons(false); + }; + + const handleClickPrevButton = () => { + dispatch(selectPrevImage()); + }; + + const handleClickNextButton = () => { + dispatch(selectNextImage()); + }; + return imageToDisplay ? ( <div className="current-image-display"> <div className="current-image-tools"> @@ -40,6 +62,38 @@ const CurrentImageDisplay = () => { <ImageMetadataViewer image={imageToDisplay} /> </div> )} + {!shouldShowImageDetails && ( + <div className="current-image-next-prev-buttons"> + <div + className="next-prev-button-trigger-area prev-button-trigger-area" + onMouseOver={handleCurrentImagePreviewMouseOver} + onMouseOut={handleCurrentImagePreviewMouseOut} + > + {shouldShowNextPrevButtons && ( + <IconButton + aria-label="Previous image" + icon={<FaAngleLeft className="next-prev-button" />} + variant="unstyled" + onClick={handleClickPrevButton} + /> + )} + </div> + <div + className="next-prev-button-trigger-area next-button-trigger-area" + onMouseOver={handleCurrentImagePreviewMouseOver} + onMouseOut={handleCurrentImagePreviewMouseOut} + > + {shouldShowNextPrevButtons && ( + <IconButton + aria-label="Next image" + icon={<FaAngleRight className="next-prev-button" />} + variant="unstyled" + onClick={handleClickNextButton} + /> + )} + </div> + </div> + )} </div> </div> ) : ( diff --git a/frontend/src/features/gallery/ImageGallery.tsx b/frontend/src/features/gallery/ImageGallery.tsx index eab48927c3..70ccdf54a9 100644 --- a/frontend/src/features/gallery/ImageGallery.tsx +++ b/frontend/src/features/gallery/ImageGallery.tsx @@ -1,8 +1,10 @@ import { Button } from '@chakra-ui/react'; +import { useHotkeys } from 'react-hotkeys-hook'; import { MdPhotoLibrary } from 'react-icons/md'; import { requestImages } from '../../app/socketio/actions'; import { RootState, useAppDispatch } from '../../app/store'; import { useAppSelector } from '../../app/store'; +import { selectNextImage, selectPrevImage } from './gallerySlice'; import HoverableImage from './HoverableImage'; /** @@ -25,6 +27,22 @@ const ImageGallery = () => { dispatch(requestImages()); }; + useHotkeys( + 'left', + () => { + dispatch(selectPrevImage()); + }, + [] + ); + + useHotkeys( + 'right', + () => { + dispatch(selectNextImage()); + }, + [] + ); + return ( <div className="image-gallery-container"> {images.length ? ( diff --git a/frontend/src/features/gallery/gallerySlice.ts b/frontend/src/features/gallery/gallerySlice.ts index 294d2a7fcb..415b80d326 100644 --- a/frontend/src/features/gallery/gallerySlice.ts +++ b/frontend/src/features/gallery/gallerySlice.ts @@ -1,6 +1,6 @@ import { createSlice } from '@reduxjs/toolkit'; import type { PayloadAction } from '@reduxjs/toolkit'; -import { clamp } from 'lodash'; +import _, { clamp } from 'lodash'; import * as InvokeAI from '../../app/invokeai'; export interface GalleryState { @@ -85,6 +85,32 @@ export const gallerySlice = createSlice({ clearIntermediateImage: (state) => { state.intermediateImage = undefined; }, + selectNextImage: (state) => { + const { images, currentImage } = state; + if (currentImage) { + const currentImageIndex = images.findIndex( + (i) => i.uuid === currentImage.uuid + ); + if (_.inRange(currentImageIndex, 0, images.length)) { + const newCurrentImage = images[currentImageIndex + 1]; + state.currentImage = newCurrentImage; + state.currentImageUuid = newCurrentImage.uuid; + } + } + }, + selectPrevImage: (state) => { + const { images, currentImage } = state; + if (currentImage) { + const currentImageIndex = images.findIndex( + (i) => i.uuid === currentImage.uuid + ); + if (_.inRange(currentImageIndex, 1, images.length + 1)) { + const newCurrentImage = images[currentImageIndex - 1]; + state.currentImage = newCurrentImage; + state.currentImageUuid = newCurrentImage.uuid; + } + } + }, addGalleryImages: ( state, action: PayloadAction<{ @@ -122,6 +148,8 @@ export const { setCurrentImage, addGalleryImages, setIntermediateImage, + selectNextImage, + selectPrevImage, } = gallerySlice.actions; export default gallerySlice.reducer; From d84321e08052861786cb47b91bf03656b512955f Mon Sep 17 00:00:00 2001 From: psychedelicious <4822129+psychedelicious@users.noreply.github.com> Date: Thu, 6 Oct 2022 18:34:20 +0800 Subject: [PATCH 8/8] Adds hotkeys to modal --- .../src/features/system/HotkeysModal/HotkeysModal.tsx | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx b/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx index 532a38adeb..cf5442ed88 100644 --- a/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx +++ b/frontend/src/features/system/HotkeysModal/HotkeysModal.tsx @@ -51,6 +51,16 @@ export default function HotkeysModal({ children }: HotkeysModalProps) { desc: 'Focus the prompt input area', hotkey: 'Alt+A', }, + { + title: 'Previous Image', + desc: 'Display the previous image in the gallery', + hotkey: 'Arrow left', + }, + { + title: 'Next Image', + desc: 'Display the next image in the gallery', + hotkey: 'Arrow right', + }, ]; const renderHotkeyModalItems = () => {